Commit 685c94463adcc7bca30c705e0f33059de355f9a3

Authored by 徐烜
1 parent 9f926dae

1、打包zip时替换lbpPicture内部imgSrc路径

src/main/java/com/bsth/luban_springboot2/service/WorkService.java
... ... @@ -75,12 +75,73 @@ public interface WorkService {
75 75 ZipWorkPage createZipPage(Long id);
76 76  
77 77 /**
  78 + * 计算打包后的图片组件url信息。
  79 + * @param id 作品id
  80 + * @return
  81 + */
  82 + List<LbpPicture> computeZipLbpPictureUrls(Long id);
  83 + /**
  84 + * lbp-picture组件信息。
  85 + */
  86 + static class LbpPicture {
  87 + /** 组件名字 lbp-picture*/
  88 + private String name;
  89 + /** 每个组件都有一个uuid,对应后台work表中的pages字段 */
  90 + private String uuid;
  91 + /** 原始的图片url路径 */
  92 + private String url = "";
  93 + /** 实际的后台路径 */
  94 + private String realPath = "";
  95 + /** 替换后的本地路径(用于打包使用) */
  96 + private String localUrl = "";
  97 +
  98 + public String getName() {
  99 + return name;
  100 + }
  101 +
  102 + public void setName(String name) {
  103 + this.name = name;
  104 + }
  105 +
  106 + public String getUuid() {
  107 + return uuid;
  108 + }
  109 +
  110 + public void setUuid(String uuid) {
  111 + this.uuid = uuid;
  112 + }
  113 +
  114 + public String getUrl() {
  115 + return url;
  116 + }
  117 +
  118 + public void setUrl(String url) {
  119 + this.url = url;
  120 + }
  121 +
  122 + public String getRealPath() {
  123 + return realPath;
  124 + }
  125 +
  126 + public void setRealPath(String realPath) {
  127 + this.realPath = realPath;
  128 + }
  129 +
  130 + public String getLocalUrl() {
  131 + return localUrl;
  132 + }
  133 +
  134 + public void setLocalUrl(String localUrl) {
  135 + this.localUrl = localUrl;
  136 + }
  137 + }
  138 +
  139 + /**
78 140 * 计算打包后的自定义轮播组件url信息。
79 141 * @param id 作品id
80 142 * @return
81 143 */
82 144 List<BsthSlideItem> computeZipBsthSlideUrls(Long id);
83   -
84 145 /**
85 146 * bsth-slide组件每个轮播的url信息。
86 147 */
... ...
src/main/java/com/bsth/luban_springboot2/service/impl/WorkServiceImpl.java
... ... @@ -17,6 +17,7 @@ import org.springframework.stereotype.Service;
17 17 import org.springframework.transaction.annotation.Isolation;
18 18 import org.springframework.transaction.annotation.Propagation;
19 19 import org.springframework.transaction.annotation.Transactional;
  20 +import org.springframework.util.StringUtils;
20 21 import org.thymeleaf.TemplateEngine;
21 22 import org.thymeleaf.context.Context;
22 23  
... ... @@ -165,6 +166,7 @@ public class WorkServiceImpl implements WorkService {
165 166 throw new RuntimeException("作品id=" + id + "不存在!");
166 167 }
167 168 List<BsthSlideItem> bsthSlideItemList = computeZipBsthSlideUrls(id);
  169 + List<LbpPicture> lbpPictureList = computeZipLbpPictureUrls(id);
168 170  
169 171 // 1、打包文件
170 172 //----------------------- 1.1、添加待压缩的文件和目录 ---------------------//
... ... @@ -249,13 +251,28 @@ public class WorkServiceImpl implements WorkService {
249 251 .setSourceFilePath(enginePath)
250 252 .setZipFilePath(Paths.get("asserts","engine.umd.min.js")));
251 253  
252   - //----------------------- 1.2、重新打包轮播图的url信息 -------------------//
  254 + //----------------------- 1.2.1、重新打包轮播图的url信息 -------------------//
253 255 for (BsthSlideItem bsthSlideItem : bsthSlideItemList) {
254 256 for (int i = 0; i < bsthSlideItem.getRealPath().size(); i++) {
  257 + String realPath = bsthSlideItem.getRealPath().get(i);
  258 + String localUrl = bsthSlideItem.getLocalUrls().get(i);
  259 + if (StringUtils.hasText(realPath) && StringUtils.hasText(localUrl)) {
  260 + zipWorkPage.addSourcePageFile(
  261 + new ZipWorkPage.SourcePageFile()
  262 + .setSourceFilePath(Paths.get(realPath))
  263 + .setZipFilePath(Paths.get(localUrl)));
  264 + }
  265 + }
  266 + }
  267 + //----------------------- 1.2.2、重新打包图片组件url信息 -------------------//
  268 + for (LbpPicture lbpPicture : lbpPictureList) {
  269 + String realPath = lbpPicture.getRealPath();
  270 + String localUrl = lbpPicture.getLocalUrl();
  271 + if (StringUtils.hasText(realPath) && StringUtils.hasText(localUrl)) {
255 272 zipWorkPage.addSourcePageFile(
256 273 new ZipWorkPage.SourcePageFile()
257   - .setSourceFilePath(Paths.get(bsthSlideItem.getRealPath().get(i)))
258   - .setZipFilePath(Paths.get(bsthSlideItem.getLocalUrls().get(i))));
  274 + .setSourceFilePath(Paths.get(realPath))
  275 + .setZipFilePath(Paths.get(localUrl)));
259 276 }
260 277 }
261 278  
... ... @@ -265,6 +282,7 @@ public class WorkServiceImpl implements WorkService {
265 282 Context context = new Context();
266 283 context.setVariable("work", workDto);
267 284 context.setVariable("urlItems", bsthSlideItemList);
  285 + context.setVariable("lbpPictureUrls", lbpPictureList);
268 286 FileWriter fileWriter = null;
269 287 try {
270 288 fileWriter = new FileWriter(newFilePath.toFile());
... ... @@ -294,6 +312,51 @@ public class WorkServiceImpl implements WorkService {
294 312 }
295 313  
296 314 @Override
  315 + public List<LbpPicture> computeZipLbpPictureUrls(Long id) {
  316 + // 1、查找作品dto
  317 + WorkDto workDto = this.findWorkById(id);
  318 + if (workDto == null) {
  319 + throw new RuntimeException("作品Id=" + id + "不存在!");
  320 + }
  321 +
  322 + // 2、使用java8 js引擎获取轮播url信息
  323 + ScriptEngine scriptEngine = new ScriptEngineManager().getEngineByName("nashorn");
  324 + InputStream jsFileInputStream = this.getClass().getResourceAsStream("/templates/nashorn/LbpPicture.js");
  325 + List<LbpPicture> lbpPictureList = new ArrayList<>();
  326 + try {
  327 + scriptEngine.eval(new InputStreamReader(jsFileInputStream));
  328 + Invocable invocable = (Invocable) scriptEngine;
  329 + Object result = invocable.invokeFunction("calcuLbpPictures", workDto.getPages());
  330 + lbpPictureList = (List<LbpPicture>) result;
  331 + } catch (Exception exp) {
  332 + exp.printStackTrace();
  333 + } finally {
  334 + if (jsFileInputStream != null) {
  335 + try {
  336 + jsFileInputStream.close();
  337 + } catch (Exception ex1) {
  338 + ex1.printStackTrace();
  339 + }
  340 + }
  341 + }
  342 +
  343 + // 3、进一步计算zip打包时需要的url信息
  344 + for (LbpPicture lbpPicture : lbpPictureList) {
  345 + if (StringUtils.hasText(lbpPicture.getUrl())) {
  346 + UploadFile uploadFile = uploadFileRepo.findByUrl(lbpPicture.getUrl());
  347 + if (uploadFile != null) {
  348 + // 设置realPath
  349 + lbpPicture.setRealPath(uploadFile.getRealPath());
  350 + // 设置localUrl
  351 + lbpPicture.setLocalUrl("resources/" + uploadFile.getHash() + uploadFile.getExt());
  352 + }
  353 + }
  354 + }
  355 + return lbpPictureList;
  356 +
  357 + }
  358 +
  359 + @Override
297 360 public List<BsthSlideItem> computeZipBsthSlideUrls(Long id) {
298 361 // 1、查找作品dto
299 362 WorkDto workDto = this.findWorkById(id);
... ... @@ -327,11 +390,15 @@ public class WorkServiceImpl implements WorkService {
327 390 bsthSlideItem.setRealPath(new ArrayList<>());
328 391 bsthSlideItem.setLocalUrls(new ArrayList<>());
329 392 for (String url : bsthSlideItem.getUrls()) {
330   - UploadFile uploadFile = uploadFileRepo.findByUrl(url);
331   - // 设置realPath
332   - bsthSlideItem.getRealPath().add(uploadFile.getRealPath());
333   - // 是指loaclUrl
334   - bsthSlideItem.getLocalUrls().add("resources/" + uploadFile.getHash() + uploadFile.getExt());
  393 + if (StringUtils.hasText(url)) {
  394 + UploadFile uploadFile = uploadFileRepo.findByUrl(url);
  395 + if (uploadFile != null) {
  396 + // 设置realPath
  397 + bsthSlideItem.getRealPath().add(uploadFile.getRealPath());
  398 + // 设置loaclUrl
  399 + bsthSlideItem.getLocalUrls().add("resources/" + uploadFile.getHash() + uploadFile.getExt());
  400 + }
  401 + }
335 402 }
336 403  
337 404 }
... ...
src/main/resources/templates/asserts/js/luban-engine/v1.14.1/engine.umd.min.js
1   -(function(t,e){"object"===typeof exports&&"object"===typeof module?module.exports=e(require("vue")):"function"===typeof define&&define.amd?define([],e):"object"===typeof exports?exports["engine"]=e(require("vue")):t["engine"]=e(t["Vue"])})("undefined"!==typeof self?self:this,(function(t){return function(t){var e={};function n(i){if(e[i])return e[i].exports;var o=e[i]={i:i,l:!1,exports:{}};return t[i].call(o.exports,o,o.exports,n),o.l=!0,o.exports}return n.m=t,n.c=e,n.d=function(t,e,i){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:i})},n.r=function(t){"undefined"!==typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(t,e){if(1&e&&(t=n(t)),8&e)return t;if(4&e&&"object"===typeof t&&t&&t.__esModule)return t;var i=Object.create(null);if(n.r(i),Object.defineProperty(i,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var o in t)n.d(i,o,function(e){return t[e]}.bind(null,o));return i},n.n=function(t){var e=t&&t.__esModule?function(){return t["default"]}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s="fb15")}({0:function(t,e){},"014b":function(t,e,n){"use strict";var i=n("e53d"),o=n("07e3"),r=n("8e60"),a=n("63b6"),s=n("9138"),l=n("ebfd").KEY,c=n("294c"),u=n("dbdb"),h=n("45f2"),d=n("62a0"),f=n("5168"),A=n("ccb9"),p=n("6718"),g=n("47ee"),v=n("9003"),m=n("e4ae"),y=n("f772"),b=n("241e"),w=n("36c3"),E=n("1bc3"),_=n("aebd"),B=n("a159"),x=n("0395"),C=n("bf0b"),k=n("9aa9"),j=n("d9f6"),I=n("c3a1"),D=C.f,F=j.f,M=x.f,T=i.Symbol,N=i.JSON,S=N&&N.stringify,Q="prototype",Y=f("_hidden"),O=f("toPrimitive"),R={}.propertyIsEnumerable,P=u("symbol-registry"),q=u("symbols"),U=u("op-symbols"),L=Object[Q],z="function"==typeof T&&!!k.f,H=i.QObject,G=!H||!H[Q]||!H[Q].findChild,W=r&&c((function(){return 7!=B(F({},"a",{get:function(){return F(this,"a",{value:7}).a}})).a}))?function(t,e,n){var i=D(L,e);i&&delete L[e],F(t,e,n),i&&t!==L&&F(L,e,i)}:F,J=function(t){var e=q[t]=B(T[Q]);return e._k=t,e},V=z&&"symbol"==typeof T.iterator?function(t){return"symbol"==typeof t}:function(t){return t instanceof T},X=function(t,e,n){return t===L&&X(U,e,n),m(t),e=E(e,!0),m(n),o(q,e)?(n.enumerable?(o(t,Y)&&t[Y][e]&&(t[Y][e]=!1),n=B(n,{enumerable:_(0,!1)})):(o(t,Y)||F(t,Y,_(1,{})),t[Y][e]=!0),W(t,e,n)):F(t,e,n)},Z=function(t,e){m(t);var n,i=g(e=w(e)),o=0,r=i.length;while(r>o)X(t,n=i[o++],e[n]);return t},K=function(t,e){return void 0===e?B(t):Z(B(t),e)},$=function(t){var e=R.call(this,t=E(t,!0));return!(this===L&&o(q,t)&&!o(U,t))&&(!(e||!o(this,t)||!o(q,t)||o(this,Y)&&this[Y][t])||e)},tt=function(t,e){if(t=w(t),e=E(e,!0),t!==L||!o(q,e)||o(U,e)){var n=D(t,e);return!n||!o(q,e)||o(t,Y)&&t[Y][e]||(n.enumerable=!0),n}},et=function(t){var e,n=M(w(t)),i=[],r=0;while(n.length>r)o(q,e=n[r++])||e==Y||e==l||i.push(e);return i},nt=function(t){var e,n=t===L,i=M(n?U:w(t)),r=[],a=0;while(i.length>a)!o(q,e=i[a++])||n&&!o(L,e)||r.push(q[e]);return r};z||(T=function(){if(this instanceof T)throw TypeError("Symbol is not a constructor!");var t=d(arguments.length>0?arguments[0]:void 0),e=function(n){this===L&&e.call(U,n),o(this,Y)&&o(this[Y],t)&&(this[Y][t]=!1),W(this,t,_(1,n))};return r&&G&&W(L,t,{configurable:!0,set:e}),J(t)},s(T[Q],"toString",(function(){return this._k})),C.f=tt,j.f=X,n("6abf").f=x.f=et,n("355d").f=$,k.f=nt,r&&!n("b8e3")&&s(L,"propertyIsEnumerable",$,!0),A.f=function(t){return J(f(t))}),a(a.G+a.W+a.F*!z,{Symbol:T});for(var it="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),ot=0;it.length>ot;)f(it[ot++]);for(var rt=I(f.store),at=0;rt.length>at;)p(rt[at++]);a(a.S+a.F*!z,"Symbol",{for:function(t){return o(P,t+="")?P[t]:P[t]=T(t)},keyFor:function(t){if(!V(t))throw TypeError(t+" is not a symbol!");for(var e in P)if(P[e]===t)return e},useSetter:function(){G=!0},useSimple:function(){G=!1}}),a(a.S+a.F*!z,"Object",{create:K,defineProperty:X,defineProperties:Z,getOwnPropertyDescriptor:tt,getOwnPropertyNames:et,getOwnPropertySymbols:nt});var st=c((function(){k.f(1)}));a(a.S+a.F*st,"Object",{getOwnPropertySymbols:function(t){return k.f(b(t))}}),N&&a(a.S+a.F*(!z||c((function(){var t=T();return"[null]"!=S([t])||"{}"!=S({a:t})||"{}"!=S(Object(t))}))),"JSON",{stringify:function(t){var e,n,i=[t],o=1;while(arguments.length>o)i.push(arguments[o++]);if(n=e=i[1],(y(e)||void 0!==t)&&!V(t))return v(e)||(e=function(t,e){if("function"==typeof n&&(e=n.call(this,t,e)),!V(e))return e}),i[1]=e,S.apply(N,i)}}),T[Q][O]||n("35e8")(T[Q],O,T[Q].valueOf),h(T,"Symbol"),h(Math,"Math",!0),h(i.JSON,"JSON",!0)},"01f9":function(t,e,n){"use strict";var i=n("2d00"),o=n("5ca1"),r=n("2aba"),a=n("32e9"),s=n("84f2"),l=n("41a0"),c=n("7f20"),u=n("38fd"),h=n("2b4c")("iterator"),d=!([].keys&&"next"in[].keys()),f="@@iterator",A="keys",p="values",g=function(){return this};t.exports=function(t,e,n,v,m,y,b){l(n,e,v);var w,E,_,B=function(t){if(!d&&t in j)return j[t];switch(t){case A:return function(){return new n(this,t)};case p:return function(){return new n(this,t)}}return function(){return new n(this,t)}},x=e+" Iterator",C=m==p,k=!1,j=t.prototype,I=j[h]||j[f]||m&&j[m],D=I||B(m),F=m?C?B("entries"):D:void 0,M="Array"==e&&j.entries||I;if(M&&(_=u(M.call(new t)),_!==Object.prototype&&_.next&&(c(_,x,!0),i||"function"==typeof _[h]||a(_,h,g))),C&&I&&I.name!==p&&(k=!0,D=function(){return I.call(this)}),i&&!b||!d&&!k&&j[h]||a(j,h,D),s[e]=D,s[x]=g,m)if(w={values:C?D:B(p),keys:y?D:B(A),entries:F},b)for(E in w)E in j||r(j,E,w[E]);else o(o.P+o.F*(d||k),e,w);return w}},"02f4":function(t,e,n){var i=n("4588"),o=n("be13");t.exports=function(t){return function(e,n){var r,a,s=String(o(e)),l=i(n),c=s.length;return l<0||l>=c?t?"":void 0:(r=s.charCodeAt(l),r<55296||r>56319||l+1===c||(a=s.charCodeAt(l+1))<56320||a>57343?t?s.charAt(l):r:t?s.slice(l,l+2):a-56320+(r-55296<<10)+65536)}}},"0390":function(t,e,n){"use strict";var i=n("02f4")(!0);t.exports=function(t,e,n){return e+(n?i(t,e).length:1)}},"0395":function(t,e,n){var i=n("36c3"),o=n("6abf").f,r={}.toString,a="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],s=function(t){try{return o(t)}catch(e){return a.slice()}};t.exports.f=function(t){return a&&"[object Window]"==r.call(t)?s(t):o(i(t))}},"0607":function(t,e,n){var i=n("3051");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("d2185c6c",i,!0,{sourceMap:!1,shadowMode:!1})},"06c0":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'.van-loading{color:#c8c9cc;font-size:0}.van-loading,.van-loading__spinner{position:relative;vertical-align:middle}.van-loading__spinner{display:inline-block;width:30px;max-width:100%;height:30px;max-height:100%;-webkit-animation:van-rotate .8s linear infinite;animation:van-rotate .8s linear infinite}.van-loading__spinner--spinner{-webkit-animation-timing-function:steps(12);animation-timing-function:steps(12)}.van-loading__spinner--spinner i{position:absolute;top:0;left:0;width:100%;height:100%}.van-loading__spinner--spinner i:before{display:block;width:2px;height:25%;margin:0 auto;background-color:currentColor;border-radius:40%;content:" "}.van-loading__spinner--circular{-webkit-animation-duration:2s;animation-duration:2s}.van-loading__circular{display:block;width:100%;height:100%}.van-loading__circular circle{-webkit-animation:van-circular 1.5s ease-in-out infinite;animation:van-circular 1.5s ease-in-out infinite;stroke:currentColor;stroke-width:3;stroke-linecap:round}.van-loading__text{display:inline-block;margin-left:8px;color:#969799;font-size:14px;vertical-align:middle}.van-loading--vertical{display:-webkit-box;display:-webkit-flex;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column;-webkit-box-align:center;-webkit-align-items:center;align-items:center}.van-loading--vertical .van-loading__text{margin:8px 0 0}@-webkit-keyframes van-circular{0%{stroke-dasharray:1,200;stroke-dashoffset:0}50%{stroke-dasharray:90,150;stroke-dashoffset:-40}to{stroke-dasharray:90,150;stroke-dashoffset:-120}}@keyframes van-circular{0%{stroke-dasharray:1,200;stroke-dashoffset:0}50%{stroke-dasharray:90,150;stroke-dashoffset:-40}to{stroke-dasharray:90,150;stroke-dashoffset:-120}}.van-loading__spinner--spinner i:first-of-type{-webkit-transform:rotate(30deg);transform:rotate(30deg);opacity:1}.van-loading__spinner--spinner i:nth-of-type(2){-webkit-transform:rotate(60deg);transform:rotate(60deg);opacity:.9375}.van-loading__spinner--spinner i:nth-of-type(3){-webkit-transform:rotate(90deg);transform:rotate(90deg);opacity:.875}.van-loading__spinner--spinner i:nth-of-type(4){-webkit-transform:rotate(120deg);transform:rotate(120deg);opacity:.8125}.van-loading__spinner--spinner i:nth-of-type(5){-webkit-transform:rotate(150deg);transform:rotate(150deg);opacity:.75}.van-loading__spinner--spinner i:nth-of-type(6){-webkit-transform:rotate(180deg);transform:rotate(180deg);opacity:.6875}.van-loading__spinner--spinner i:nth-of-type(7){-webkit-transform:rotate(210deg);transform:rotate(210deg);opacity:.625}.van-loading__spinner--spinner i:nth-of-type(8){-webkit-transform:rotate(240deg);transform:rotate(240deg);opacity:.5625}.van-loading__spinner--spinner i:nth-of-type(9){-webkit-transform:rotate(270deg);transform:rotate(270deg);opacity:.5}.van-loading__spinner--spinner i:nth-of-type(10){-webkit-transform:rotate(300deg);transform:rotate(300deg);opacity:.4375}.van-loading__spinner--spinner i:nth-of-type(11){-webkit-transform:rotate(330deg);transform:rotate(330deg);opacity:.375}.van-loading__spinner--spinner i:nth-of-type(12){-webkit-transform:rotate(1turn);transform:rotate(1turn);opacity:.3125}',""])},"07e3":function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},"0a06":function(t,e,n){"use strict";var i=n("c532"),o=n("30b5"),r=n("f6b4"),a=n("5270"),s=n("4a7b");function l(t){this.defaults=t,this.interceptors={request:new r,response:new r}}l.prototype.request=function(t){"string"===typeof t?(t=arguments[1]||{},t.url=arguments[0]):t=t||{},t=s(this.defaults,t),t.method?t.method=t.method.toLowerCase():this.defaults.method?t.method=this.defaults.method.toLowerCase():t.method="get";var e=[a,void 0],n=Promise.resolve(t);this.interceptors.request.forEach((function(t){e.unshift(t.fulfilled,t.rejected)})),this.interceptors.response.forEach((function(t){e.push(t.fulfilled,t.rejected)}));while(e.length)n=n.then(e.shift(),e.shift());return n},l.prototype.getUri=function(t){return t=s(this.defaults,t),o(t.url,t.params,t.paramsSerializer).replace(/^\?/,"")},i.forEach(["delete","get","head","options"],(function(t){l.prototype[t]=function(e,n){return this.request(i.merge(n||{},{method:t,url:e}))}})),i.forEach(["post","put","patch"],(function(t){l.prototype[t]=function(e,n,o){return this.request(i.merge(o||{},{method:t,url:e,data:n}))}})),t.exports=l},"0a49":function(t,e,n){var i=n("9b43"),o=n("626a"),r=n("4bf8"),a=n("9def"),s=n("cd1c");t.exports=function(t,e){var n=1==t,l=2==t,c=3==t,u=4==t,h=6==t,d=5==t||h,f=e||s;return function(e,s,A){for(var p,g,v=r(e),m=o(v),y=i(s,A,3),b=a(m.length),w=0,E=n?f(e,b):l?f(e,0):void 0;b>w;w++)if((d||w in m)&&(p=m[w],g=y(p,w,v),t))if(n)E[w]=g;else if(g)switch(t){case 3:return!0;case 5:return p;case 6:return w;case 2:E.push(p)}else if(u)return!1;return h?-1:c||u?u:E}}},"0bfb":function(t,e,n){"use strict";var i=n("cb7c");t.exports=function(){var t=i(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e}},"0d58":function(t,e,n){var i=n("ce10"),o=n("e11e");t.exports=Object.keys||function(t){return i(t,o)}},"0d6d":function(t,e,n){var i=n("d3f4"),o=n("67ab").onFreeze;n("5eda")("freeze",(function(t){return function(e){return t&&i(e)?t(o(e)):e}}))},"0df6":function(t,e,n){"use strict";t.exports=function(t){return function(e){return t.apply(null,e)}}},"0fc9":function(t,e,n){var i=n("3a38"),o=Math.max,r=Math.min;t.exports=function(t,e){return t=i(t),t<0?o(t+e,0):r(t,e)}},1169:function(t,e,n){var i=n("2d95");t.exports=Array.isArray||function(t){return"Array"==i(t)}},1182:function(t,e,n){"use strict";e.__esModule=!0,e.addUnit=a,e.unitToPx=h;var i,o=n("e5f6"),r=n("d29d");function a(t){if((0,o.isDef)(t))return t=String(t),(0,r.isNumeric)(t)?t+"px":t}function s(){if(!i){var t=document.documentElement,e=t.style.fontSize||window.getComputedStyle(t).fontSize;i=parseFloat(e)}return i}function l(t){return t=t.replace(/rem/g,""),+t*s()}function c(t){return t=t.replace(/vw/g,""),+t*window.innerWidth/100}function u(t){return t=t.replace(/vh/g,""),+t*window.innerHeight/100}function h(t){if("number"===typeof t)return t;if(o.inBrowser){if(-1!==t.indexOf("rem"))return l(t);if(-1!==t.indexOf("vw"))return c(t);if(-1!==t.indexOf("vh"))return u(t)}return parseFloat(t)}},"11e9":function(t,e,n){var i=n("52a7"),o=n("4630"),r=n("6821"),a=n("6a99"),s=n("69a8"),l=n("c69a"),c=Object.getOwnPropertyDescriptor;e.f=n("9e1e")?c:function(t,e){if(t=r(t),e=a(e,!0),l)try{return c(t,e)}catch(n){}if(s(t,e))return o(!i.f.call(t,e),t[e])}},"13e9":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".myVideoPlayer video{-o-object-fit:fill;object-fit:fill}",""])},1495:function(t,e,n){var i=n("86cc"),o=n("cb7c"),r=n("0d58");t.exports=n("9e1e")?Object.defineProperties:function(t,e){o(t);var n,a=r(e),s=a.length,l=0;while(s>l)i.f(t,n=a[l++],e[n]);return t}},1654:function(t,e,n){"use strict";var i=n("71c1")(!0);n("30f1")(String,"String",(function(t){this._t=String(t),this._i=0}),(function(){var t,e=this._t,n=this._i;return n>=e.length?{value:void 0,done:!0}:(t=i(e,n),this._i+=t.length,{value:t,done:!1})}))},1691:function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},"174b":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-swipe-item{position:relative;-webkit-flex-shrink:0;flex-shrink:0;width:100%;height:100%}",""])},"18d0":function(t,e,n){"use strict";e.__esModule=!0,e.on=a,e.off=s,e.stopPropagation=l,e.preventDefault=c,e.supportsPassive=void 0;var i=n("e5f6"),o=!1;if(e.supportsPassive=o,!i.isServer)try{var r={};Object.defineProperty(r,"passive",{get:function(){e.supportsPassive=o=!0}}),window.addEventListener("test-passive",null,r)}catch(u){}function a(t,e,n,r){void 0===r&&(r=!1),i.isServer||t.addEventListener(e,n,!!o&&{capture:!1,passive:r})}function s(t,e,n){i.isServer||t.removeEventListener(e,n)}function l(t){t.stopPropagation()}function c(t,e){("boolean"!==typeof t.cancelable||t.cancelable)&&t.preventDefault(),e&&l(t)}},"1af6":function(t,e,n){var i=n("63b6");i(i.S,"Array",{isArray:n("9003")})},"1b8d":function(t,e){function n(t){return t.replace(/\n\r?\s*/g,"")}t.exports=function(t){for(var e="",i=0;i<arguments.length;i++)e+=n(t[i])+(arguments[i+1]||"");return e}},"1bc3":function(t,e,n){var i=n("f772");t.exports=function(t,e){if(!i(t))return t;var n,o;if(e&&"function"==typeof(n=t.toString)&&!i(o=n.call(t)))return o;if("function"==typeof(n=t.valueOf)&&!i(o=n.call(t)))return o;if(!e&&"function"==typeof(n=t.toString)&&!i(o=n.call(t)))return o;throw TypeError("Can't convert object to primitive value")}},"1be6":function(t,e,n){"use strict";e.__esModule=!0,e.lockClick=o;var i=0;function o(t){t?(i||document.body.classList.add("van-toast--unclickable"),i++):(i--,i||document.body.classList.remove("van-toast--unclickable"))}},"1c35":function(t,e,n){"use strict";(function(t){
  1 +(function(t,e){"object"===typeof exports&&"object"===typeof module?module.exports=e(require("vue")):"function"===typeof define&&define.amd?define([],e):"object"===typeof exports?exports["engine"]=e(require("vue")):t["engine"]=e(t["Vue"])})("undefined"!==typeof self?self:this,(function(t){return function(t){var e={};function n(i){if(e[i])return e[i].exports;var r=e[i]={i:i,l:!1,exports:{}};return t[i].call(r.exports,r,r.exports,n),r.l=!0,r.exports}return n.m=t,n.c=e,n.d=function(t,e,i){n.o(t,e)||Object.defineProperty(t,e,{enumerable:!0,get:i})},n.r=function(t){"undefined"!==typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},n.t=function(t,e){if(1&e&&(t=n(t)),8&e)return t;if(4&e&&"object"===typeof t&&t&&t.__esModule)return t;var i=Object.create(null);if(n.r(i),Object.defineProperty(i,"default",{enumerable:!0,value:t}),2&e&&"string"!=typeof t)for(var r in t)n.d(i,r,function(e){return t[e]}.bind(null,r));return i},n.n=function(t){var e=t&&t.__esModule?function(){return t["default"]}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s="fb15")}({0:function(t,e){},"014b":function(t,e,n){"use strict";var i=n("e53d"),r=n("07e3"),o=n("8e60"),a=n("63b6"),s=n("9138"),l=n("ebfd").KEY,u=n("294c"),c=n("dbdb"),h=n("45f2"),d=n("62a0"),f=n("5168"),p=n("ccb9"),v=n("6718"),m=n("47ee"),g=n("9003"),y=n("e4ae"),_=n("f772"),b=n("241e"),w=n("36c3"),A=n("1bc3"),x=n("aebd"),k=n("a159"),j=n("0395"),C=n("bf0b"),T=n("9aa9"),E=n("d9f6"),S=n("c3a1"),O=C.f,q=E.f,N=j.f,D=i.Symbol,M=i.JSON,P=M&&M.stringify,L="prototype",B=f("_hidden"),I=f("toPrimitive"),R={}.propertyIsEnumerable,F=c("symbol-registry"),z=c("symbols"),V=c("op-symbols"),Y=Object[L],H="function"==typeof D&&!!T.f,U=i.QObject,W=!U||!U[L]||!U[L].findChild,G=o&&u((function(){return 7!=k(q({},"a",{get:function(){return q(this,"a",{value:7}).a}})).a}))?function(t,e,n){var i=O(Y,e);i&&delete Y[e],q(t,e,n),i&&t!==Y&&q(Y,e,i)}:q,Q=function(t){var e=z[t]=k(D[L]);return e._k=t,e},Z=H&&"symbol"==typeof D.iterator?function(t){return"symbol"==typeof t}:function(t){return t instanceof D},K=function(t,e,n){return t===Y&&K(V,e,n),y(t),e=A(e,!0),y(n),r(z,e)?(n.enumerable?(r(t,B)&&t[B][e]&&(t[B][e]=!1),n=k(n,{enumerable:x(0,!1)})):(r(t,B)||q(t,B,x(1,{})),t[B][e]=!0),G(t,e,n)):q(t,e,n)},J=function(t,e){y(t);var n,i=m(e=w(e)),r=0,o=i.length;while(o>r)K(t,n=i[r++],e[n]);return t},X=function(t,e){return void 0===e?k(t):J(k(t),e)},$=function(t){var e=R.call(this,t=A(t,!0));return!(this===Y&&r(z,t)&&!r(V,t))&&(!(e||!r(this,t)||!r(z,t)||r(this,B)&&this[B][t])||e)},tt=function(t,e){if(t=w(t),e=A(e,!0),t!==Y||!r(z,e)||r(V,e)){var n=O(t,e);return!n||!r(z,e)||r(t,B)&&t[B][e]||(n.enumerable=!0),n}},et=function(t){var e,n=N(w(t)),i=[],o=0;while(n.length>o)r(z,e=n[o++])||e==B||e==l||i.push(e);return i},nt=function(t){var e,n=t===Y,i=N(n?V:w(t)),o=[],a=0;while(i.length>a)!r(z,e=i[a++])||n&&!r(Y,e)||o.push(z[e]);return o};H||(D=function(){if(this instanceof D)throw TypeError("Symbol is not a constructor!");var t=d(arguments.length>0?arguments[0]:void 0),e=function(n){this===Y&&e.call(V,n),r(this,B)&&r(this[B],t)&&(this[B][t]=!1),G(this,t,x(1,n))};return o&&W&&G(Y,t,{configurable:!0,set:e}),Q(t)},s(D[L],"toString",(function(){return this._k})),C.f=tt,E.f=K,n("6abf").f=j.f=et,n("355d").f=$,T.f=nt,o&&!n("b8e3")&&s(Y,"propertyIsEnumerable",$,!0),p.f=function(t){return Q(f(t))}),a(a.G+a.W+a.F*!H,{Symbol:D});for(var it="hasInstance,isConcatSpreadable,iterator,match,replace,search,species,split,toPrimitive,toStringTag,unscopables".split(","),rt=0;it.length>rt;)f(it[rt++]);for(var ot=S(f.store),at=0;ot.length>at;)v(ot[at++]);a(a.S+a.F*!H,"Symbol",{for:function(t){return r(F,t+="")?F[t]:F[t]=D(t)},keyFor:function(t){if(!Z(t))throw TypeError(t+" is not a symbol!");for(var e in F)if(F[e]===t)return e},useSetter:function(){W=!0},useSimple:function(){W=!1}}),a(a.S+a.F*!H,"Object",{create:X,defineProperty:K,defineProperties:J,getOwnPropertyDescriptor:tt,getOwnPropertyNames:et,getOwnPropertySymbols:nt});var st=u((function(){T.f(1)}));a(a.S+a.F*st,"Object",{getOwnPropertySymbols:function(t){return T.f(b(t))}}),M&&a(a.S+a.F*(!H||u((function(){var t=D();return"[null]"!=P([t])||"{}"!=P({a:t})||"{}"!=P(Object(t))}))),"JSON",{stringify:function(t){var e,n,i=[t],r=1;while(arguments.length>r)i.push(arguments[r++]);if(n=e=i[1],(_(e)||void 0!==t)&&!Z(t))return g(e)||(e=function(t,e){if("function"==typeof n&&(e=n.call(this,t,e)),!Z(e))return e}),i[1]=e,P.apply(M,i)}}),D[L][I]||n("35e8")(D[L],I,D[L].valueOf),h(D,"Symbol"),h(Math,"Math",!0),h(i.JSON,"JSON",!0)},"01f9":function(t,e,n){"use strict";var i=n("2d00"),r=n("5ca1"),o=n("2aba"),a=n("32e9"),s=n("84f2"),l=n("41a0"),u=n("7f20"),c=n("38fd"),h=n("2b4c")("iterator"),d=!([].keys&&"next"in[].keys()),f="@@iterator",p="keys",v="values",m=function(){return this};t.exports=function(t,e,n,g,y,_,b){l(n,e,g);var w,A,x,k=function(t){if(!d&&t in E)return E[t];switch(t){case p:return function(){return new n(this,t)};case v:return function(){return new n(this,t)}}return function(){return new n(this,t)}},j=e+" Iterator",C=y==v,T=!1,E=t.prototype,S=E[h]||E[f]||y&&E[y],O=S||k(y),q=y?C?k("entries"):O:void 0,N="Array"==e&&E.entries||S;if(N&&(x=c(N.call(new t)),x!==Object.prototype&&x.next&&(u(x,j,!0),i||"function"==typeof x[h]||a(x,h,m))),C&&S&&S.name!==v&&(T=!0,O=function(){return S.call(this)}),i&&!b||!d&&!T&&E[h]||a(E,h,O),s[e]=O,s[j]=m,y)if(w={values:C?O:k(v),keys:_?O:k(p),entries:q},b)for(A in w)A in E||o(E,A,w[A]);else r(r.P+r.F*(d||T),e,w);return w}},"02f4":function(t,e,n){var i=n("4588"),r=n("be13");t.exports=function(t){return function(e,n){var o,a,s=String(r(e)),l=i(n),u=s.length;return l<0||l>=u?t?"":void 0:(o=s.charCodeAt(l),o<55296||o>56319||l+1===u||(a=s.charCodeAt(l+1))<56320||a>57343?t?s.charAt(l):o:t?s.slice(l,l+2):a-56320+(o-55296<<10)+65536)}}},"0390":function(t,e,n){"use strict";var i=n("02f4")(!0);t.exports=function(t,e,n){return e+(n?i(t,e).length:1)}},"0395":function(t,e,n){var i=n("36c3"),r=n("6abf").f,o={}.toString,a="object"==typeof window&&window&&Object.getOwnPropertyNames?Object.getOwnPropertyNames(window):[],s=function(t){try{return r(t)}catch(e){return a.slice()}};t.exports.f=function(t){return a&&"[object Window]"==o.call(t)?s(t):r(i(t))}},"07e3":function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},"0a06":function(t,e,n){"use strict";var i=n("c532"),r=n("30b5"),o=n("f6b4"),a=n("5270"),s=n("4a7b");function l(t){this.defaults=t,this.interceptors={request:new o,response:new o}}l.prototype.request=function(t){"string"===typeof t?(t=arguments[1]||{},t.url=arguments[0]):t=t||{},t=s(this.defaults,t),t.method?t.method=t.method.toLowerCase():this.defaults.method?t.method=this.defaults.method.toLowerCase():t.method="get";var e=[a,void 0],n=Promise.resolve(t);this.interceptors.request.forEach((function(t){e.unshift(t.fulfilled,t.rejected)})),this.interceptors.response.forEach((function(t){e.push(t.fulfilled,t.rejected)}));while(e.length)n=n.then(e.shift(),e.shift());return n},l.prototype.getUri=function(t){return t=s(this.defaults,t),r(t.url,t.params,t.paramsSerializer).replace(/^\?/,"")},i.forEach(["delete","get","head","options"],(function(t){l.prototype[t]=function(e,n){return this.request(i.merge(n||{},{method:t,url:e}))}})),i.forEach(["post","put","patch"],(function(t){l.prototype[t]=function(e,n,r){return this.request(i.merge(r||{},{method:t,url:e,data:n}))}})),t.exports=l},"0a49":function(t,e,n){var i=n("9b43"),r=n("626a"),o=n("4bf8"),a=n("9def"),s=n("cd1c");t.exports=function(t,e){var n=1==t,l=2==t,u=3==t,c=4==t,h=6==t,d=5==t||h,f=e||s;return function(e,s,p){for(var v,m,g=o(e),y=r(g),_=i(s,p,3),b=a(y.length),w=0,A=n?f(e,b):l?f(e,0):void 0;b>w;w++)if((d||w in y)&&(v=y[w],m=_(v,w,g),t))if(n)A[w]=m;else if(m)switch(t){case 3:return!0;case 5:return v;case 6:return w;case 2:A.push(v)}else if(c)return!1;return h?-1:u||c?c:A}}},"0bfb":function(t,e,n){"use strict";var i=n("cb7c");t.exports=function(){var t=i(this),e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),t.unicode&&(e+="u"),t.sticky&&(e+="y"),e}},"0d58":function(t,e,n){var i=n("ce10"),r=n("e11e");t.exports=Object.keys||function(t){return i(t,r)}},"0d6d":function(t,e,n){var i=n("d3f4"),r=n("67ab").onFreeze;n("5eda")("freeze",(function(t){return function(e){return t&&i(e)?t(r(e)):e}}))},"0df6":function(t,e,n){"use strict";t.exports=function(t){return function(e){return t.apply(null,e)}}},"0fc9":function(t,e,n){var i=n("3a38"),r=Math.max,o=Math.min;t.exports=function(t,e){return t=i(t),t<0?r(t+e,0):o(t,e)}},1169:function(t,e,n){var i=n("2d95");t.exports=Array.isArray||function(t){return"Array"==i(t)}},"11b7":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".eBusStop-line-chart-outer-div,.eBusStop-line-chart-outer-div *{box-sizing:border-box}svg.eBusStop-line-chart{width:100%;height:100%;position:absolute;left:0;font-style:normal;-webkit-font-variant-ligatures:normal;font-variant-ligatures:normal;font-variant-caps:normal;font-variant-numeric:normal;font-variant-east-asian:normal;font-weight:400;font-stretch:normal;font-size:14px;line-height:20px;font-family:Helvetica Neue,Helvetica,Arial,sans-serif}svg.eBusStop-line-chart path.station_link{stroke-width:3.5;stroke:#5e96d2;Pointer-events:none}svg.eBusStop-line-chart circle.station_circle{fill:#5e96d2;stroke:#fdfdfd;stroke-width:3;Pointer-events:none}svg.eBusStop-line-chart text.station_text{-webkit-writing-mode:tb;writing-mode:tb;fill:#3e3e3e;letter-spacing:-.2px;text-shadow:0 0 2px #dadada;Pointer-events:none}svg.eBusStop-line-chart text.station_text.up{fill:#4556b6}",""])},"11e9":function(t,e,n){var i=n("52a7"),r=n("4630"),o=n("6821"),a=n("6a99"),s=n("69a8"),l=n("c69a"),u=Object.getOwnPropertyDescriptor;e.f=n("9e1e")?u:function(t,e){if(t=o(t),e=a(e,!0),l)try{return u(t,e)}catch(n){}if(s(t,e))return r(!i.f.call(t,e),t[e])}},"13e9":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".myVideoPlayer video{-o-object-fit:fill;object-fit:fill}",""])},1495:function(t,e,n){var i=n("86cc"),r=n("cb7c"),o=n("0d58");t.exports=n("9e1e")?Object.defineProperties:function(t,e){r(t);var n,a=o(e),s=a.length,l=0;while(s>l)i.f(t,n=a[l++],e[n]);return t}},1654:function(t,e,n){"use strict";var i=n("71c1")(!0);n("30f1")(String,"String",(function(t){this._t=String(t),this._i=0}),(function(){var t,e=this._t,n=this._i;return n>=e.length?{value:void 0,done:!0}:(t=i(e,n),this._i+=t.length,{value:t,done:!1})}))},1691:function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},"174b":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-swipe-item{position:relative;-webkit-flex-shrink:0;flex-shrink:0;width:100%;height:100%}",""])},"1af6":function(t,e,n){var i=n("63b6");i(i.S,"Array",{isArray:n("9003")})},"1b8d":function(t,e){function n(t){return t.replace(/\n\r?\s*/g,"")}t.exports=function(t){for(var e="",i=0;i<arguments.length;i++)e+=n(t[i])+(arguments[i+1]||"");return e}},"1bc3":function(t,e,n){var i=n("f772");t.exports=function(t,e){if(!i(t))return t;var n,r;if(e&&"function"==typeof(n=t.toString)&&!i(r=n.call(t)))return r;if("function"==typeof(n=t.valueOf)&&!i(r=n.call(t)))return r;if(!e&&"function"==typeof(n=t.toString)&&!i(r=n.call(t)))return r;throw TypeError("Can't convert object to primitive value")}},"1c35":function(t,e,n){"use strict";(function(t){
2 2 /*!
3 3 * The buffer module from node.js, for the browser.
4 4 *
5 5 * @author Feross Aboukhadijeh <http://feross.org>
6 6 * @license MIT
7 7 */
8   -var i=n("1fb5"),o=n("9152"),r=n("bf74");function a(){try{var t=new Uint8Array(1);return t.__proto__={__proto__:Uint8Array.prototype,foo:function(){return 42}},42===t.foo()&&"function"===typeof t.subarray&&0===t.subarray(1,1).byteLength}catch(e){return!1}}function s(){return c.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function l(t,e){if(s()<e)throw new RangeError("Invalid typed array length");return c.TYPED_ARRAY_SUPPORT?(t=new Uint8Array(e),t.__proto__=c.prototype):(null===t&&(t=new c(e)),t.length=e),t}function c(t,e,n){if(!c.TYPED_ARRAY_SUPPORT&&!(this instanceof c))return new c(t,e,n);if("number"===typeof t){if("string"===typeof e)throw new Error("If encoding is specified then the first argument must be a string");return f(this,t)}return u(this,t,e,n)}function u(t,e,n,i){if("number"===typeof e)throw new TypeError('"value" argument must not be a number');return"undefined"!==typeof ArrayBuffer&&e instanceof ArrayBuffer?g(t,e,n,i):"string"===typeof e?A(t,e,n):v(t,e)}function h(t){if("number"!==typeof t)throw new TypeError('"size" argument must be a number');if(t<0)throw new RangeError('"size" argument must not be negative')}function d(t,e,n,i){return h(e),e<=0?l(t,e):void 0!==n?"string"===typeof i?l(t,e).fill(n,i):l(t,e).fill(n):l(t,e)}function f(t,e){if(h(e),t=l(t,e<0?0:0|m(e)),!c.TYPED_ARRAY_SUPPORT)for(var n=0;n<e;++n)t[n]=0;return t}function A(t,e,n){if("string"===typeof n&&""!==n||(n="utf8"),!c.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var i=0|b(e,n);t=l(t,i);var o=t.write(e,n);return o!==i&&(t=t.slice(0,o)),t}function p(t,e){var n=e.length<0?0:0|m(e.length);t=l(t,n);for(var i=0;i<n;i+=1)t[i]=255&e[i];return t}function g(t,e,n,i){if(e.byteLength,n<0||e.byteLength<n)throw new RangeError("'offset' is out of bounds");if(e.byteLength<n+(i||0))throw new RangeError("'length' is out of bounds");return e=void 0===n&&void 0===i?new Uint8Array(e):void 0===i?new Uint8Array(e,n):new Uint8Array(e,n,i),c.TYPED_ARRAY_SUPPORT?(t=e,t.__proto__=c.prototype):t=p(t,e),t}function v(t,e){if(c.isBuffer(e)){var n=0|m(e.length);return t=l(t,n),0===t.length?t:(e.copy(t,0,0,n),t)}if(e){if("undefined"!==typeof ArrayBuffer&&e.buffer instanceof ArrayBuffer||"length"in e)return"number"!==typeof e.length||et(e.length)?l(t,0):p(t,e);if("Buffer"===e.type&&r(e.data))return p(t,e.data)}throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}function m(t){if(t>=s())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+s().toString(16)+" bytes");return 0|t}function y(t){return+t!=t&&(t=0),c.alloc(+t)}function b(t,e){if(c.isBuffer(t))return t.length;if("undefined"!==typeof ArrayBuffer&&"function"===typeof ArrayBuffer.isView&&(ArrayBuffer.isView(t)||t instanceof ArrayBuffer))return t.byteLength;"string"!==typeof t&&(t=""+t);var n=t.length;if(0===n)return 0;for(var i=!1;;)switch(e){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return X(t).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return $(t).length;default:if(i)return X(t).length;e=(""+e).toLowerCase(),i=!0}}function w(t,e,n){var i=!1;if((void 0===e||e<0)&&(e=0),e>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if(n>>>=0,e>>>=0,n<=e)return"";t||(t="utf8");while(1)switch(t){case"hex":return Y(this,e,n);case"utf8":case"utf-8":return M(this,e,n);case"ascii":return S(this,e,n);case"latin1":case"binary":return Q(this,e,n);case"base64":return F(this,e,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return O(this,e,n);default:if(i)throw new TypeError("Unknown encoding: "+t);t=(t+"").toLowerCase(),i=!0}}function E(t,e,n){var i=t[e];t[e]=t[n],t[n]=i}function _(t,e,n,i,o){if(0===t.length)return-1;if("string"===typeof n?(i=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=o?0:t.length-1),n<0&&(n=t.length+n),n>=t.length){if(o)return-1;n=t.length-1}else if(n<0){if(!o)return-1;n=0}if("string"===typeof e&&(e=c.from(e,i)),c.isBuffer(e))return 0===e.length?-1:B(t,e,n,i,o);if("number"===typeof e)return e&=255,c.TYPED_ARRAY_SUPPORT&&"function"===typeof Uint8Array.prototype.indexOf?o?Uint8Array.prototype.indexOf.call(t,e,n):Uint8Array.prototype.lastIndexOf.call(t,e,n):B(t,[e],n,i,o);throw new TypeError("val must be string, number or Buffer")}function B(t,e,n,i,o){var r,a=1,s=t.length,l=e.length;if(void 0!==i&&(i=String(i).toLowerCase(),"ucs2"===i||"ucs-2"===i||"utf16le"===i||"utf-16le"===i)){if(t.length<2||e.length<2)return-1;a=2,s/=2,l/=2,n/=2}function c(t,e){return 1===a?t[e]:t.readUInt16BE(e*a)}if(o){var u=-1;for(r=n;r<s;r++)if(c(t,r)===c(e,-1===u?0:r-u)){if(-1===u&&(u=r),r-u+1===l)return u*a}else-1!==u&&(r-=r-u),u=-1}else for(n+l>s&&(n=s-l),r=n;r>=0;r--){for(var h=!0,d=0;d<l;d++)if(c(t,r+d)!==c(e,d)){h=!1;break}if(h)return r}return-1}function x(t,e,n,i){n=Number(n)||0;var o=t.length-n;i?(i=Number(i),i>o&&(i=o)):i=o;var r=e.length;if(r%2!==0)throw new TypeError("Invalid hex string");i>r/2&&(i=r/2);for(var a=0;a<i;++a){var s=parseInt(e.substr(2*a,2),16);if(isNaN(s))return a;t[n+a]=s}return a}function C(t,e,n,i){return tt(X(e,t.length-n),t,n,i)}function k(t,e,n,i){return tt(Z(e),t,n,i)}function j(t,e,n,i){return k(t,e,n,i)}function I(t,e,n,i){return tt($(e),t,n,i)}function D(t,e,n,i){return tt(K(e,t.length-n),t,n,i)}function F(t,e,n){return 0===e&&n===t.length?i.fromByteArray(t):i.fromByteArray(t.slice(e,n))}function M(t,e,n){n=Math.min(t.length,n);var i=[],o=e;while(o<n){var r,a,s,l,c=t[o],u=null,h=c>239?4:c>223?3:c>191?2:1;if(o+h<=n)switch(h){case 1:c<128&&(u=c);break;case 2:r=t[o+1],128===(192&r)&&(l=(31&c)<<6|63&r,l>127&&(u=l));break;case 3:r=t[o+1],a=t[o+2],128===(192&r)&&128===(192&a)&&(l=(15&c)<<12|(63&r)<<6|63&a,l>2047&&(l<55296||l>57343)&&(u=l));break;case 4:r=t[o+1],a=t[o+2],s=t[o+3],128===(192&r)&&128===(192&a)&&128===(192&s)&&(l=(15&c)<<18|(63&r)<<12|(63&a)<<6|63&s,l>65535&&l<1114112&&(u=l))}null===u?(u=65533,h=1):u>65535&&(u-=65536,i.push(u>>>10&1023|55296),u=56320|1023&u),i.push(u),o+=h}return N(i)}e.Buffer=c,e.SlowBuffer=y,e.INSPECT_MAX_BYTES=50,c.TYPED_ARRAY_SUPPORT=void 0!==t.TYPED_ARRAY_SUPPORT?t.TYPED_ARRAY_SUPPORT:a(),e.kMaxLength=s(),c.poolSize=8192,c._augment=function(t){return t.__proto__=c.prototype,t},c.from=function(t,e,n){return u(null,t,e,n)},c.TYPED_ARRAY_SUPPORT&&(c.prototype.__proto__=Uint8Array.prototype,c.__proto__=Uint8Array,"undefined"!==typeof Symbol&&Symbol.species&&c[Symbol.species]===c&&Object.defineProperty(c,Symbol.species,{value:null,configurable:!0})),c.alloc=function(t,e,n){return d(null,t,e,n)},c.allocUnsafe=function(t){return f(null,t)},c.allocUnsafeSlow=function(t){return f(null,t)},c.isBuffer=function(t){return!(null==t||!t._isBuffer)},c.compare=function(t,e){if(!c.isBuffer(t)||!c.isBuffer(e))throw new TypeError("Arguments must be Buffers");if(t===e)return 0;for(var n=t.length,i=e.length,o=0,r=Math.min(n,i);o<r;++o)if(t[o]!==e[o]){n=t[o],i=e[o];break}return n<i?-1:i<n?1:0},c.isEncoding=function(t){switch(String(t).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},c.concat=function(t,e){if(!r(t))throw new TypeError('"list" argument must be an Array of Buffers');if(0===t.length)return c.alloc(0);var n;if(void 0===e)for(e=0,n=0;n<t.length;++n)e+=t[n].length;var i=c.allocUnsafe(e),o=0;for(n=0;n<t.length;++n){var a=t[n];if(!c.isBuffer(a))throw new TypeError('"list" argument must be an Array of Buffers');a.copy(i,o),o+=a.length}return i},c.byteLength=b,c.prototype._isBuffer=!0,c.prototype.swap16=function(){var t=this.length;if(t%2!==0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var e=0;e<t;e+=2)E(this,e,e+1);return this},c.prototype.swap32=function(){var t=this.length;if(t%4!==0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var e=0;e<t;e+=4)E(this,e,e+3),E(this,e+1,e+2);return this},c.prototype.swap64=function(){var t=this.length;if(t%8!==0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var e=0;e<t;e+=8)E(this,e,e+7),E(this,e+1,e+6),E(this,e+2,e+5),E(this,e+3,e+4);return this},c.prototype.toString=function(){var t=0|this.length;return 0===t?"":0===arguments.length?M(this,0,t):w.apply(this,arguments)},c.prototype.equals=function(t){if(!c.isBuffer(t))throw new TypeError("Argument must be a Buffer");return this===t||0===c.compare(this,t)},c.prototype.inspect=function(){var t="",n=e.INSPECT_MAX_BYTES;return this.length>0&&(t=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(t+=" ... ")),"<Buffer "+t+">"},c.prototype.compare=function(t,e,n,i,o){if(!c.isBuffer(t))throw new TypeError("Argument must be a Buffer");if(void 0===e&&(e=0),void 0===n&&(n=t?t.length:0),void 0===i&&(i=0),void 0===o&&(o=this.length),e<0||n>t.length||i<0||o>this.length)throw new RangeError("out of range index");if(i>=o&&e>=n)return 0;if(i>=o)return-1;if(e>=n)return 1;if(e>>>=0,n>>>=0,i>>>=0,o>>>=0,this===t)return 0;for(var r=o-i,a=n-e,s=Math.min(r,a),l=this.slice(i,o),u=t.slice(e,n),h=0;h<s;++h)if(l[h]!==u[h]){r=l[h],a=u[h];break}return r<a?-1:a<r?1:0},c.prototype.includes=function(t,e,n){return-1!==this.indexOf(t,e,n)},c.prototype.indexOf=function(t,e,n){return _(this,t,e,n,!0)},c.prototype.lastIndexOf=function(t,e,n){return _(this,t,e,n,!1)},c.prototype.write=function(t,e,n,i){if(void 0===e)i="utf8",n=this.length,e=0;else if(void 0===n&&"string"===typeof e)i=e,n=this.length,e=0;else{if(!isFinite(e))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");e|=0,isFinite(n)?(n|=0,void 0===i&&(i="utf8")):(i=n,n=void 0)}var o=this.length-e;if((void 0===n||n>o)&&(n=o),t.length>0&&(n<0||e<0)||e>this.length)throw new RangeError("Attempt to write outside buffer bounds");i||(i="utf8");for(var r=!1;;)switch(i){case"hex":return x(this,t,e,n);case"utf8":case"utf-8":return C(this,t,e,n);case"ascii":return k(this,t,e,n);case"latin1":case"binary":return j(this,t,e,n);case"base64":return I(this,t,e,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return D(this,t,e,n);default:if(r)throw new TypeError("Unknown encoding: "+i);i=(""+i).toLowerCase(),r=!0}},c.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var T=4096;function N(t){var e=t.length;if(e<=T)return String.fromCharCode.apply(String,t);var n="",i=0;while(i<e)n+=String.fromCharCode.apply(String,t.slice(i,i+=T));return n}function S(t,e,n){var i="";n=Math.min(t.length,n);for(var o=e;o<n;++o)i+=String.fromCharCode(127&t[o]);return i}function Q(t,e,n){var i="";n=Math.min(t.length,n);for(var o=e;o<n;++o)i+=String.fromCharCode(t[o]);return i}function Y(t,e,n){var i=t.length;(!e||e<0)&&(e=0),(!n||n<0||n>i)&&(n=i);for(var o="",r=e;r<n;++r)o+=V(t[r]);return o}function O(t,e,n){for(var i=t.slice(e,n),o="",r=0;r<i.length;r+=2)o+=String.fromCharCode(i[r]+256*i[r+1]);return o}function R(t,e,n){if(t%1!==0||t<0)throw new RangeError("offset is not uint");if(t+e>n)throw new RangeError("Trying to access beyond buffer length")}function P(t,e,n,i,o,r){if(!c.isBuffer(t))throw new TypeError('"buffer" argument must be a Buffer instance');if(e>o||e<r)throw new RangeError('"value" argument is out of bounds');if(n+i>t.length)throw new RangeError("Index out of range")}function q(t,e,n,i){e<0&&(e=65535+e+1);for(var o=0,r=Math.min(t.length-n,2);o<r;++o)t[n+o]=(e&255<<8*(i?o:1-o))>>>8*(i?o:1-o)}function U(t,e,n,i){e<0&&(e=4294967295+e+1);for(var o=0,r=Math.min(t.length-n,4);o<r;++o)t[n+o]=e>>>8*(i?o:3-o)&255}function L(t,e,n,i,o,r){if(n+i>t.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function z(t,e,n,i,r){return r||L(t,e,n,4,34028234663852886e22,-34028234663852886e22),o.write(t,e,n,i,23,4),n+4}function H(t,e,n,i,r){return r||L(t,e,n,8,17976931348623157e292,-17976931348623157e292),o.write(t,e,n,i,52,8),n+8}c.prototype.slice=function(t,e){var n,i=this.length;if(t=~~t,e=void 0===e?i:~~e,t<0?(t+=i,t<0&&(t=0)):t>i&&(t=i),e<0?(e+=i,e<0&&(e=0)):e>i&&(e=i),e<t&&(e=t),c.TYPED_ARRAY_SUPPORT)n=this.subarray(t,e),n.__proto__=c.prototype;else{var o=e-t;n=new c(o,void 0);for(var r=0;r<o;++r)n[r]=this[r+t]}return n},c.prototype.readUIntLE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t],o=1,r=0;while(++r<e&&(o*=256))i+=this[t+r]*o;return i},c.prototype.readUIntBE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t+--e],o=1;while(e>0&&(o*=256))i+=this[t+--e]*o;return i},c.prototype.readUInt8=function(t,e){return e||R(t,1,this.length),this[t]},c.prototype.readUInt16LE=function(t,e){return e||R(t,2,this.length),this[t]|this[t+1]<<8},c.prototype.readUInt16BE=function(t,e){return e||R(t,2,this.length),this[t]<<8|this[t+1]},c.prototype.readUInt32LE=function(t,e){return e||R(t,4,this.length),(this[t]|this[t+1]<<8|this[t+2]<<16)+16777216*this[t+3]},c.prototype.readUInt32BE=function(t,e){return e||R(t,4,this.length),16777216*this[t]+(this[t+1]<<16|this[t+2]<<8|this[t+3])},c.prototype.readIntLE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t],o=1,r=0;while(++r<e&&(o*=256))i+=this[t+r]*o;return o*=128,i>=o&&(i-=Math.pow(2,8*e)),i},c.prototype.readIntBE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=e,o=1,r=this[t+--i];while(i>0&&(o*=256))r+=this[t+--i]*o;return o*=128,r>=o&&(r-=Math.pow(2,8*e)),r},c.prototype.readInt8=function(t,e){return e||R(t,1,this.length),128&this[t]?-1*(255-this[t]+1):this[t]},c.prototype.readInt16LE=function(t,e){e||R(t,2,this.length);var n=this[t]|this[t+1]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt16BE=function(t,e){e||R(t,2,this.length);var n=this[t+1]|this[t]<<8;return 32768&n?4294901760|n:n},c.prototype.readInt32LE=function(t,e){return e||R(t,4,this.length),this[t]|this[t+1]<<8|this[t+2]<<16|this[t+3]<<24},c.prototype.readInt32BE=function(t,e){return e||R(t,4,this.length),this[t]<<24|this[t+1]<<16|this[t+2]<<8|this[t+3]},c.prototype.readFloatLE=function(t,e){return e||R(t,4,this.length),o.read(this,t,!0,23,4)},c.prototype.readFloatBE=function(t,e){return e||R(t,4,this.length),o.read(this,t,!1,23,4)},c.prototype.readDoubleLE=function(t,e){return e||R(t,8,this.length),o.read(this,t,!0,52,8)},c.prototype.readDoubleBE=function(t,e){return e||R(t,8,this.length),o.read(this,t,!1,52,8)},c.prototype.writeUIntLE=function(t,e,n,i){if(t=+t,e|=0,n|=0,!i){var o=Math.pow(2,8*n)-1;P(this,t,e,n,o,0)}var r=1,a=0;this[e]=255&t;while(++a<n&&(r*=256))this[e+a]=t/r&255;return e+n},c.prototype.writeUIntBE=function(t,e,n,i){if(t=+t,e|=0,n|=0,!i){var o=Math.pow(2,8*n)-1;P(this,t,e,n,o,0)}var r=n-1,a=1;this[e+r]=255&t;while(--r>=0&&(a*=256))this[e+r]=t/a&255;return e+n},c.prototype.writeUInt8=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,1,255,0),c.TYPED_ARRAY_SUPPORT||(t=Math.floor(t)),this[e]=255&t,e+1},c.prototype.writeUInt16LE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8):q(this,t,e,!0),e+2},c.prototype.writeUInt16BE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,2,65535,0),c.TYPED_ARRAY_SUPPORT?(this[e]=t>>>8,this[e+1]=255&t):q(this,t,e,!1),e+2},c.prototype.writeUInt32LE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[e+3]=t>>>24,this[e+2]=t>>>16,this[e+1]=t>>>8,this[e]=255&t):U(this,t,e,!0),e+4},c.prototype.writeUInt32BE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,4,4294967295,0),c.TYPED_ARRAY_SUPPORT?(this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t):U(this,t,e,!1),e+4},c.prototype.writeIntLE=function(t,e,n,i){if(t=+t,e|=0,!i){var o=Math.pow(2,8*n-1);P(this,t,e,n,o-1,-o)}var r=0,a=1,s=0;this[e]=255&t;while(++r<n&&(a*=256))t<0&&0===s&&0!==this[e+r-1]&&(s=1),this[e+r]=(t/a>>0)-s&255;return e+n},c.prototype.writeIntBE=function(t,e,n,i){if(t=+t,e|=0,!i){var o=Math.pow(2,8*n-1);P(this,t,e,n,o-1,-o)}var r=n-1,a=1,s=0;this[e+r]=255&t;while(--r>=0&&(a*=256))t<0&&0===s&&0!==this[e+r+1]&&(s=1),this[e+r]=(t/a>>0)-s&255;return e+n},c.prototype.writeInt8=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,1,127,-128),c.TYPED_ARRAY_SUPPORT||(t=Math.floor(t)),t<0&&(t=255+t+1),this[e]=255&t,e+1},c.prototype.writeInt16LE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8):q(this,t,e,!0),e+2},c.prototype.writeInt16BE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,2,32767,-32768),c.TYPED_ARRAY_SUPPORT?(this[e]=t>>>8,this[e+1]=255&t):q(this,t,e,!1),e+2},c.prototype.writeInt32LE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,4,2147483647,-2147483648),c.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8,this[e+2]=t>>>16,this[e+3]=t>>>24):U(this,t,e,!0),e+4},c.prototype.writeInt32BE=function(t,e,n){return t=+t,e|=0,n||P(this,t,e,4,2147483647,-2147483648),t<0&&(t=4294967295+t+1),c.TYPED_ARRAY_SUPPORT?(this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t):U(this,t,e,!1),e+4},c.prototype.writeFloatLE=function(t,e,n){return z(this,t,e,!0,n)},c.prototype.writeFloatBE=function(t,e,n){return z(this,t,e,!1,n)},c.prototype.writeDoubleLE=function(t,e,n){return H(this,t,e,!0,n)},c.prototype.writeDoubleBE=function(t,e,n){return H(this,t,e,!1,n)},c.prototype.copy=function(t,e,n,i){if(n||(n=0),i||0===i||(i=this.length),e>=t.length&&(e=t.length),e||(e=0),i>0&&i<n&&(i=n),i===n)return 0;if(0===t.length||0===this.length)return 0;if(e<0)throw new RangeError("targetStart out of bounds");if(n<0||n>=this.length)throw new RangeError("sourceStart out of bounds");if(i<0)throw new RangeError("sourceEnd out of bounds");i>this.length&&(i=this.length),t.length-e<i-n&&(i=t.length-e+n);var o,r=i-n;if(this===t&&n<e&&e<i)for(o=r-1;o>=0;--o)t[o+e]=this[o+n];else if(r<1e3||!c.TYPED_ARRAY_SUPPORT)for(o=0;o<r;++o)t[o+e]=this[o+n];else Uint8Array.prototype.set.call(t,this.subarray(n,n+r),e);return r},c.prototype.fill=function(t,e,n,i){if("string"===typeof t){if("string"===typeof e?(i=e,e=0,n=this.length):"string"===typeof n&&(i=n,n=this.length),1===t.length){var o=t.charCodeAt(0);o<256&&(t=o)}if(void 0!==i&&"string"!==typeof i)throw new TypeError("encoding must be a string");if("string"===typeof i&&!c.isEncoding(i))throw new TypeError("Unknown encoding: "+i)}else"number"===typeof t&&(t&=255);if(e<0||this.length<e||this.length<n)throw new RangeError("Out of range index");if(n<=e)return this;var r;if(e>>>=0,n=void 0===n?this.length:n>>>0,t||(t=0),"number"===typeof t)for(r=e;r<n;++r)this[r]=t;else{var a=c.isBuffer(t)?t:X(new c(t,i).toString()),s=a.length;for(r=0;r<n-e;++r)this[r+e]=a[r%s]}return this};var G=/[^+\/0-9A-Za-z-_]/g;function W(t){if(t=J(t).replace(G,""),t.length<2)return"";while(t.length%4!==0)t+="=";return t}function J(t){return t.trim?t.trim():t.replace(/^\s+|\s+$/g,"")}function V(t){return t<16?"0"+t.toString(16):t.toString(16)}function X(t,e){var n;e=e||1/0;for(var i=t.length,o=null,r=[],a=0;a<i;++a){if(n=t.charCodeAt(a),n>55295&&n<57344){if(!o){if(n>56319){(e-=3)>-1&&r.push(239,191,189);continue}if(a+1===i){(e-=3)>-1&&r.push(239,191,189);continue}o=n;continue}if(n<56320){(e-=3)>-1&&r.push(239,191,189),o=n;continue}n=65536+(o-55296<<10|n-56320)}else o&&(e-=3)>-1&&r.push(239,191,189);if(o=null,n<128){if((e-=1)<0)break;r.push(n)}else if(n<2048){if((e-=2)<0)break;r.push(n>>6|192,63&n|128)}else if(n<65536){if((e-=3)<0)break;r.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((e-=4)<0)break;r.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return r}function Z(t){for(var e=[],n=0;n<t.length;++n)e.push(255&t.charCodeAt(n));return e}function K(t,e){for(var n,i,o,r=[],a=0;a<t.length;++a){if((e-=2)<0)break;n=t.charCodeAt(a),i=n>>8,o=n%256,r.push(o),r.push(i)}return r}function $(t){return i.toByteArray(W(t))}function tt(t,e,n,i){for(var o=0;o<i;++o){if(o+n>=e.length||o>=t.length)break;e[o+n]=t[o]}return o}function et(t){return t!==t}}).call(this,n("c8ba"))},"1c4c":function(t,e,n){"use strict";var i=n("9b43"),o=n("5ca1"),r=n("4bf8"),a=n("1fa8"),s=n("33a4"),l=n("9def"),c=n("f1ae"),u=n("27ee");o(o.S+o.F*!n("5cc5")((function(t){Array.from(t)})),"Array",{from:function(t){var e,n,o,h,d=r(t),f="function"==typeof this?this:Array,A=arguments.length,p=A>1?arguments[1]:void 0,g=void 0!==p,v=0,m=u(d);if(g&&(p=i(p,A>2?arguments[2]:void 0,2)),void 0==m||f==Array&&s(m))for(e=l(d.length),n=new f(e);e>v;v++)c(n,v,g?p(d[v],v):d[v]);else for(h=m.call(d),n=new f;!(o=h.next()).done;v++)c(n,v,g?a(h,p,[o.value,v],!0):o.value);return n.length=v,n}})},"1d2b":function(t,e,n){"use strict";t.exports=function(t,e){return function(){for(var n=new Array(arguments.length),i=0;i<n.length;i++)n[i]=arguments[i];return t.apply(e,n)}}},"1ec9":function(t,e,n){var i=n("f772"),o=n("e53d").document,r=i(o)&&i(o.createElement);t.exports=function(t){return r?o.createElement(t):{}}},"1fa8":function(t,e,n){var i=n("cb7c");t.exports=function(t,e,n,o){try{return o?e(i(n)[0],n[1]):e(n)}catch(a){var r=t["return"];throw void 0!==r&&i(r.call(t)),a}}},"1fb5":function(t,e,n){"use strict";e.byteLength=u,e.toByteArray=d,e.fromByteArray=p;for(var i=[],o=[],r="undefined"!==typeof Uint8Array?Uint8Array:Array,a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",s=0,l=a.length;s<l;++s)i[s]=a[s],o[a.charCodeAt(s)]=s;function c(t){var e=t.length;if(e%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var n=t.indexOf("=");-1===n&&(n=e);var i=n===e?0:4-n%4;return[n,i]}function u(t){var e=c(t),n=e[0],i=e[1];return 3*(n+i)/4-i}function h(t,e,n){return 3*(e+n)/4-n}function d(t){var e,n,i=c(t),a=i[0],s=i[1],l=new r(h(t,a,s)),u=0,d=s>0?a-4:a;for(n=0;n<d;n+=4)e=o[t.charCodeAt(n)]<<18|o[t.charCodeAt(n+1)]<<12|o[t.charCodeAt(n+2)]<<6|o[t.charCodeAt(n+3)],l[u++]=e>>16&255,l[u++]=e>>8&255,l[u++]=255&e;return 2===s&&(e=o[t.charCodeAt(n)]<<2|o[t.charCodeAt(n+1)]>>4,l[u++]=255&e),1===s&&(e=o[t.charCodeAt(n)]<<10|o[t.charCodeAt(n+1)]<<4|o[t.charCodeAt(n+2)]>>2,l[u++]=e>>8&255,l[u++]=255&e),l}function f(t){return i[t>>18&63]+i[t>>12&63]+i[t>>6&63]+i[63&t]}function A(t,e,n){for(var i,o=[],r=e;r<n;r+=3)i=(t[r]<<16&16711680)+(t[r+1]<<8&65280)+(255&t[r+2]),o.push(f(i));return o.join("")}function p(t){for(var e,n=t.length,o=n%3,r=[],a=16383,s=0,l=n-o;s<l;s+=a)r.push(A(t,s,s+a>l?l:s+a));return 1===o?(e=t[n-1],r.push(i[e>>2]+i[e<<4&63]+"==")):2===o&&(e=(t[n-2]<<8)+t[n-1],r.push(i[e>>10]+i[e>>4&63]+i[e<<2&63]+"=")),r.join("")}o["-".charCodeAt(0)]=62,o["_".charCodeAt(0)]=63},"20fd":function(t,e,n){"use strict";var i=n("d9f6"),o=n("aebd");t.exports=function(t,e,n){e in t?i.f(t,e,o(0,n)):t[e]=n}},"214f":function(t,e,n){"use strict";n("b0c5");var i=n("2aba"),o=n("32e9"),r=n("79e5"),a=n("be13"),s=n("2b4c"),l=n("520a"),c=s("species"),u=!r((function(){var t=/./;return t.exec=function(){var t=[];return t.groups={a:"7"},t},"7"!=="".replace(t,"$<a>")})),h=function(){var t=/(?:)/,e=t.exec;t.exec=function(){return e.apply(this,arguments)};var n="ab".split(t);return 2===n.length&&"a"===n[0]&&"b"===n[1]}();t.exports=function(t,e,n){var d=s(t),f=!r((function(){var e={};return e[d]=function(){return 7},7!=""[t](e)})),A=f?!r((function(){var e=!1,n=/a/;return n.exec=function(){return e=!0,null},"split"===t&&(n.constructor={},n.constructor[c]=function(){return n}),n[d](""),!e})):void 0;if(!f||!A||"replace"===t&&!u||"split"===t&&!h){var p=/./[d],g=n(a,d,""[t],(function(t,e,n,i,o){return e.exec===l?f&&!o?{done:!0,value:p.call(e,n,i)}:{done:!0,value:t.call(n,e,i)}:{done:!1}})),v=g[0],m=g[1];i(String.prototype,t,v),o(RegExp.prototype,d,2==e?function(t,e){return m.call(t,this,e)}:function(t){return m.call(t,this)})}}},"230e":function(t,e,n){var i=n("d3f4"),o=n("7726").document,r=i(o)&&i(o.createElement);t.exports=function(t){return r?o.createElement(t):{}}},2350:function(t,e){function n(t,e){var n=t[1]||"",o=t[3];if(!o)return n;if(e&&"function"===typeof btoa){var r=i(o),a=o.sources.map((function(t){return"/*# sourceURL="+o.sourceRoot+t+" */"}));return[n].concat(a).concat([r]).join("\n")}return[n].join("\n")}function i(t){var e=btoa(unescape(encodeURIComponent(JSON.stringify(t)))),n="sourceMappingURL=data:application/json;charset=utf-8;base64,"+e;return"/*# "+n+" */"}t.exports=function(t){var e=[];return e.toString=function(){return this.map((function(e){var i=n(e,t);return e[2]?"@media "+e[2]+"{"+i+"}":i})).join("")},e.i=function(t,n){"string"===typeof t&&(t=[[null,t,""]]);for(var i={},o=0;o<this.length;o++){var r=this[o][0];"number"===typeof r&&(i[r]=!0)}for(o=0;o<t.length;o++){var a=t[o];"number"===typeof a[0]&&i[a[0]]||(n&&!a[2]?a[2]=n:n&&(a[2]="("+a[2]+") and ("+n+")"),e.push(a))}},e}},"23c6":function(t,e,n){var i=n("2d95"),o=n("2b4c")("toStringTag"),r="Arguments"==i(function(){return arguments}()),a=function(t,e){try{return t[e]}catch(n){}};t.exports=function(t){var e,n,s;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=a(e=Object(t),o))?n:r?i(e):"Object"==(s=i(e))&&"function"==typeof e.callee?"Arguments":s}},"241e":function(t,e,n){var i=n("25eb");t.exports=function(t){return Object(i(t))}},2444:function(t,e,n){"use strict";(function(e){var i=n("c532"),o=n("c8af"),r={"Content-Type":"application/x-www-form-urlencoded"};function a(t,e){!i.isUndefined(t)&&i.isUndefined(t["Content-Type"])&&(t["Content-Type"]=e)}function s(){var t;return("undefined"!==typeof XMLHttpRequest||"undefined"!==typeof e&&"[object process]"===Object.prototype.toString.call(e))&&(t=n("b50d")),t}var l={adapter:s(),transformRequest:[function(t,e){return o(e,"Accept"),o(e,"Content-Type"),i.isFormData(t)||i.isArrayBuffer(t)||i.isBuffer(t)||i.isStream(t)||i.isFile(t)||i.isBlob(t)?t:i.isArrayBufferView(t)?t.buffer:i.isURLSearchParams(t)?(a(e,"application/x-www-form-urlencoded;charset=utf-8"),t.toString()):i.isObject(t)?(a(e,"application/json;charset=utf-8"),JSON.stringify(t)):t}],transformResponse:[function(t){if("string"===typeof t)try{t=JSON.parse(t)}catch(e){}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*"}}};i.forEach(["delete","get","head"],(function(t){l.headers[t]={}})),i.forEach(["post","put","patch"],(function(t){l.headers[t]=i.merge(r)})),t.exports=l}).call(this,n("2820"))},"25eb":function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},2621:function(t,e){e.f=Object.getOwnPropertySymbols},2638:function(t,e,n){"use strict";function i(){return i=Object.assign||function(t){for(var e,n=1;n<arguments.length;n++)for(var i in e=arguments[n],e)Object.prototype.hasOwnProperty.call(e,i)&&(t[i]=e[i]);return t},i.apply(this,arguments)}var o=["attrs","props","domProps"],r=["class","style","directives"],a=["on","nativeOn"],s=function(t){return t.reduce((function(t,e){for(var n in e)if(t[n])if(-1!==o.indexOf(n))t[n]=i({},t[n],e[n]);else if(-1!==r.indexOf(n)){var s=t[n]instanceof Array?t[n]:[t[n]],c=e[n]instanceof Array?e[n]:[e[n]];t[n]=s.concat(c)}else if(-1!==a.indexOf(n))for(var u in e[n])if(t[n][u]){var h=t[n][u]instanceof Array?t[n][u]:[t[n][u]],d=e[n][u]instanceof Array?e[n][u]:[e[n][u]];t[n][u]=h.concat(d)}else t[n][u]=e[n][u];else if("hook"==n)for(var f in e[n])t[n][f]=t[n][f]?l(t[n][f],e[n][f]):e[n][f];else t[n]=e[n];else t[n]=e[n];return t}),{})},l=function(t,e){return function(){t&&t.apply(this,arguments),e&&e.apply(this,arguments)}};t.exports=s},"27ee":function(t,e,n){var i=n("23c6"),o=n("2b4c")("iterator"),r=n("84f2");t.exports=n("8378").getIteratorMethod=function(t){if(void 0!=t)return t[o]||t["@@iterator"]||r[i(t)]}},2820:function(t,e){var n,i,o=t.exports={};function r(){throw new Error("setTimeout has not been defined")}function a(){throw new Error("clearTimeout has not been defined")}function s(t){if(n===setTimeout)return setTimeout(t,0);if((n===r||!n)&&setTimeout)return n=setTimeout,setTimeout(t,0);try{return n(t,0)}catch(e){try{return n.call(null,t,0)}catch(e){return n.call(this,t,0)}}}function l(t){if(i===clearTimeout)return clearTimeout(t);if((i===a||!i)&&clearTimeout)return i=clearTimeout,clearTimeout(t);try{return i(t)}catch(e){try{return i.call(null,t)}catch(e){return i.call(this,t)}}}(function(){try{n="function"===typeof setTimeout?setTimeout:r}catch(t){n=r}try{i="function"===typeof clearTimeout?clearTimeout:a}catch(t){i=a}})();var c,u=[],h=!1,d=-1;function f(){h&&c&&(h=!1,c.length?u=c.concat(u):d=-1,u.length&&A())}function A(){if(!h){var t=s(f);h=!0;var e=u.length;while(e){c=u,u=[];while(++d<e)c&&c[d].run();d=-1,e=u.length}c=null,h=!1,l(t)}}function p(t,e){this.fun=t,this.array=e}function g(){}o.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)e[n-1]=arguments[n];u.push(new p(t,e)),1!==u.length||h||s(A)},p.prototype.run=function(){this.fun.apply(null,this.array)},o.title="browser",o.browser=!0,o.env={},o.argv=[],o.version="",o.versions={},o.on=g,o.addListener=g,o.once=g,o.off=g,o.removeListener=g,o.removeAllListeners=g,o.emit=g,o.prependListener=g,o.prependOnceListener=g,o.listeners=function(t){return[]},o.binding=function(t){throw new Error("process.binding is not supported")},o.cwd=function(){return"/"},o.chdir=function(t){throw new Error("process.chdir is not supported")},o.umask=function(){return 0}},"28a5":function(t,e,n){"use strict";var i=n("aae3"),o=n("cb7c"),r=n("ebd6"),a=n("0390"),s=n("9def"),l=n("5f1b"),c=n("520a"),u=n("79e5"),h=Math.min,d=[].push,f="split",A="length",p="lastIndex",g=4294967295,v=!u((function(){RegExp(g,"y")}));n("214f")("split",2,(function(t,e,n,u){var m;return m="c"=="abbc"[f](/(b)*/)[1]||4!="test"[f](/(?:)/,-1)[A]||2!="ab"[f](/(?:ab)*/)[A]||4!="."[f](/(.?)(.?)/)[A]||"."[f](/()()/)[A]>1||""[f](/.?/)[A]?function(t,e){var o=String(this);if(void 0===t&&0===e)return[];if(!i(t))return n.call(o,t,e);var r,a,s,l=[],u=(t.ignoreCase?"i":"")+(t.multiline?"m":"")+(t.unicode?"u":"")+(t.sticky?"y":""),h=0,f=void 0===e?g:e>>>0,v=new RegExp(t.source,u+"g");while(r=c.call(v,o)){if(a=v[p],a>h&&(l.push(o.slice(h,r.index)),r[A]>1&&r.index<o[A]&&d.apply(l,r.slice(1)),s=r[0][A],h=a,l[A]>=f))break;v[p]===r.index&&v[p]++}return h===o[A]?!s&&v.test("")||l.push(""):l.push(o.slice(h)),l[A]>f?l.slice(0,f):l}:"0"[f](void 0,0)[A]?function(t,e){return void 0===t&&0===e?[]:n.call(this,t,e)}:n,[function(n,i){var o=t(this),r=void 0==n?void 0:n[e];return void 0!==r?r.call(n,o,i):m.call(String(o),n,i)},function(t,e){var i=u(m,t,this,e,m!==n);if(i.done)return i.value;var c=o(t),d=String(this),f=r(c,RegExp),A=c.unicode,p=(c.ignoreCase?"i":"")+(c.multiline?"m":"")+(c.unicode?"u":"")+(v?"y":"g"),y=new f(v?c:"^(?:"+c.source+")",p),b=void 0===e?g:e>>>0;if(0===b)return[];if(0===d.length)return null===l(y,d)?[d]:[];var w=0,E=0,_=[];while(E<d.length){y.lastIndex=v?E:0;var B,x=l(y,v?d:d.slice(E));if(null===x||(B=h(s(y.lastIndex+(v?0:E)),d.length))===w)E=a(d,E,A);else{if(_.push(d.slice(w,E)),_.length===b)return _;for(var C=1;C<=x.length-1;C++)if(_.push(x[C]),_.length===b)return _;E=w=B}}return _.push(d.slice(w)),_}]}))},"294c":function(t,e){t.exports=function(t){try{return!!t()}catch(e){return!0}}},"2aba":function(t,e,n){var i=n("7726"),o=n("32e9"),r=n("69a8"),a=n("ca5a")("src"),s=n("fa5b"),l="toString",c=(""+s).split(l);n("8378").inspectSource=function(t){return s.call(t)},(t.exports=function(t,e,n,s){var l="function"==typeof n;l&&(r(n,"name")||o(n,"name",e)),t[e]!==n&&(l&&(r(n,a)||o(n,a,t[e]?""+t[e]:c.join(String(e)))),t===i?t[e]=n:s?t[e]?t[e]=n:o(t,e,n):(delete t[e],o(t,e,n)))})(Function.prototype,l,(function(){return"function"==typeof this&&this[a]||s.call(this)}))},"2aeb":function(t,e,n){var i=n("cb7c"),o=n("1495"),r=n("e11e"),a=n("613b")("IE_PROTO"),s=function(){},l="prototype",c=function(){var t,e=n("230e")("iframe"),i=r.length,o="<",a=">";e.style.display="none",n("fab2").appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(o+"script"+a+"document.F=Object"+o+"/script"+a),t.close(),c=t.F;while(i--)delete c[l][r[i]];return c()};t.exports=Object.create||function(t,e){var n;return null!==t?(s[l]=i(t),n=new s,s[l]=null,n[a]=t):n=c(),void 0===e?n:o(n,e)}},"2b4c":function(t,e,n){var i=n("5537")("wks"),o=n("ca5a"),r=n("7726").Symbol,a="function"==typeof r,s=t.exports=function(t){return i[t]||(i[t]=a&&r[t]||(a?r:o)("Symbol."+t))};s.store=i},"2b8c":function(t,e,n){var i=n("be09"),o=t.exports={WebVTT:n("d02c"),VTTCue:n("b03c"),VTTRegion:n("f97d")};i.vttjs=o,i.WebVTT=o.WebVTT;var r=o.VTTCue,a=o.VTTRegion,s=i.VTTCue,l=i.VTTRegion;o.shim=function(){i.VTTCue=r,i.VTTRegion=a},o.restore=function(){i.VTTCue=s,i.VTTRegion=l},i.VTTCue||o.shim()},"2ce8":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'/*!\n * Quill Editor v1.3.7\n * https://quilljs.com/\n * Copyright (c) 2014, Jason Chen\n * Copyright (c) 2013, salesforce.com\n */.ql-container{box-sizing:border-box;font-family:Helvetica,Arial,sans-serif;font-size:13px;height:100%;margin:0;position:relative}.ql-container.ql-disabled .ql-tooltip{visibility:hidden}.ql-container.ql-disabled .ql-editor ul[data-checked]>li:before{pointer-events:none}.ql-clipboard{left:-100000px;height:1px;overflow-y:hidden;position:absolute;top:50%}.ql-clipboard p{margin:0;padding:0}.ql-editor{box-sizing:border-box;line-height:1.42;height:100%;outline:none;overflow-y:auto;padding:12px 15px;-o-tab-size:4;tab-size:4;-moz-tab-size:4;text-align:left;white-space:pre-wrap;word-wrap:break-word}.ql-editor>*{cursor:text}.ql-editor blockquote,.ql-editor h1,.ql-editor h2,.ql-editor h3,.ql-editor h4,.ql-editor h5,.ql-editor h6,.ql-editor ol,.ql-editor p,.ql-editor pre,.ql-editor ul{margin:0;padding:0;counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol,.ql-editor ul{padding-left:1.5em}.ql-editor ol>li,.ql-editor ul>li{list-style-type:none}.ql-editor ul>li:before{content:"\\2022"}.ql-editor ul[data-checked=false],.ql-editor ul[data-checked=true]{pointer-events:none}.ql-editor ul[data-checked=false]>li *,.ql-editor ul[data-checked=true]>li *{pointer-events:all}.ql-editor ul[data-checked=false]>li:before,.ql-editor ul[data-checked=true]>li:before{color:#777;cursor:pointer;pointer-events:all}.ql-editor ul[data-checked=true]>li:before{content:"\\2611"}.ql-editor ul[data-checked=false]>li:before{content:"\\2610"}.ql-editor li:before{display:inline-block;white-space:nowrap;width:1.2em}.ql-editor li:not(.ql-direction-rtl):before{margin-left:-1.5em;margin-right:.3em;text-align:right}.ql-editor li.ql-direction-rtl:before{margin-left:.3em;margin-right:-1.5em}.ql-editor ol li:not(.ql-direction-rtl),.ql-editor ul li:not(.ql-direction-rtl){padding-left:1.5em}.ql-editor ol li.ql-direction-rtl,.ql-editor ul li.ql-direction-rtl{padding-right:1.5em}.ql-editor ol li{counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9;counter-increment:list-0}.ql-editor ol li:before{content:counter(list-0,decimal) ". "}.ql-editor ol li.ql-indent-1{counter-increment:list-1}.ql-editor ol li.ql-indent-1:before{content:counter(list-1,lower-alpha) ". "}.ql-editor ol li.ql-indent-1{counter-reset:list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-2{counter-increment:list-2}.ql-editor ol li.ql-indent-2:before{content:counter(list-2,lower-roman) ". "}.ql-editor ol li.ql-indent-2{counter-reset:list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-3{counter-increment:list-3}.ql-editor ol li.ql-indent-3:before{content:counter(list-3,decimal) ". "}.ql-editor ol li.ql-indent-3{counter-reset:list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-4{counter-increment:list-4}.ql-editor ol li.ql-indent-4:before{content:counter(list-4,lower-alpha) ". "}.ql-editor ol li.ql-indent-4{counter-reset:list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-5{counter-increment:list-5}.ql-editor ol li.ql-indent-5:before{content:counter(list-5,lower-roman) ". "}.ql-editor ol li.ql-indent-5{counter-reset:list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-6{counter-increment:list-6}.ql-editor ol li.ql-indent-6:before{content:counter(list-6,decimal) ". "}.ql-editor ol li.ql-indent-6{counter-reset:list-7 list-8 list-9}.ql-editor ol li.ql-indent-7{counter-increment:list-7}.ql-editor ol li.ql-indent-7:before{content:counter(list-7,lower-alpha) ". "}.ql-editor ol li.ql-indent-7{counter-reset:list-8 list-9}.ql-editor ol li.ql-indent-8{counter-increment:list-8}.ql-editor ol li.ql-indent-8:before{content:counter(list-8,lower-roman) ". "}.ql-editor ol li.ql-indent-8{counter-reset:list-9}.ql-editor ol li.ql-indent-9{counter-increment:list-9}.ql-editor ol li.ql-indent-9:before{content:counter(list-9,decimal) ". "}.ql-editor .ql-indent-1:not(.ql-direction-rtl){padding-left:3em}.ql-editor li.ql-indent-1:not(.ql-direction-rtl){padding-left:4.5em}.ql-editor .ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:3em}.ql-editor li.ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:4.5em}.ql-editor .ql-indent-2:not(.ql-direction-rtl){padding-left:6em}.ql-editor li.ql-indent-2:not(.ql-direction-rtl){padding-left:7.5em}.ql-editor .ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:6em}.ql-editor li.ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:7.5em}.ql-editor .ql-indent-3:not(.ql-direction-rtl){padding-left:9em}.ql-editor li.ql-indent-3:not(.ql-direction-rtl){padding-left:10.5em}.ql-editor .ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:9em}.ql-editor li.ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:10.5em}.ql-editor .ql-indent-4:not(.ql-direction-rtl){padding-left:12em}.ql-editor li.ql-indent-4:not(.ql-direction-rtl){padding-left:13.5em}.ql-editor .ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:12em}.ql-editor li.ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:13.5em}.ql-editor .ql-indent-5:not(.ql-direction-rtl){padding-left:15em}.ql-editor li.ql-indent-5:not(.ql-direction-rtl){padding-left:16.5em}.ql-editor .ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:15em}.ql-editor li.ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:16.5em}.ql-editor .ql-indent-6:not(.ql-direction-rtl){padding-left:18em}.ql-editor li.ql-indent-6:not(.ql-direction-rtl){padding-left:19.5em}.ql-editor .ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:18em}.ql-editor li.ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:19.5em}.ql-editor .ql-indent-7:not(.ql-direction-rtl){padding-left:21em}.ql-editor li.ql-indent-7:not(.ql-direction-rtl){padding-left:22.5em}.ql-editor .ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:21em}.ql-editor li.ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:22.5em}.ql-editor .ql-indent-8:not(.ql-direction-rtl){padding-left:24em}.ql-editor li.ql-indent-8:not(.ql-direction-rtl){padding-left:25.5em}.ql-editor .ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:24em}.ql-editor li.ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:25.5em}.ql-editor .ql-indent-9:not(.ql-direction-rtl){padding-left:27em}.ql-editor li.ql-indent-9:not(.ql-direction-rtl){padding-left:28.5em}.ql-editor .ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:27em}.ql-editor li.ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:28.5em}.ql-editor .ql-video{display:block;max-width:100%}.ql-editor .ql-video.ql-align-center{margin:0 auto}.ql-editor .ql-video.ql-align-right{margin:0 0 0 auto}.ql-editor .ql-bg-black{background-color:#000}.ql-editor .ql-bg-red{background-color:#e60000}.ql-editor .ql-bg-orange{background-color:#f90}.ql-editor .ql-bg-yellow{background-color:#ff0}.ql-editor .ql-bg-green{background-color:#008a00}.ql-editor .ql-bg-blue{background-color:#06c}.ql-editor .ql-bg-purple{background-color:#93f}.ql-editor .ql-color-white{color:#fff}.ql-editor .ql-color-red{color:#e60000}.ql-editor .ql-color-orange{color:#f90}.ql-editor .ql-color-yellow{color:#ff0}.ql-editor .ql-color-green{color:#008a00}.ql-editor .ql-color-blue{color:#06c}.ql-editor .ql-color-purple{color:#93f}.ql-editor .ql-font-serif{font-family:Georgia,Times New Roman,serif}.ql-editor .ql-font-monospace{font-family:Monaco,Courier New,monospace}.ql-editor .ql-size-small{font-size:.75em}.ql-editor .ql-size-large{font-size:1.5em}.ql-editor .ql-size-huge{font-size:2.5em}.ql-editor .ql-direction-rtl{direction:rtl;text-align:inherit}.ql-editor .ql-align-center{text-align:center}.ql-editor .ql-align-justify{text-align:justify}.ql-editor .ql-align-right{text-align:right}.ql-editor.ql-blank:before{color:rgba(0,0,0,.6);content:attr(data-placeholder);font-style:italic;left:15px;pointer-events:none;position:absolute;right:15px}',""])},"2d00":function(t,e){t.exports=!1},"2d83":function(t,e,n){"use strict";var i=n("387f");t.exports=function(t,e,n,o,r){var a=new Error(t);return i(a,e,n,o,r)}},"2d95":function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},"2e67":function(t,e,n){"use strict";t.exports=function(t){return!(!t||!t.__CANCEL__)}},"2f21":function(t,e,n){"use strict";var i=n("79e5");t.exports=function(t,e){return!!t&&i((function(){e?t.call(null,(function(){}),1):t.call(null)}))}},"2f92":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-toast{position:fixed;top:50%;left:50%;display:-webkit-box;display:-webkit-flex;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column;-webkit-box-align:center;-webkit-align-items:center;align-items:center;-webkit-box-pack:center;-webkit-justify-content:center;justify-content:center;box-sizing:content-box;width:88px;max-width:70%;min-height:88px;padding:16px;color:#fff;font-size:14px;line-height:20px;white-space:pre-wrap;text-align:center;word-wrap:break-word;background-color:rgba(0,0,0,.7);border-radius:8px;-webkit-transform:translate3d(-50%,-50%,0);transform:translate3d(-50%,-50%,0)}.van-toast--unclickable{overflow:hidden}.van-toast--unclickable *{pointer-events:none}.van-toast--html,.van-toast--text{width:-webkit-fit-content;width:fit-content;min-width:96px;min-height:0;padding:8px 12px}.van-toast--html .van-toast__text,.van-toast--text .van-toast__text{margin-top:0}.van-toast--top{top:20%}.van-toast--bottom{top:auto;bottom:20%}.van-toast__icon{font-size:36px}.van-toast__loading{padding:4px;color:#fff}.van-toast__text{margin-top:8px}",""])},"2fdb":function(t,e,n){"use strict";var i=n("5ca1"),o=n("d2c8"),r="includes";i(i.P+i.F*n("5147")(r),"String",{includes:function(t){return!!~o(this,t,r).indexOf(t,arguments.length>1?arguments[1]:void 0)}})},3051:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-info{position:absolute;top:0;right:0;box-sizing:border-box;min-width:16px;padding:0 3px;color:#fff;font-weight:500;font-size:12px;font-family:-apple-system-font,Helvetica Neue,Arial,sans-serif;line-height:1.2;text-align:center;background-color:#ee0a24;border:1px solid #fff;border-radius:16px;-webkit-transform:translate(50%,-50%);transform:translate(50%,-50%);-webkit-transform-origin:100%;transform-origin:100%}.van-info--dot{width:8px;min-width:0;height:8px;background-color:#ee0a24;border-radius:100%}",""])},"30b5":function(t,e,n){"use strict";var i=n("c532");function o(t){return encodeURIComponent(t).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}t.exports=function(t,e,n){if(!e)return t;var r;if(n)r=n(e);else if(i.isURLSearchParams(e))r=e.toString();else{var a=[];i.forEach(e,(function(t,e){null!==t&&"undefined"!==typeof t&&(i.isArray(t)?e+="[]":t=[t],i.forEach(t,(function(t){i.isDate(t)?t=t.toISOString():i.isObject(t)&&(t=JSON.stringify(t)),a.push(o(e)+"="+o(t))})))})),r=a.join("&")}if(r){var s=t.indexOf("#");-1!==s&&(t=t.slice(0,s)),t+=(-1===t.indexOf("?")?"?":"&")+r}return t}},"30f1":function(t,e,n){"use strict";var i=n("b8e3"),o=n("63b6"),r=n("9138"),a=n("35e8"),s=n("481b"),l=n("8f60"),c=n("45f2"),u=n("53e2"),h=n("5168")("iterator"),d=!([].keys&&"next"in[].keys()),f="@@iterator",A="keys",p="values",g=function(){return this};t.exports=function(t,e,n,v,m,y,b){l(n,e,v);var w,E,_,B=function(t){if(!d&&t in j)return j[t];switch(t){case A:return function(){return new n(this,t)};case p:return function(){return new n(this,t)}}return function(){return new n(this,t)}},x=e+" Iterator",C=m==p,k=!1,j=t.prototype,I=j[h]||j[f]||m&&j[m],D=I||B(m),F=m?C?B("entries"):D:void 0,M="Array"==e&&j.entries||I;if(M&&(_=u(M.call(new t)),_!==Object.prototype&&_.next&&(c(_,x,!0),i||"function"==typeof _[h]||a(_,h,g))),C&&I&&I.name!==p&&(k=!0,D=function(){return I.call(this)}),i&&!b||!d&&!k&&j[h]||a(j,h,D),s[e]=D,s[x]=g,m)if(w={values:C?D:B(p),keys:y?D:B(A),entries:F},b)for(E in w)E in j||r(j,E,w[E]);else o(o.P+o.F*(d||k),e,w);return w}},"32a6":function(t,e,n){var i=n("241e"),o=n("c3a1");n("ce7e")("keys",(function(){return function(t){return o(i(t))}}))},"32e9":function(t,e,n){var i=n("86cc"),o=n("4630");t.exports=n("9e1e")?function(t,e,n){return i.f(t,e,o(1,n))}:function(t,e,n){return t[e]=n,t}},"32fc":function(t,e,n){var i=n("e53d").document;t.exports=i&&i.documentElement},"335c":function(t,e,n){var i=n("6b4c");t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==i(t)?t.split(""):Object(t)}},"33a4":function(t,e,n){var i=n("84f2"),o=n("2b4c")("iterator"),r=Array.prototype;t.exports=function(t){return void 0!==t&&(i.Array===t||r[o]===t)}},"34f6":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".bsth-datetime-outer-div,.bsth-datetime-outer-div *{box-sizing:border-box}.bsth-datetime-outer-div svg.datetime-chart{width:100%;height:100%;position:absolute;left:0}",""])},"355d":function(t,e){e.f={}.propertyIsEnumerable},"35e8":function(t,e,n){var i=n("d9f6"),o=n("aebd");t.exports=n("8e60")?function(t,e,n){return i.f(t,e,o(1,n))}:function(t,e,n){return t[e]=n,t}},"36c3":function(t,e,n){var i=n("335c"),o=n("25eb");t.exports=function(t){return i(o(t))}},3702:function(t,e,n){var i=n("481b"),o=n("5168")("iterator"),r=Array.prototype;t.exports=function(t){return void 0!==t&&(i.Array===t||r[o]===t)}},"37c8":function(t,e,n){e.f=n("2b4c")},3846:function(t,e,n){n("9e1e")&&"g"!=/./g.flags&&n("86cc").f(RegExp.prototype,"flags",{configurable:!0,get:n("0bfb")})},"386d":function(t,e,n){"use strict";var i=n("cb7c"),o=n("83a1"),r=n("5f1b");n("214f")("search",1,(function(t,e,n,a){return[function(n){var i=t(this),o=void 0==n?void 0:n[e];return void 0!==o?o.call(n,i):new RegExp(n)[e](String(i))},function(t){var e=a(n,t,this);if(e.done)return e.value;var s=i(t),l=String(this),c=s.lastIndex;o(c,0)||(s.lastIndex=0);var u=r(s,l);return o(s.lastIndex,c)||(s.lastIndex=c),null===u?-1:u.index}]}))},"387f":function(t,e,n){"use strict";t.exports=function(t,e,n,i,o){return t.config=e,n&&(t.code=n),t.request=i,t.response=o,t.isAxiosError=!0,t.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},t}},"38fd":function(t,e,n){var i=n("69a8"),o=n("4bf8"),r=n("613b")("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=o(t),i(t,r)?t[r]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},3934:function(t,e,n){"use strict";var i=n("c532");t.exports=i.isStandardBrowserEnv()?function(){var t,e=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function o(t){var i=t;return e&&(n.setAttribute("href",i),i=n.href),n.setAttribute("href",i),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return t=o(window.location.href),function(e){var n=i.isString(e)?o(e):e;return n.protocol===t.protocol&&n.host===t.host}}():function(){return function(){return!0}}()},"3a38":function(t,e){var n=Math.ceil,i=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?i:n)(t)}},"3a72":function(t,e,n){var i=n("7726"),o=n("8378"),r=n("2d00"),a=n("37c8"),s=n("86cc").f;t.exports=function(t){var e=o.Symbol||(o.Symbol=r?{}:i.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:a.f(t)})}},"3d33":function(t,e,n){
  8 +var i=n("1fb5"),r=n("9152"),o=n("bf74");function a(){try{var t=new Uint8Array(1);return t.__proto__={__proto__:Uint8Array.prototype,foo:function(){return 42}},42===t.foo()&&"function"===typeof t.subarray&&0===t.subarray(1,1).byteLength}catch(e){return!1}}function s(){return u.TYPED_ARRAY_SUPPORT?2147483647:1073741823}function l(t,e){if(s()<e)throw new RangeError("Invalid typed array length");return u.TYPED_ARRAY_SUPPORT?(t=new Uint8Array(e),t.__proto__=u.prototype):(null===t&&(t=new u(e)),t.length=e),t}function u(t,e,n){if(!u.TYPED_ARRAY_SUPPORT&&!(this instanceof u))return new u(t,e,n);if("number"===typeof t){if("string"===typeof e)throw new Error("If encoding is specified then the first argument must be a string");return f(this,t)}return c(this,t,e,n)}function c(t,e,n,i){if("number"===typeof e)throw new TypeError('"value" argument must not be a number');return"undefined"!==typeof ArrayBuffer&&e instanceof ArrayBuffer?m(t,e,n,i):"string"===typeof e?p(t,e,n):g(t,e)}function h(t){if("number"!==typeof t)throw new TypeError('"size" argument must be a number');if(t<0)throw new RangeError('"size" argument must not be negative')}function d(t,e,n,i){return h(e),e<=0?l(t,e):void 0!==n?"string"===typeof i?l(t,e).fill(n,i):l(t,e).fill(n):l(t,e)}function f(t,e){if(h(e),t=l(t,e<0?0:0|y(e)),!u.TYPED_ARRAY_SUPPORT)for(var n=0;n<e;++n)t[n]=0;return t}function p(t,e,n){if("string"===typeof n&&""!==n||(n="utf8"),!u.isEncoding(n))throw new TypeError('"encoding" must be a valid string encoding');var i=0|b(e,n);t=l(t,i);var r=t.write(e,n);return r!==i&&(t=t.slice(0,r)),t}function v(t,e){var n=e.length<0?0:0|y(e.length);t=l(t,n);for(var i=0;i<n;i+=1)t[i]=255&e[i];return t}function m(t,e,n,i){if(e.byteLength,n<0||e.byteLength<n)throw new RangeError("'offset' is out of bounds");if(e.byteLength<n+(i||0))throw new RangeError("'length' is out of bounds");return e=void 0===n&&void 0===i?new Uint8Array(e):void 0===i?new Uint8Array(e,n):new Uint8Array(e,n,i),u.TYPED_ARRAY_SUPPORT?(t=e,t.__proto__=u.prototype):t=v(t,e),t}function g(t,e){if(u.isBuffer(e)){var n=0|y(e.length);return t=l(t,n),0===t.length?t:(e.copy(t,0,0,n),t)}if(e){if("undefined"!==typeof ArrayBuffer&&e.buffer instanceof ArrayBuffer||"length"in e)return"number"!==typeof e.length||et(e.length)?l(t,0):v(t,e);if("Buffer"===e.type&&o(e.data))return v(t,e.data)}throw new TypeError("First argument must be a string, Buffer, ArrayBuffer, Array, or array-like object.")}function y(t){if(t>=s())throw new RangeError("Attempt to allocate Buffer larger than maximum size: 0x"+s().toString(16)+" bytes");return 0|t}function _(t){return+t!=t&&(t=0),u.alloc(+t)}function b(t,e){if(u.isBuffer(t))return t.length;if("undefined"!==typeof ArrayBuffer&&"function"===typeof ArrayBuffer.isView&&(ArrayBuffer.isView(t)||t instanceof ArrayBuffer))return t.byteLength;"string"!==typeof t&&(t=""+t);var n=t.length;if(0===n)return 0;for(var i=!1;;)switch(e){case"ascii":case"latin1":case"binary":return n;case"utf8":case"utf-8":case void 0:return K(t).length;case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return 2*n;case"hex":return n>>>1;case"base64":return $(t).length;default:if(i)return K(t).length;e=(""+e).toLowerCase(),i=!0}}function w(t,e,n){var i=!1;if((void 0===e||e<0)&&(e=0),e>this.length)return"";if((void 0===n||n>this.length)&&(n=this.length),n<=0)return"";if(n>>>=0,e>>>=0,n<=e)return"";t||(t="utf8");while(1)switch(t){case"hex":return B(this,e,n);case"utf8":case"utf-8":return N(this,e,n);case"ascii":return P(this,e,n);case"latin1":case"binary":return L(this,e,n);case"base64":return q(this,e,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return I(this,e,n);default:if(i)throw new TypeError("Unknown encoding: "+t);t=(t+"").toLowerCase(),i=!0}}function A(t,e,n){var i=t[e];t[e]=t[n],t[n]=i}function x(t,e,n,i,r){if(0===t.length)return-1;if("string"===typeof n?(i=n,n=0):n>2147483647?n=2147483647:n<-2147483648&&(n=-2147483648),n=+n,isNaN(n)&&(n=r?0:t.length-1),n<0&&(n=t.length+n),n>=t.length){if(r)return-1;n=t.length-1}else if(n<0){if(!r)return-1;n=0}if("string"===typeof e&&(e=u.from(e,i)),u.isBuffer(e))return 0===e.length?-1:k(t,e,n,i,r);if("number"===typeof e)return e&=255,u.TYPED_ARRAY_SUPPORT&&"function"===typeof Uint8Array.prototype.indexOf?r?Uint8Array.prototype.indexOf.call(t,e,n):Uint8Array.prototype.lastIndexOf.call(t,e,n):k(t,[e],n,i,r);throw new TypeError("val must be string, number or Buffer")}function k(t,e,n,i,r){var o,a=1,s=t.length,l=e.length;if(void 0!==i&&(i=String(i).toLowerCase(),"ucs2"===i||"ucs-2"===i||"utf16le"===i||"utf-16le"===i)){if(t.length<2||e.length<2)return-1;a=2,s/=2,l/=2,n/=2}function u(t,e){return 1===a?t[e]:t.readUInt16BE(e*a)}if(r){var c=-1;for(o=n;o<s;o++)if(u(t,o)===u(e,-1===c?0:o-c)){if(-1===c&&(c=o),o-c+1===l)return c*a}else-1!==c&&(o-=o-c),c=-1}else for(n+l>s&&(n=s-l),o=n;o>=0;o--){for(var h=!0,d=0;d<l;d++)if(u(t,o+d)!==u(e,d)){h=!1;break}if(h)return o}return-1}function j(t,e,n,i){n=Number(n)||0;var r=t.length-n;i?(i=Number(i),i>r&&(i=r)):i=r;var o=e.length;if(o%2!==0)throw new TypeError("Invalid hex string");i>o/2&&(i=o/2);for(var a=0;a<i;++a){var s=parseInt(e.substr(2*a,2),16);if(isNaN(s))return a;t[n+a]=s}return a}function C(t,e,n,i){return tt(K(e,t.length-n),t,n,i)}function T(t,e,n,i){return tt(J(e),t,n,i)}function E(t,e,n,i){return T(t,e,n,i)}function S(t,e,n,i){return tt($(e),t,n,i)}function O(t,e,n,i){return tt(X(e,t.length-n),t,n,i)}function q(t,e,n){return 0===e&&n===t.length?i.fromByteArray(t):i.fromByteArray(t.slice(e,n))}function N(t,e,n){n=Math.min(t.length,n);var i=[],r=e;while(r<n){var o,a,s,l,u=t[r],c=null,h=u>239?4:u>223?3:u>191?2:1;if(r+h<=n)switch(h){case 1:u<128&&(c=u);break;case 2:o=t[r+1],128===(192&o)&&(l=(31&u)<<6|63&o,l>127&&(c=l));break;case 3:o=t[r+1],a=t[r+2],128===(192&o)&&128===(192&a)&&(l=(15&u)<<12|(63&o)<<6|63&a,l>2047&&(l<55296||l>57343)&&(c=l));break;case 4:o=t[r+1],a=t[r+2],s=t[r+3],128===(192&o)&&128===(192&a)&&128===(192&s)&&(l=(15&u)<<18|(63&o)<<12|(63&a)<<6|63&s,l>65535&&l<1114112&&(c=l))}null===c?(c=65533,h=1):c>65535&&(c-=65536,i.push(c>>>10&1023|55296),c=56320|1023&c),i.push(c),r+=h}return M(i)}e.Buffer=u,e.SlowBuffer=_,e.INSPECT_MAX_BYTES=50,u.TYPED_ARRAY_SUPPORT=void 0!==t.TYPED_ARRAY_SUPPORT?t.TYPED_ARRAY_SUPPORT:a(),e.kMaxLength=s(),u.poolSize=8192,u._augment=function(t){return t.__proto__=u.prototype,t},u.from=function(t,e,n){return c(null,t,e,n)},u.TYPED_ARRAY_SUPPORT&&(u.prototype.__proto__=Uint8Array.prototype,u.__proto__=Uint8Array,"undefined"!==typeof Symbol&&Symbol.species&&u[Symbol.species]===u&&Object.defineProperty(u,Symbol.species,{value:null,configurable:!0})),u.alloc=function(t,e,n){return d(null,t,e,n)},u.allocUnsafe=function(t){return f(null,t)},u.allocUnsafeSlow=function(t){return f(null,t)},u.isBuffer=function(t){return!(null==t||!t._isBuffer)},u.compare=function(t,e){if(!u.isBuffer(t)||!u.isBuffer(e))throw new TypeError("Arguments must be Buffers");if(t===e)return 0;for(var n=t.length,i=e.length,r=0,o=Math.min(n,i);r<o;++r)if(t[r]!==e[r]){n=t[r],i=e[r];break}return n<i?-1:i<n?1:0},u.isEncoding=function(t){switch(String(t).toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"latin1":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return!0;default:return!1}},u.concat=function(t,e){if(!o(t))throw new TypeError('"list" argument must be an Array of Buffers');if(0===t.length)return u.alloc(0);var n;if(void 0===e)for(e=0,n=0;n<t.length;++n)e+=t[n].length;var i=u.allocUnsafe(e),r=0;for(n=0;n<t.length;++n){var a=t[n];if(!u.isBuffer(a))throw new TypeError('"list" argument must be an Array of Buffers');a.copy(i,r),r+=a.length}return i},u.byteLength=b,u.prototype._isBuffer=!0,u.prototype.swap16=function(){var t=this.length;if(t%2!==0)throw new RangeError("Buffer size must be a multiple of 16-bits");for(var e=0;e<t;e+=2)A(this,e,e+1);return this},u.prototype.swap32=function(){var t=this.length;if(t%4!==0)throw new RangeError("Buffer size must be a multiple of 32-bits");for(var e=0;e<t;e+=4)A(this,e,e+3),A(this,e+1,e+2);return this},u.prototype.swap64=function(){var t=this.length;if(t%8!==0)throw new RangeError("Buffer size must be a multiple of 64-bits");for(var e=0;e<t;e+=8)A(this,e,e+7),A(this,e+1,e+6),A(this,e+2,e+5),A(this,e+3,e+4);return this},u.prototype.toString=function(){var t=0|this.length;return 0===t?"":0===arguments.length?N(this,0,t):w.apply(this,arguments)},u.prototype.equals=function(t){if(!u.isBuffer(t))throw new TypeError("Argument must be a Buffer");return this===t||0===u.compare(this,t)},u.prototype.inspect=function(){var t="",n=e.INSPECT_MAX_BYTES;return this.length>0&&(t=this.toString("hex",0,n).match(/.{2}/g).join(" "),this.length>n&&(t+=" ... ")),"<Buffer "+t+">"},u.prototype.compare=function(t,e,n,i,r){if(!u.isBuffer(t))throw new TypeError("Argument must be a Buffer");if(void 0===e&&(e=0),void 0===n&&(n=t?t.length:0),void 0===i&&(i=0),void 0===r&&(r=this.length),e<0||n>t.length||i<0||r>this.length)throw new RangeError("out of range index");if(i>=r&&e>=n)return 0;if(i>=r)return-1;if(e>=n)return 1;if(e>>>=0,n>>>=0,i>>>=0,r>>>=0,this===t)return 0;for(var o=r-i,a=n-e,s=Math.min(o,a),l=this.slice(i,r),c=t.slice(e,n),h=0;h<s;++h)if(l[h]!==c[h]){o=l[h],a=c[h];break}return o<a?-1:a<o?1:0},u.prototype.includes=function(t,e,n){return-1!==this.indexOf(t,e,n)},u.prototype.indexOf=function(t,e,n){return x(this,t,e,n,!0)},u.prototype.lastIndexOf=function(t,e,n){return x(this,t,e,n,!1)},u.prototype.write=function(t,e,n,i){if(void 0===e)i="utf8",n=this.length,e=0;else if(void 0===n&&"string"===typeof e)i=e,n=this.length,e=0;else{if(!isFinite(e))throw new Error("Buffer.write(string, encoding, offset[, length]) is no longer supported");e|=0,isFinite(n)?(n|=0,void 0===i&&(i="utf8")):(i=n,n=void 0)}var r=this.length-e;if((void 0===n||n>r)&&(n=r),t.length>0&&(n<0||e<0)||e>this.length)throw new RangeError("Attempt to write outside buffer bounds");i||(i="utf8");for(var o=!1;;)switch(i){case"hex":return j(this,t,e,n);case"utf8":case"utf-8":return C(this,t,e,n);case"ascii":return T(this,t,e,n);case"latin1":case"binary":return E(this,t,e,n);case"base64":return S(this,t,e,n);case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return O(this,t,e,n);default:if(o)throw new TypeError("Unknown encoding: "+i);i=(""+i).toLowerCase(),o=!0}},u.prototype.toJSON=function(){return{type:"Buffer",data:Array.prototype.slice.call(this._arr||this,0)}};var D=4096;function M(t){var e=t.length;if(e<=D)return String.fromCharCode.apply(String,t);var n="",i=0;while(i<e)n+=String.fromCharCode.apply(String,t.slice(i,i+=D));return n}function P(t,e,n){var i="";n=Math.min(t.length,n);for(var r=e;r<n;++r)i+=String.fromCharCode(127&t[r]);return i}function L(t,e,n){var i="";n=Math.min(t.length,n);for(var r=e;r<n;++r)i+=String.fromCharCode(t[r]);return i}function B(t,e,n){var i=t.length;(!e||e<0)&&(e=0),(!n||n<0||n>i)&&(n=i);for(var r="",o=e;o<n;++o)r+=Z(t[o]);return r}function I(t,e,n){for(var i=t.slice(e,n),r="",o=0;o<i.length;o+=2)r+=String.fromCharCode(i[o]+256*i[o+1]);return r}function R(t,e,n){if(t%1!==0||t<0)throw new RangeError("offset is not uint");if(t+e>n)throw new RangeError("Trying to access beyond buffer length")}function F(t,e,n,i,r,o){if(!u.isBuffer(t))throw new TypeError('"buffer" argument must be a Buffer instance');if(e>r||e<o)throw new RangeError('"value" argument is out of bounds');if(n+i>t.length)throw new RangeError("Index out of range")}function z(t,e,n,i){e<0&&(e=65535+e+1);for(var r=0,o=Math.min(t.length-n,2);r<o;++r)t[n+r]=(e&255<<8*(i?r:1-r))>>>8*(i?r:1-r)}function V(t,e,n,i){e<0&&(e=4294967295+e+1);for(var r=0,o=Math.min(t.length-n,4);r<o;++r)t[n+r]=e>>>8*(i?r:3-r)&255}function Y(t,e,n,i,r,o){if(n+i>t.length)throw new RangeError("Index out of range");if(n<0)throw new RangeError("Index out of range")}function H(t,e,n,i,o){return o||Y(t,e,n,4,34028234663852886e22,-34028234663852886e22),r.write(t,e,n,i,23,4),n+4}function U(t,e,n,i,o){return o||Y(t,e,n,8,17976931348623157e292,-17976931348623157e292),r.write(t,e,n,i,52,8),n+8}u.prototype.slice=function(t,e){var n,i=this.length;if(t=~~t,e=void 0===e?i:~~e,t<0?(t+=i,t<0&&(t=0)):t>i&&(t=i),e<0?(e+=i,e<0&&(e=0)):e>i&&(e=i),e<t&&(e=t),u.TYPED_ARRAY_SUPPORT)n=this.subarray(t,e),n.__proto__=u.prototype;else{var r=e-t;n=new u(r,void 0);for(var o=0;o<r;++o)n[o]=this[o+t]}return n},u.prototype.readUIntLE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t],r=1,o=0;while(++o<e&&(r*=256))i+=this[t+o]*r;return i},u.prototype.readUIntBE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t+--e],r=1;while(e>0&&(r*=256))i+=this[t+--e]*r;return i},u.prototype.readUInt8=function(t,e){return e||R(t,1,this.length),this[t]},u.prototype.readUInt16LE=function(t,e){return e||R(t,2,this.length),this[t]|this[t+1]<<8},u.prototype.readUInt16BE=function(t,e){return e||R(t,2,this.length),this[t]<<8|this[t+1]},u.prototype.readUInt32LE=function(t,e){return e||R(t,4,this.length),(this[t]|this[t+1]<<8|this[t+2]<<16)+16777216*this[t+3]},u.prototype.readUInt32BE=function(t,e){return e||R(t,4,this.length),16777216*this[t]+(this[t+1]<<16|this[t+2]<<8|this[t+3])},u.prototype.readIntLE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=this[t],r=1,o=0;while(++o<e&&(r*=256))i+=this[t+o]*r;return r*=128,i>=r&&(i-=Math.pow(2,8*e)),i},u.prototype.readIntBE=function(t,e,n){t|=0,e|=0,n||R(t,e,this.length);var i=e,r=1,o=this[t+--i];while(i>0&&(r*=256))o+=this[t+--i]*r;return r*=128,o>=r&&(o-=Math.pow(2,8*e)),o},u.prototype.readInt8=function(t,e){return e||R(t,1,this.length),128&this[t]?-1*(255-this[t]+1):this[t]},u.prototype.readInt16LE=function(t,e){e||R(t,2,this.length);var n=this[t]|this[t+1]<<8;return 32768&n?4294901760|n:n},u.prototype.readInt16BE=function(t,e){e||R(t,2,this.length);var n=this[t+1]|this[t]<<8;return 32768&n?4294901760|n:n},u.prototype.readInt32LE=function(t,e){return e||R(t,4,this.length),this[t]|this[t+1]<<8|this[t+2]<<16|this[t+3]<<24},u.prototype.readInt32BE=function(t,e){return e||R(t,4,this.length),this[t]<<24|this[t+1]<<16|this[t+2]<<8|this[t+3]},u.prototype.readFloatLE=function(t,e){return e||R(t,4,this.length),r.read(this,t,!0,23,4)},u.prototype.readFloatBE=function(t,e){return e||R(t,4,this.length),r.read(this,t,!1,23,4)},u.prototype.readDoubleLE=function(t,e){return e||R(t,8,this.length),r.read(this,t,!0,52,8)},u.prototype.readDoubleBE=function(t,e){return e||R(t,8,this.length),r.read(this,t,!1,52,8)},u.prototype.writeUIntLE=function(t,e,n,i){if(t=+t,e|=0,n|=0,!i){var r=Math.pow(2,8*n)-1;F(this,t,e,n,r,0)}var o=1,a=0;this[e]=255&t;while(++a<n&&(o*=256))this[e+a]=t/o&255;return e+n},u.prototype.writeUIntBE=function(t,e,n,i){if(t=+t,e|=0,n|=0,!i){var r=Math.pow(2,8*n)-1;F(this,t,e,n,r,0)}var o=n-1,a=1;this[e+o]=255&t;while(--o>=0&&(a*=256))this[e+o]=t/a&255;return e+n},u.prototype.writeUInt8=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,1,255,0),u.TYPED_ARRAY_SUPPORT||(t=Math.floor(t)),this[e]=255&t,e+1},u.prototype.writeUInt16LE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,2,65535,0),u.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8):z(this,t,e,!0),e+2},u.prototype.writeUInt16BE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,2,65535,0),u.TYPED_ARRAY_SUPPORT?(this[e]=t>>>8,this[e+1]=255&t):z(this,t,e,!1),e+2},u.prototype.writeUInt32LE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,4,4294967295,0),u.TYPED_ARRAY_SUPPORT?(this[e+3]=t>>>24,this[e+2]=t>>>16,this[e+1]=t>>>8,this[e]=255&t):V(this,t,e,!0),e+4},u.prototype.writeUInt32BE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,4,4294967295,0),u.TYPED_ARRAY_SUPPORT?(this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t):V(this,t,e,!1),e+4},u.prototype.writeIntLE=function(t,e,n,i){if(t=+t,e|=0,!i){var r=Math.pow(2,8*n-1);F(this,t,e,n,r-1,-r)}var o=0,a=1,s=0;this[e]=255&t;while(++o<n&&(a*=256))t<0&&0===s&&0!==this[e+o-1]&&(s=1),this[e+o]=(t/a>>0)-s&255;return e+n},u.prototype.writeIntBE=function(t,e,n,i){if(t=+t,e|=0,!i){var r=Math.pow(2,8*n-1);F(this,t,e,n,r-1,-r)}var o=n-1,a=1,s=0;this[e+o]=255&t;while(--o>=0&&(a*=256))t<0&&0===s&&0!==this[e+o+1]&&(s=1),this[e+o]=(t/a>>0)-s&255;return e+n},u.prototype.writeInt8=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,1,127,-128),u.TYPED_ARRAY_SUPPORT||(t=Math.floor(t)),t<0&&(t=255+t+1),this[e]=255&t,e+1},u.prototype.writeInt16LE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,2,32767,-32768),u.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8):z(this,t,e,!0),e+2},u.prototype.writeInt16BE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,2,32767,-32768),u.TYPED_ARRAY_SUPPORT?(this[e]=t>>>8,this[e+1]=255&t):z(this,t,e,!1),e+2},u.prototype.writeInt32LE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,4,2147483647,-2147483648),u.TYPED_ARRAY_SUPPORT?(this[e]=255&t,this[e+1]=t>>>8,this[e+2]=t>>>16,this[e+3]=t>>>24):V(this,t,e,!0),e+4},u.prototype.writeInt32BE=function(t,e,n){return t=+t,e|=0,n||F(this,t,e,4,2147483647,-2147483648),t<0&&(t=4294967295+t+1),u.TYPED_ARRAY_SUPPORT?(this[e]=t>>>24,this[e+1]=t>>>16,this[e+2]=t>>>8,this[e+3]=255&t):V(this,t,e,!1),e+4},u.prototype.writeFloatLE=function(t,e,n){return H(this,t,e,!0,n)},u.prototype.writeFloatBE=function(t,e,n){return H(this,t,e,!1,n)},u.prototype.writeDoubleLE=function(t,e,n){return U(this,t,e,!0,n)},u.prototype.writeDoubleBE=function(t,e,n){return U(this,t,e,!1,n)},u.prototype.copy=function(t,e,n,i){if(n||(n=0),i||0===i||(i=this.length),e>=t.length&&(e=t.length),e||(e=0),i>0&&i<n&&(i=n),i===n)return 0;if(0===t.length||0===this.length)return 0;if(e<0)throw new RangeError("targetStart out of bounds");if(n<0||n>=this.length)throw new RangeError("sourceStart out of bounds");if(i<0)throw new RangeError("sourceEnd out of bounds");i>this.length&&(i=this.length),t.length-e<i-n&&(i=t.length-e+n);var r,o=i-n;if(this===t&&n<e&&e<i)for(r=o-1;r>=0;--r)t[r+e]=this[r+n];else if(o<1e3||!u.TYPED_ARRAY_SUPPORT)for(r=0;r<o;++r)t[r+e]=this[r+n];else Uint8Array.prototype.set.call(t,this.subarray(n,n+o),e);return o},u.prototype.fill=function(t,e,n,i){if("string"===typeof t){if("string"===typeof e?(i=e,e=0,n=this.length):"string"===typeof n&&(i=n,n=this.length),1===t.length){var r=t.charCodeAt(0);r<256&&(t=r)}if(void 0!==i&&"string"!==typeof i)throw new TypeError("encoding must be a string");if("string"===typeof i&&!u.isEncoding(i))throw new TypeError("Unknown encoding: "+i)}else"number"===typeof t&&(t&=255);if(e<0||this.length<e||this.length<n)throw new RangeError("Out of range index");if(n<=e)return this;var o;if(e>>>=0,n=void 0===n?this.length:n>>>0,t||(t=0),"number"===typeof t)for(o=e;o<n;++o)this[o]=t;else{var a=u.isBuffer(t)?t:K(new u(t,i).toString()),s=a.length;for(o=0;o<n-e;++o)this[o+e]=a[o%s]}return this};var W=/[^+\/0-9A-Za-z-_]/g;function G(t){if(t=Q(t).replace(W,""),t.length<2)return"";while(t.length%4!==0)t+="=";return t}function Q(t){return t.trim?t.trim():t.replace(/^\s+|\s+$/g,"")}function Z(t){return t<16?"0"+t.toString(16):t.toString(16)}function K(t,e){var n;e=e||1/0;for(var i=t.length,r=null,o=[],a=0;a<i;++a){if(n=t.charCodeAt(a),n>55295&&n<57344){if(!r){if(n>56319){(e-=3)>-1&&o.push(239,191,189);continue}if(a+1===i){(e-=3)>-1&&o.push(239,191,189);continue}r=n;continue}if(n<56320){(e-=3)>-1&&o.push(239,191,189),r=n;continue}n=65536+(r-55296<<10|n-56320)}else r&&(e-=3)>-1&&o.push(239,191,189);if(r=null,n<128){if((e-=1)<0)break;o.push(n)}else if(n<2048){if((e-=2)<0)break;o.push(n>>6|192,63&n|128)}else if(n<65536){if((e-=3)<0)break;o.push(n>>12|224,n>>6&63|128,63&n|128)}else{if(!(n<1114112))throw new Error("Invalid code point");if((e-=4)<0)break;o.push(n>>18|240,n>>12&63|128,n>>6&63|128,63&n|128)}}return o}function J(t){for(var e=[],n=0;n<t.length;++n)e.push(255&t.charCodeAt(n));return e}function X(t,e){for(var n,i,r,o=[],a=0;a<t.length;++a){if((e-=2)<0)break;n=t.charCodeAt(a),i=n>>8,r=n%256,o.push(r),o.push(i)}return o}function $(t){return i.toByteArray(G(t))}function tt(t,e,n,i){for(var r=0;r<i;++r){if(r+n>=e.length||r>=t.length)break;e[r+n]=t[r]}return r}function et(t){return t!==t}}).call(this,n("c8ba"))},"1c4c":function(t,e,n){"use strict";var i=n("9b43"),r=n("5ca1"),o=n("4bf8"),a=n("1fa8"),s=n("33a4"),l=n("9def"),u=n("f1ae"),c=n("27ee");r(r.S+r.F*!n("5cc5")((function(t){Array.from(t)})),"Array",{from:function(t){var e,n,r,h,d=o(t),f="function"==typeof this?this:Array,p=arguments.length,v=p>1?arguments[1]:void 0,m=void 0!==v,g=0,y=c(d);if(m&&(v=i(v,p>2?arguments[2]:void 0,2)),void 0==y||f==Array&&s(y))for(e=l(d.length),n=new f(e);e>g;g++)u(n,g,m?v(d[g],g):d[g]);else for(h=y.call(d),n=new f;!(r=h.next()).done;g++)u(n,g,m?a(h,v,[r.value,g],!0):r.value);return n.length=g,n}})},"1d2b":function(t,e,n){"use strict";t.exports=function(t,e){return function(){for(var n=new Array(arguments.length),i=0;i<n.length;i++)n[i]=arguments[i];return t.apply(e,n)}}},"1ec9":function(t,e,n){var i=n("f772"),r=n("e53d").document,o=i(r)&&i(r.createElement);t.exports=function(t){return o?r.createElement(t):{}}},"1fa8":function(t,e,n){var i=n("cb7c");t.exports=function(t,e,n,r){try{return r?e(i(n)[0],n[1]):e(n)}catch(a){var o=t["return"];throw void 0!==o&&i(o.call(t)),a}}},"1fb5":function(t,e,n){"use strict";e.byteLength=c,e.toByteArray=d,e.fromByteArray=v;for(var i=[],r=[],o="undefined"!==typeof Uint8Array?Uint8Array:Array,a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",s=0,l=a.length;s<l;++s)i[s]=a[s],r[a.charCodeAt(s)]=s;function u(t){var e=t.length;if(e%4>0)throw new Error("Invalid string. Length must be a multiple of 4");var n=t.indexOf("=");-1===n&&(n=e);var i=n===e?0:4-n%4;return[n,i]}function c(t){var e=u(t),n=e[0],i=e[1];return 3*(n+i)/4-i}function h(t,e,n){return 3*(e+n)/4-n}function d(t){var e,n,i=u(t),a=i[0],s=i[1],l=new o(h(t,a,s)),c=0,d=s>0?a-4:a;for(n=0;n<d;n+=4)e=r[t.charCodeAt(n)]<<18|r[t.charCodeAt(n+1)]<<12|r[t.charCodeAt(n+2)]<<6|r[t.charCodeAt(n+3)],l[c++]=e>>16&255,l[c++]=e>>8&255,l[c++]=255&e;return 2===s&&(e=r[t.charCodeAt(n)]<<2|r[t.charCodeAt(n+1)]>>4,l[c++]=255&e),1===s&&(e=r[t.charCodeAt(n)]<<10|r[t.charCodeAt(n+1)]<<4|r[t.charCodeAt(n+2)]>>2,l[c++]=e>>8&255,l[c++]=255&e),l}function f(t){return i[t>>18&63]+i[t>>12&63]+i[t>>6&63]+i[63&t]}function p(t,e,n){for(var i,r=[],o=e;o<n;o+=3)i=(t[o]<<16&16711680)+(t[o+1]<<8&65280)+(255&t[o+2]),r.push(f(i));return r.join("")}function v(t){for(var e,n=t.length,r=n%3,o=[],a=16383,s=0,l=n-r;s<l;s+=a)o.push(p(t,s,s+a>l?l:s+a));return 1===r?(e=t[n-1],o.push(i[e>>2]+i[e<<4&63]+"==")):2===r&&(e=(t[n-2]<<8)+t[n-1],o.push(i[e>>10]+i[e>>4&63]+i[e<<2&63]+"=")),o.join("")}r["-".charCodeAt(0)]=62,r["_".charCodeAt(0)]=63},"20fd":function(t,e,n){"use strict";var i=n("d9f6"),r=n("aebd");t.exports=function(t,e,n){e in t?i.f(t,e,r(0,n)):t[e]=n}},"214f":function(t,e,n){"use strict";n("b0c5");var i=n("2aba"),r=n("32e9"),o=n("79e5"),a=n("be13"),s=n("2b4c"),l=n("520a"),u=s("species"),c=!o((function(){var t=/./;return t.exec=function(){var t=[];return t.groups={a:"7"},t},"7"!=="".replace(t,"$<a>")})),h=function(){var t=/(?:)/,e=t.exec;t.exec=function(){return e.apply(this,arguments)};var n="ab".split(t);return 2===n.length&&"a"===n[0]&&"b"===n[1]}();t.exports=function(t,e,n){var d=s(t),f=!o((function(){var e={};return e[d]=function(){return 7},7!=""[t](e)})),p=f?!o((function(){var e=!1,n=/a/;return n.exec=function(){return e=!0,null},"split"===t&&(n.constructor={},n.constructor[u]=function(){return n}),n[d](""),!e})):void 0;if(!f||!p||"replace"===t&&!c||"split"===t&&!h){var v=/./[d],m=n(a,d,""[t],(function(t,e,n,i,r){return e.exec===l?f&&!r?{done:!0,value:v.call(e,n,i)}:{done:!0,value:t.call(n,e,i)}:{done:!1}})),g=m[0],y=m[1];i(String.prototype,t,g),r(RegExp.prototype,d,2==e?function(t,e){return y.call(t,this,e)}:function(t){return y.call(t,this)})}}},"230e":function(t,e,n){var i=n("d3f4"),r=n("7726").document,o=i(r)&&i(r.createElement);t.exports=function(t){return o?r.createElement(t):{}}},2350:function(t,e){function n(t,e){var n=t[1]||"",r=t[3];if(!r)return n;if(e&&"function"===typeof btoa){var o=i(r),a=r.sources.map((function(t){return"/*# sourceURL="+r.sourceRoot+t+" */"}));return[n].concat(a).concat([o]).join("\n")}return[n].join("\n")}function i(t){var e=btoa(unescape(encodeURIComponent(JSON.stringify(t)))),n="sourceMappingURL=data:application/json;charset=utf-8;base64,"+e;return"/*# "+n+" */"}t.exports=function(t){var e=[];return e.toString=function(){return this.map((function(e){var i=n(e,t);return e[2]?"@media "+e[2]+"{"+i+"}":i})).join("")},e.i=function(t,n){"string"===typeof t&&(t=[[null,t,""]]);for(var i={},r=0;r<this.length;r++){var o=this[r][0];"number"===typeof o&&(i[o]=!0)}for(r=0;r<t.length;r++){var a=t[r];"number"===typeof a[0]&&i[a[0]]||(n&&!a[2]?a[2]=n:n&&(a[2]="("+a[2]+") and ("+n+")"),e.push(a))}},e}},"23c6":function(t,e,n){var i=n("2d95"),r=n("2b4c")("toStringTag"),o="Arguments"==i(function(){return arguments}()),a=function(t,e){try{return t[e]}catch(n){}};t.exports=function(t){var e,n,s;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=a(e=Object(t),r))?n:o?i(e):"Object"==(s=i(e))&&"function"==typeof e.callee?"Arguments":s}},"241e":function(t,e,n){var i=n("25eb");t.exports=function(t){return Object(i(t))}},2444:function(t,e,n){"use strict";(function(e){var i=n("c532"),r=n("c8af"),o={"Content-Type":"application/x-www-form-urlencoded"};function a(t,e){!i.isUndefined(t)&&i.isUndefined(t["Content-Type"])&&(t["Content-Type"]=e)}function s(){var t;return("undefined"!==typeof XMLHttpRequest||"undefined"!==typeof e&&"[object process]"===Object.prototype.toString.call(e))&&(t=n("b50d")),t}var l={adapter:s(),transformRequest:[function(t,e){return r(e,"Accept"),r(e,"Content-Type"),i.isFormData(t)||i.isArrayBuffer(t)||i.isBuffer(t)||i.isStream(t)||i.isFile(t)||i.isBlob(t)?t:i.isArrayBufferView(t)?t.buffer:i.isURLSearchParams(t)?(a(e,"application/x-www-form-urlencoded;charset=utf-8"),t.toString()):i.isObject(t)?(a(e,"application/json;charset=utf-8"),JSON.stringify(t)):t}],transformResponse:[function(t){if("string"===typeof t)try{t=JSON.parse(t)}catch(e){}return t}],timeout:0,xsrfCookieName:"XSRF-TOKEN",xsrfHeaderName:"X-XSRF-TOKEN",maxContentLength:-1,validateStatus:function(t){return t>=200&&t<300},headers:{common:{Accept:"application/json, text/plain, */*"}}};i.forEach(["delete","get","head"],(function(t){l.headers[t]={}})),i.forEach(["post","put","patch"],(function(t){l.headers[t]=i.merge(o)})),t.exports=l}).call(this,n("2820"))},"25eb":function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},2621:function(t,e){e.f=Object.getOwnPropertySymbols},"27ee":function(t,e,n){var i=n("23c6"),r=n("2b4c")("iterator"),o=n("84f2");t.exports=n("8378").getIteratorMethod=function(t){if(void 0!=t)return t[r]||t["@@iterator"]||o[i(t)]}},2820:function(t,e){var n,i,r=t.exports={};function o(){throw new Error("setTimeout has not been defined")}function a(){throw new Error("clearTimeout has not been defined")}function s(t){if(n===setTimeout)return setTimeout(t,0);if((n===o||!n)&&setTimeout)return n=setTimeout,setTimeout(t,0);try{return n(t,0)}catch(e){try{return n.call(null,t,0)}catch(e){return n.call(this,t,0)}}}function l(t){if(i===clearTimeout)return clearTimeout(t);if((i===a||!i)&&clearTimeout)return i=clearTimeout,clearTimeout(t);try{return i(t)}catch(e){try{return i.call(null,t)}catch(e){return i.call(this,t)}}}(function(){try{n="function"===typeof setTimeout?setTimeout:o}catch(t){n=o}try{i="function"===typeof clearTimeout?clearTimeout:a}catch(t){i=a}})();var u,c=[],h=!1,d=-1;function f(){h&&u&&(h=!1,u.length?c=u.concat(c):d=-1,c.length&&p())}function p(){if(!h){var t=s(f);h=!0;var e=c.length;while(e){u=c,c=[];while(++d<e)u&&u[d].run();d=-1,e=c.length}u=null,h=!1,l(t)}}function v(t,e){this.fun=t,this.array=e}function m(){}r.nextTick=function(t){var e=new Array(arguments.length-1);if(arguments.length>1)for(var n=1;n<arguments.length;n++)e[n-1]=arguments[n];c.push(new v(t,e)),1!==c.length||h||s(p)},v.prototype.run=function(){this.fun.apply(null,this.array)},r.title="browser",r.browser=!0,r.env={},r.argv=[],r.version="",r.versions={},r.on=m,r.addListener=m,r.once=m,r.off=m,r.removeListener=m,r.removeAllListeners=m,r.emit=m,r.prependListener=m,r.prependOnceListener=m,r.listeners=function(t){return[]},r.binding=function(t){throw new Error("process.binding is not supported")},r.cwd=function(){return"/"},r.chdir=function(t){throw new Error("process.chdir is not supported")},r.umask=function(){return 0}},"28a5":function(t,e,n){"use strict";var i=n("aae3"),r=n("cb7c"),o=n("ebd6"),a=n("0390"),s=n("9def"),l=n("5f1b"),u=n("520a"),c=n("79e5"),h=Math.min,d=[].push,f="split",p="length",v="lastIndex",m=4294967295,g=!c((function(){RegExp(m,"y")}));n("214f")("split",2,(function(t,e,n,c){var y;return y="c"=="abbc"[f](/(b)*/)[1]||4!="test"[f](/(?:)/,-1)[p]||2!="ab"[f](/(?:ab)*/)[p]||4!="."[f](/(.?)(.?)/)[p]||"."[f](/()()/)[p]>1||""[f](/.?/)[p]?function(t,e){var r=String(this);if(void 0===t&&0===e)return[];if(!i(t))return n.call(r,t,e);var o,a,s,l=[],c=(t.ignoreCase?"i":"")+(t.multiline?"m":"")+(t.unicode?"u":"")+(t.sticky?"y":""),h=0,f=void 0===e?m:e>>>0,g=new RegExp(t.source,c+"g");while(o=u.call(g,r)){if(a=g[v],a>h&&(l.push(r.slice(h,o.index)),o[p]>1&&o.index<r[p]&&d.apply(l,o.slice(1)),s=o[0][p],h=a,l[p]>=f))break;g[v]===o.index&&g[v]++}return h===r[p]?!s&&g.test("")||l.push(""):l.push(r.slice(h)),l[p]>f?l.slice(0,f):l}:"0"[f](void 0,0)[p]?function(t,e){return void 0===t&&0===e?[]:n.call(this,t,e)}:n,[function(n,i){var r=t(this),o=void 0==n?void 0:n[e];return void 0!==o?o.call(n,r,i):y.call(String(r),n,i)},function(t,e){var i=c(y,t,this,e,y!==n);if(i.done)return i.value;var u=r(t),d=String(this),f=o(u,RegExp),p=u.unicode,v=(u.ignoreCase?"i":"")+(u.multiline?"m":"")+(u.unicode?"u":"")+(g?"y":"g"),_=new f(g?u:"^(?:"+u.source+")",v),b=void 0===e?m:e>>>0;if(0===b)return[];if(0===d.length)return null===l(_,d)?[d]:[];var w=0,A=0,x=[];while(A<d.length){_.lastIndex=g?A:0;var k,j=l(_,g?d:d.slice(A));if(null===j||(k=h(s(_.lastIndex+(g?0:A)),d.length))===w)A=a(d,A,p);else{if(x.push(d.slice(w,A)),x.length===b)return x;for(var C=1;C<=j.length-1;C++)if(x.push(j[C]),x.length===b)return x;A=w=k}}return x.push(d.slice(w)),x}]}))},"294c":function(t,e){t.exports=function(t){try{return!!t()}catch(e){return!0}}},"2aba":function(t,e,n){var i=n("7726"),r=n("32e9"),o=n("69a8"),a=n("ca5a")("src"),s=n("fa5b"),l="toString",u=(""+s).split(l);n("8378").inspectSource=function(t){return s.call(t)},(t.exports=function(t,e,n,s){var l="function"==typeof n;l&&(o(n,"name")||r(n,"name",e)),t[e]!==n&&(l&&(o(n,a)||r(n,a,t[e]?""+t[e]:u.join(String(e)))),t===i?t[e]=n:s?t[e]?t[e]=n:r(t,e,n):(delete t[e],r(t,e,n)))})(Function.prototype,l,(function(){return"function"==typeof this&&this[a]||s.call(this)}))},"2aeb":function(t,e,n){var i=n("cb7c"),r=n("1495"),o=n("e11e"),a=n("613b")("IE_PROTO"),s=function(){},l="prototype",u=function(){var t,e=n("230e")("iframe"),i=o.length,r="<",a=">";e.style.display="none",n("fab2").appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(r+"script"+a+"document.F=Object"+r+"/script"+a),t.close(),u=t.F;while(i--)delete u[l][o[i]];return u()};t.exports=Object.create||function(t,e){var n;return null!==t?(s[l]=i(t),n=new s,s[l]=null,n[a]=t):n=u(),void 0===e?n:r(n,e)}},"2b4c":function(t,e,n){var i=n("5537")("wks"),r=n("ca5a"),o=n("7726").Symbol,a="function"==typeof o,s=t.exports=function(t){return i[t]||(i[t]=a&&o[t]||(a?o:r)("Symbol."+t))};s.store=i},"2b8c":function(t,e,n){var i=n("be09"),r=t.exports={WebVTT:n("d02c"),VTTCue:n("b03c"),VTTRegion:n("f97d")};i.vttjs=r,i.WebVTT=r.WebVTT;var o=r.VTTCue,a=r.VTTRegion,s=i.VTTCue,l=i.VTTRegion;r.shim=function(){i.VTTCue=o,i.VTTRegion=a},r.restore=function(){i.VTTCue=s,i.VTTRegion=l},i.VTTCue||r.shim()},"2ce8":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'/*!\n * Quill Editor v1.3.7\n * https://quilljs.com/\n * Copyright (c) 2014, Jason Chen\n * Copyright (c) 2013, salesforce.com\n */.ql-container{box-sizing:border-box;font-family:Helvetica,Arial,sans-serif;font-size:13px;height:100%;margin:0;position:relative}.ql-container.ql-disabled .ql-tooltip{visibility:hidden}.ql-container.ql-disabled .ql-editor ul[data-checked]>li:before{pointer-events:none}.ql-clipboard{left:-100000px;height:1px;overflow-y:hidden;position:absolute;top:50%}.ql-clipboard p{margin:0;padding:0}.ql-editor{box-sizing:border-box;line-height:1.42;height:100%;outline:none;overflow-y:auto;padding:12px 15px;-o-tab-size:4;tab-size:4;-moz-tab-size:4;text-align:left;white-space:pre-wrap;word-wrap:break-word}.ql-editor>*{cursor:text}.ql-editor blockquote,.ql-editor h1,.ql-editor h2,.ql-editor h3,.ql-editor h4,.ql-editor h5,.ql-editor h6,.ql-editor ol,.ql-editor p,.ql-editor pre,.ql-editor ul{margin:0;padding:0;counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol,.ql-editor ul{padding-left:1.5em}.ql-editor ol>li,.ql-editor ul>li{list-style-type:none}.ql-editor ul>li:before{content:"\\2022"}.ql-editor ul[data-checked=false],.ql-editor ul[data-checked=true]{pointer-events:none}.ql-editor ul[data-checked=false]>li *,.ql-editor ul[data-checked=true]>li *{pointer-events:all}.ql-editor ul[data-checked=false]>li:before,.ql-editor ul[data-checked=true]>li:before{color:#777;cursor:pointer;pointer-events:all}.ql-editor ul[data-checked=true]>li:before{content:"\\2611"}.ql-editor ul[data-checked=false]>li:before{content:"\\2610"}.ql-editor li:before{display:inline-block;white-space:nowrap;width:1.2em}.ql-editor li:not(.ql-direction-rtl):before{margin-left:-1.5em;margin-right:.3em;text-align:right}.ql-editor li.ql-direction-rtl:before{margin-left:.3em;margin-right:-1.5em}.ql-editor ol li:not(.ql-direction-rtl),.ql-editor ul li:not(.ql-direction-rtl){padding-left:1.5em}.ql-editor ol li.ql-direction-rtl,.ql-editor ul li.ql-direction-rtl{padding-right:1.5em}.ql-editor ol li{counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9;counter-increment:list-0}.ql-editor ol li:before{content:counter(list-0,decimal) ". "}.ql-editor ol li.ql-indent-1{counter-increment:list-1}.ql-editor ol li.ql-indent-1:before{content:counter(list-1,lower-alpha) ". "}.ql-editor ol li.ql-indent-1{counter-reset:list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-2{counter-increment:list-2}.ql-editor ol li.ql-indent-2:before{content:counter(list-2,lower-roman) ". "}.ql-editor ol li.ql-indent-2{counter-reset:list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-3{counter-increment:list-3}.ql-editor ol li.ql-indent-3:before{content:counter(list-3,decimal) ". "}.ql-editor ol li.ql-indent-3{counter-reset:list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-4{counter-increment:list-4}.ql-editor ol li.ql-indent-4:before{content:counter(list-4,lower-alpha) ". "}.ql-editor ol li.ql-indent-4{counter-reset:list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-5{counter-increment:list-5}.ql-editor ol li.ql-indent-5:before{content:counter(list-5,lower-roman) ". "}.ql-editor ol li.ql-indent-5{counter-reset:list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-6{counter-increment:list-6}.ql-editor ol li.ql-indent-6:before{content:counter(list-6,decimal) ". "}.ql-editor ol li.ql-indent-6{counter-reset:list-7 list-8 list-9}.ql-editor ol li.ql-indent-7{counter-increment:list-7}.ql-editor ol li.ql-indent-7:before{content:counter(list-7,lower-alpha) ". "}.ql-editor ol li.ql-indent-7{counter-reset:list-8 list-9}.ql-editor ol li.ql-indent-8{counter-increment:list-8}.ql-editor ol li.ql-indent-8:before{content:counter(list-8,lower-roman) ". "}.ql-editor ol li.ql-indent-8{counter-reset:list-9}.ql-editor ol li.ql-indent-9{counter-increment:list-9}.ql-editor ol li.ql-indent-9:before{content:counter(list-9,decimal) ". "}.ql-editor .ql-indent-1:not(.ql-direction-rtl){padding-left:3em}.ql-editor li.ql-indent-1:not(.ql-direction-rtl){padding-left:4.5em}.ql-editor .ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:3em}.ql-editor li.ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:4.5em}.ql-editor .ql-indent-2:not(.ql-direction-rtl){padding-left:6em}.ql-editor li.ql-indent-2:not(.ql-direction-rtl){padding-left:7.5em}.ql-editor .ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:6em}.ql-editor li.ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:7.5em}.ql-editor .ql-indent-3:not(.ql-direction-rtl){padding-left:9em}.ql-editor li.ql-indent-3:not(.ql-direction-rtl){padding-left:10.5em}.ql-editor .ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:9em}.ql-editor li.ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:10.5em}.ql-editor .ql-indent-4:not(.ql-direction-rtl){padding-left:12em}.ql-editor li.ql-indent-4:not(.ql-direction-rtl){padding-left:13.5em}.ql-editor .ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:12em}.ql-editor li.ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:13.5em}.ql-editor .ql-indent-5:not(.ql-direction-rtl){padding-left:15em}.ql-editor li.ql-indent-5:not(.ql-direction-rtl){padding-left:16.5em}.ql-editor .ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:15em}.ql-editor li.ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:16.5em}.ql-editor .ql-indent-6:not(.ql-direction-rtl){padding-left:18em}.ql-editor li.ql-indent-6:not(.ql-direction-rtl){padding-left:19.5em}.ql-editor .ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:18em}.ql-editor li.ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:19.5em}.ql-editor .ql-indent-7:not(.ql-direction-rtl){padding-left:21em}.ql-editor li.ql-indent-7:not(.ql-direction-rtl){padding-left:22.5em}.ql-editor .ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:21em}.ql-editor li.ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:22.5em}.ql-editor .ql-indent-8:not(.ql-direction-rtl){padding-left:24em}.ql-editor li.ql-indent-8:not(.ql-direction-rtl){padding-left:25.5em}.ql-editor .ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:24em}.ql-editor li.ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:25.5em}.ql-editor .ql-indent-9:not(.ql-direction-rtl){padding-left:27em}.ql-editor li.ql-indent-9:not(.ql-direction-rtl){padding-left:28.5em}.ql-editor .ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:27em}.ql-editor li.ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:28.5em}.ql-editor .ql-video{display:block;max-width:100%}.ql-editor .ql-video.ql-align-center{margin:0 auto}.ql-editor .ql-video.ql-align-right{margin:0 0 0 auto}.ql-editor .ql-bg-black{background-color:#000}.ql-editor .ql-bg-red{background-color:#e60000}.ql-editor .ql-bg-orange{background-color:#f90}.ql-editor .ql-bg-yellow{background-color:#ff0}.ql-editor .ql-bg-green{background-color:#008a00}.ql-editor .ql-bg-blue{background-color:#06c}.ql-editor .ql-bg-purple{background-color:#93f}.ql-editor .ql-color-white{color:#fff}.ql-editor .ql-color-red{color:#e60000}.ql-editor .ql-color-orange{color:#f90}.ql-editor .ql-color-yellow{color:#ff0}.ql-editor .ql-color-green{color:#008a00}.ql-editor .ql-color-blue{color:#06c}.ql-editor .ql-color-purple{color:#93f}.ql-editor .ql-font-serif{font-family:Georgia,Times New Roman,serif}.ql-editor .ql-font-monospace{font-family:Monaco,Courier New,monospace}.ql-editor .ql-size-small{font-size:.75em}.ql-editor .ql-size-large{font-size:1.5em}.ql-editor .ql-size-huge{font-size:2.5em}.ql-editor .ql-direction-rtl{direction:rtl;text-align:inherit}.ql-editor .ql-align-center{text-align:center}.ql-editor .ql-align-justify{text-align:justify}.ql-editor .ql-align-right{text-align:right}.ql-editor.ql-blank:before{color:rgba(0,0,0,.6);content:attr(data-placeholder);font-style:italic;left:15px;pointer-events:none;position:absolute;right:15px}',""])},"2d00":function(t,e){t.exports=!1},"2d83":function(t,e,n){"use strict";var i=n("387f");t.exports=function(t,e,n,r,o){var a=new Error(t);return i(a,e,n,r,o)}},"2d95":function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},"2e67":function(t,e,n){"use strict";t.exports=function(t){return!(!t||!t.__CANCEL__)}},"2f21":function(t,e,n){"use strict";var i=n("79e5");t.exports=function(t,e){return!!t&&i((function(){e?t.call(null,(function(){}),1):t.call(null)}))}},"30b5":function(t,e,n){"use strict";var i=n("c532");function r(t){return encodeURIComponent(t).replace(/%40/gi,"@").replace(/%3A/gi,":").replace(/%24/g,"$").replace(/%2C/gi,",").replace(/%20/g,"+").replace(/%5B/gi,"[").replace(/%5D/gi,"]")}t.exports=function(t,e,n){if(!e)return t;var o;if(n)o=n(e);else if(i.isURLSearchParams(e))o=e.toString();else{var a=[];i.forEach(e,(function(t,e){null!==t&&"undefined"!==typeof t&&(i.isArray(t)?e+="[]":t=[t],i.forEach(t,(function(t){i.isDate(t)?t=t.toISOString():i.isObject(t)&&(t=JSON.stringify(t)),a.push(r(e)+"="+r(t))})))})),o=a.join("&")}if(o){var s=t.indexOf("#");-1!==s&&(t=t.slice(0,s)),t+=(-1===t.indexOf("?")?"?":"&")+o}return t}},"30f1":function(t,e,n){"use strict";var i=n("b8e3"),r=n("63b6"),o=n("9138"),a=n("35e8"),s=n("481b"),l=n("8f60"),u=n("45f2"),c=n("53e2"),h=n("5168")("iterator"),d=!([].keys&&"next"in[].keys()),f="@@iterator",p="keys",v="values",m=function(){return this};t.exports=function(t,e,n,g,y,_,b){l(n,e,g);var w,A,x,k=function(t){if(!d&&t in E)return E[t];switch(t){case p:return function(){return new n(this,t)};case v:return function(){return new n(this,t)}}return function(){return new n(this,t)}},j=e+" Iterator",C=y==v,T=!1,E=t.prototype,S=E[h]||E[f]||y&&E[y],O=S||k(y),q=y?C?k("entries"):O:void 0,N="Array"==e&&E.entries||S;if(N&&(x=c(N.call(new t)),x!==Object.prototype&&x.next&&(u(x,j,!0),i||"function"==typeof x[h]||a(x,h,m))),C&&S&&S.name!==v&&(T=!0,O=function(){return S.call(this)}),i&&!b||!d&&!T&&E[h]||a(E,h,O),s[e]=O,s[j]=m,y)if(w={values:C?O:k(v),keys:_?O:k(p),entries:q},b)for(A in w)A in E||o(E,A,w[A]);else r(r.P+r.F*(d||T),e,w);return w}},"32a6":function(t,e,n){var i=n("241e"),r=n("c3a1");n("ce7e")("keys",(function(){return function(t){return r(i(t))}}))},"32e9":function(t,e,n){var i=n("86cc"),r=n("4630");t.exports=n("9e1e")?function(t,e,n){return i.f(t,e,r(1,n))}:function(t,e,n){return t[e]=n,t}},"32fc":function(t,e,n){var i=n("e53d").document;t.exports=i&&i.documentElement},"335c":function(t,e,n){var i=n("6b4c");t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==i(t)?t.split(""):Object(t)}},"33a4":function(t,e,n){var i=n("84f2"),r=n("2b4c")("iterator"),o=Array.prototype;t.exports=function(t){return void 0!==t&&(i.Array===t||o[r]===t)}},"349d":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".eBusStop-line-chart-list-outer-div,.eBusStop-line-chart-list-outer-div *{box-sizing:border-box}.eBusStop-line-chart-list-outer-div .eBusStop-line-chart-outer-div{float:left}",""])},"34f6":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".bsth-datetime-outer-div,.bsth-datetime-outer-div *{box-sizing:border-box}.bsth-datetime-outer-div svg.datetime-chart{width:100%;height:100%;position:absolute;left:0}",""])},"355d":function(t,e){e.f={}.propertyIsEnumerable},"35e8":function(t,e,n){var i=n("d9f6"),r=n("aebd");t.exports=n("8e60")?function(t,e,n){return i.f(t,e,r(1,n))}:function(t,e,n){return t[e]=n,t}},"36c3":function(t,e,n){var i=n("335c"),r=n("25eb");t.exports=function(t){return i(r(t))}},3702:function(t,e,n){var i=n("481b"),r=n("5168")("iterator"),o=Array.prototype;t.exports=function(t){return void 0!==t&&(i.Array===t||o[r]===t)}},"37c8":function(t,e,n){e.f=n("2b4c")},3846:function(t,e,n){n("9e1e")&&"g"!=/./g.flags&&n("86cc").f(RegExp.prototype,"flags",{configurable:!0,get:n("0bfb")})},"386d":function(t,e,n){"use strict";var i=n("cb7c"),r=n("83a1"),o=n("5f1b");n("214f")("search",1,(function(t,e,n,a){return[function(n){var i=t(this),r=void 0==n?void 0:n[e];return void 0!==r?r.call(n,i):new RegExp(n)[e](String(i))},function(t){var e=a(n,t,this);if(e.done)return e.value;var s=i(t),l=String(this),u=s.lastIndex;r(u,0)||(s.lastIndex=0);var c=o(s,l);return r(s.lastIndex,u)||(s.lastIndex=u),null===c?-1:c.index}]}))},"387f":function(t,e,n){"use strict";t.exports=function(t,e,n,i,r){return t.config=e,n&&(t.code=n),t.request=i,t.response=r,t.isAxiosError=!0,t.toJSON=function(){return{message:this.message,name:this.name,description:this.description,number:this.number,fileName:this.fileName,lineNumber:this.lineNumber,columnNumber:this.columnNumber,stack:this.stack,config:this.config,code:this.code}},t}},"38fd":function(t,e,n){var i=n("69a8"),r=n("4bf8"),o=n("613b")("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=r(t),i(t,o)?t[o]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},3934:function(t,e,n){"use strict";var i=n("c532");t.exports=i.isStandardBrowserEnv()?function(){var t,e=/(msie|trident)/i.test(navigator.userAgent),n=document.createElement("a");function r(t){var i=t;return e&&(n.setAttribute("href",i),i=n.href),n.setAttribute("href",i),{href:n.href,protocol:n.protocol?n.protocol.replace(/:$/,""):"",host:n.host,search:n.search?n.search.replace(/^\?/,""):"",hash:n.hash?n.hash.replace(/^#/,""):"",hostname:n.hostname,port:n.port,pathname:"/"===n.pathname.charAt(0)?n.pathname:"/"+n.pathname}}return t=r(window.location.href),function(e){var n=i.isString(e)?r(e):e;return n.protocol===t.protocol&&n.host===t.host}}():function(){return function(){return!0}}()},"3a38":function(t,e){var n=Math.ceil,i=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?i:n)(t)}},"3a72":function(t,e,n){var i=n("7726"),r=n("8378"),o=n("2d00"),a=n("37c8"),s=n("86cc").f;t.exports=function(t){var e=r.Symbol||(r.Symbol=o?{}:i.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:a.f(t)})}},"3d33":function(t,e,n){
9 9 /**
10 10 * @license
11 11 * Video.js 6.13.0 <http://videojs.com/>
... ... @@ -17,29 +17,29 @@ var i=n(&quot;1fb5&quot;),o=n(&quot;9152&quot;),r=n(&quot;bf74&quot;);function a(){try{var t=new Uint8Array(1)
17 17 * Available under Apache License Version 2.0
18 18 * <https://github.com/mozilla/vtt.js/blob/master/LICENSE>
19 19 */
20   -function i(t){return t&&"object"===typeof t&&"default"in t?t["default"]:t}var o=i(n("be09")),r=i(n("ef34")),a=i(n("1b8d")),s=i(n("8c10")),l=i(n("eec7")),c=i(n("2b8c")),u="6.13.0",h=o.navigator&&o.navigator.userAgent||"",d=/AppleWebKit\/([\d.]+)/i.exec(h),f=d?parseFloat(d.pop()):null,A=/iPad/i.test(h),p=/iPhone/i.test(h)&&!A,g=/iPod/i.test(h),v=p||A||g,m=function(){var t=h.match(/OS (\d+)_/i);return t&&t[1]?t[1]:null}(),y=/Android/i.test(h),b=function(){var t=h.match(/Android (\d+)(?:\.(\d+))?(?:\.(\d+))*/i);if(!t)return null;var e=t[1]&&parseFloat(t[1]),n=t[2]&&parseFloat(t[2]);return e&&n?parseFloat(t[1]+"."+t[2]):e||null}(),w=y&&/webkit/i.test(h)&&b<2.3,E=y&&b<5&&f<537,_=/Firefox/i.test(h),B=/Edge/i.test(h),x=!B&&(/Chrome/i.test(h)||/CriOS/i.test(h)),C=function(){var t=h.match(/(Chrome|CriOS)\/(\d+)/);return t&&t[2]?parseFloat(t[2]):null}(),k=/MSIE\s8\.0/.test(h),j=function(){var t=/MSIE\s(\d+)\.\d/.exec(h),e=t&&parseFloat(t[1]);return!e&&/Trident\/7.0/i.test(h)&&/rv:11.0/.test(h)&&(e=11),e}(),I=/Safari/i.test(h)&&!x&&!y&&!B,D=(I||v)&&!x,F=nt()&&("ontouchstart"in o||o.navigator.maxTouchPoints||o.DocumentTouch&&o.document instanceof o.DocumentTouch),M=nt()&&"backgroundSize"in o.document.createElement("video").style,T=(Object.freeze||Object)({IS_IPAD:A,IS_IPHONE:p,IS_IPOD:g,IS_IOS:v,IOS_VERSION:m,IS_ANDROID:y,ANDROID_VERSION:b,IS_OLD_ANDROID:w,IS_NATIVE_ANDROID:E,IS_FIREFOX:_,IS_EDGE:B,IS_CHROME:x,CHROME_VERSION:C,IS_IE8:k,IE_VERSION:j,IS_SAFARI:I,IS_ANY_SAFARI:D,TOUCH_ENABLED:F,BACKGROUND_SIZE_SUPPORTED:M}),N="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},S=function(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")},Q=function(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)},Y=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e},O=function(t,e){return t.raw=e,t},R=Object.prototype.toString,P=function(t){return z(t)?Object.keys(t):[]};function q(t,e){P(t).forEach((function(n){return e(t[n],n)}))}function U(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return P(t).reduce((function(n,i){return e(n,t[i],i)}),n)}function L(t){for(var e=arguments.length,n=Array(e>1?e-1:0),i=1;i<e;i++)n[i-1]=arguments[i];return Object.assign?Object.assign.apply(Object,[t].concat(n)):(n.forEach((function(e){e&&q(e,(function(e,n){t[n]=e}))})),t)}function z(t){return!!t&&"object"===("undefined"===typeof t?"undefined":N(t))}function H(t){return z(t)&&"[object Object]"===R.call(t)&&t.constructor===Object}var G=[],W=function(t,e){return function(n,i,r,a){var s=e.levels[i],l=new RegExp("^("+s+")$");if("log"!==n&&r.unshift(n.toUpperCase()+":"),r.unshift(t+":"),G&&G.push([].concat(r)),o.console){var c=o.console[n];c||"debug"!==n||(c=o.console.info||o.console.log),c&&s&&l.test(n)&&(a&&(r=r.map((function(t){if(z(t)||Array.isArray(t))try{return JSON.stringify(t)}catch(e){return String(t)}return String(t)})).join(" ")),c.apply?c[Array.isArray(r)?"apply":"call"](o.console,r):c(r))}}};function J(t){var e="info",n=void 0,i=function t(){for(var i=t.stringify||j&&j<11,o=arguments.length,r=Array(o),a=0;a<o;a++)r[a]=arguments[a];n("log",e,r,i)};return n=W(t,i),i.createLogger=function(e){return J(t+": "+e)},i.levels={all:"debug|log|warn|error",off:"",debug:"debug|log|warn|error",info:"log|warn|error",warn:"warn|error",error:"error",DEFAULT:e},i.level=function(t){if("string"===typeof t){if(!i.levels.hasOwnProperty(t))throw new Error('"'+t+'" in not a valid log level');e=t}return e},i.history=function(){return G?[].concat(G):[]},i.history.filter=function(t){return(G||[]).filter((function(e){return new RegExp(".*"+t+".*").test(e[0])}))},i.history.clear=function(){G&&(G.length=0)},i.history.disable=function(){null!==G&&(G.length=0,G=null)},i.history.enable=function(){null===G&&(G=[])},i.error=function(){for(var t=arguments.length,i=Array(t),o=0;o<t;o++)i[o]=arguments[o];return n("error",e,i)},i.warn=function(){for(var t=arguments.length,i=Array(t),o=0;o<t;o++)i[o]=arguments[o];return n("warn",e,i)},i.debug=function(){for(var t=arguments.length,i=Array(t),o=0;o<t;o++)i[o]=arguments[o];return n("debug",e,i)},i}var V=J("VIDEOJS"),X=V.createLogger;function Z(t,e){if(!t||!e)return"";if("function"===typeof o.getComputedStyle){var n=o.getComputedStyle(t);return n?n[e]:""}return t.currentStyle[e]||""}var K=O(["Setting attributes in the second argument of createEl()\n has been deprecated. Use the third argument instead.\n createEl(type, properties, attributes). Attempting to set "," to ","."],["Setting attributes in the second argument of createEl()\n has been deprecated. Use the third argument instead.\n createEl(type, properties, attributes). Attempting to set "," to ","."]);function $(t){return"string"===typeof t&&/\S/.test(t)}function tt(t){if(/\s/.test(t))throw new Error("class has illegal whitespace characters")}function et(t){return new RegExp("(^|\\s)"+t+"($|\\s)")}function nt(){return r===o.document&&"undefined"!==typeof r.createElement}function it(t){return z(t)&&1===t.nodeType}function ot(){try{return o.parent!==o.self}catch(t){return!0}}function rt(t){return function(e,n){if(!$(e))return r[t](null);$(n)&&(n=r.querySelector(n));var i=it(n)?n:r;return i[t]&&i[t](e)}}function at(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"div",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=arguments[3],o=r.createElement(t);return Object.getOwnPropertyNames(e).forEach((function(t){var n=e[t];-1!==t.indexOf("aria-")||"role"===t||"type"===t?(V.warn(a(K,t,n)),o.setAttribute(t,n)):"textContent"===t?st(o,n):o[t]=n})),Object.getOwnPropertyNames(n).forEach((function(t){o.setAttribute(t,n[t])})),i&&Ct(o,i),o}function st(t,e){return"undefined"===typeof t.textContent?t.innerText=e:t.textContent=e,t}function lt(t,e){e.firstChild?e.insertBefore(t,e.firstChild):e.appendChild(t)}function ct(t,e){return tt(e),t.classList?t.classList.contains(e):et(e).test(t.className)}function ut(t,e){return t.classList?t.classList.add(e):ct(t,e)||(t.className=(t.className+" "+e).trim()),t}function ht(t,e){return t.classList?t.classList.remove(e):(tt(e),t.className=t.className.split(/\s+/).filter((function(t){return t!==e})).join(" ")),t}function dt(t,e,n){var i=ct(t,e);if("function"===typeof n&&(n=n(t,e)),"boolean"!==typeof n&&(n=!i),n!==i)return n?ut(t,e):ht(t,e),t}function ft(t,e){Object.getOwnPropertyNames(e).forEach((function(n){var i=e[n];null===i||"undefined"===typeof i||!1===i?t.removeAttribute(n):t.setAttribute(n,!0===i?"":i)}))}function At(t){var e={},n=",autoplay,controls,playsinline,loop,muted,default,defaultMuted,";if(t&&t.attributes&&t.attributes.length>0)for(var i=t.attributes,o=i.length-1;o>=0;o--){var r=i[o].name,a=i[o].value;"boolean"!==typeof t[r]&&-1===n.indexOf(","+r+",")||(a=null!==a),e[r]=a}return e}function pt(t,e){return t.getAttribute(e)}function gt(t,e,n){t.setAttribute(e,n)}function vt(t,e){t.removeAttribute(e)}function mt(){r.body.focus(),r.onselectstart=function(){return!1}}function yt(){r.onselectstart=function(){return!0}}function bt(t){if(t&&t.getBoundingClientRect&&t.parentNode){var e=t.getBoundingClientRect(),n={};return["bottom","height","left","right","top","width"].forEach((function(t){void 0!==e[t]&&(n[t]=e[t])})),n.height||(n.height=parseFloat(Z(t,"height"))),n.width||(n.width=parseFloat(Z(t,"width"))),n}}function wt(t){var e=void 0;if(t.getBoundingClientRect&&t.parentNode&&(e=t.getBoundingClientRect()),!e)return{left:0,top:0};var n=r.documentElement,i=r.body,a=n.clientLeft||i.clientLeft||0,s=o.pageXOffset||i.scrollLeft,l=e.left+s-a,c=n.clientTop||i.clientTop||0,u=o.pageYOffset||i.scrollTop,h=e.top+u-c;return{left:Math.round(l),top:Math.round(h)}}function Et(t,e){var n={},i=wt(t),o=t.offsetWidth,r=t.offsetHeight,a=i.top,s=i.left,l=e.pageY,c=e.pageX;return e.changedTouches&&(c=e.changedTouches[0].pageX,l=e.changedTouches[0].pageY),n.y=Math.max(0,Math.min(1,(a-l+r)/r)),n.x=Math.max(0,Math.min(1,(c-s)/o)),n}function _t(t){return z(t)&&3===t.nodeType}function Bt(t){while(t.firstChild)t.removeChild(t.firstChild);return t}function xt(t){return"function"===typeof t&&(t=t()),(Array.isArray(t)?t:[t]).map((function(t){return"function"===typeof t&&(t=t()),it(t)||_t(t)?t:"string"===typeof t&&/\S/.test(t)?r.createTextNode(t):void 0})).filter((function(t){return t}))}function Ct(t,e){return xt(e).forEach((function(e){return t.appendChild(e)})),t}function kt(t,e){return Ct(Bt(t),e)}function jt(t){return void 0===t.button&&void 0===t.buttons||(0===t.button&&void 0===t.buttons||(9===j||0===t.button&&1===t.buttons))}var It=rt("querySelector"),Dt=rt("querySelectorAll"),Ft=(Object.freeze||Object)({isReal:nt,isEl:it,isInFrame:ot,createEl:at,textContent:st,prependTo:lt,hasClass:ct,addClass:ut,removeClass:ht,toggleClass:dt,setAttributes:ft,getAttributes:At,getAttribute:pt,setAttribute:gt,removeAttribute:vt,blockTextSelection:mt,unblockTextSelection:yt,getBoundingClientRect:bt,findPosition:wt,getPointerPosition:Et,isTextNode:_t,emptyEl:Bt,normalizeContent:xt,appendContent:Ct,insertContent:kt,isSingleLeftClick:jt,$:It,$$:Dt}),Mt=1;function Tt(){return Mt++}var Nt={},St="vdata"+(new Date).getTime();function Qt(t){var e=t[St];return e||(e=t[St]=Tt()),Nt[e]||(Nt[e]={}),Nt[e]}function Yt(t){var e=t[St];return!!e&&!!Object.getOwnPropertyNames(Nt[e]).length}function Ot(t){var e=t[St];if(e){delete Nt[e];try{delete t[St]}catch(n){t.removeAttribute?t.removeAttribute(St):t[St]=null}}}function Rt(t,e){var n=Qt(t);0===n.handlers[e].length&&(delete n.handlers[e],t.removeEventListener?t.removeEventListener(e,n.dispatcher,!1):t.detachEvent&&t.detachEvent("on"+e,n.dispatcher)),Object.getOwnPropertyNames(n.handlers).length<=0&&(delete n.handlers,delete n.dispatcher,delete n.disabled),0===Object.getOwnPropertyNames(n).length&&Ot(t)}function Pt(t,e,n,i){n.forEach((function(n){t(e,n,i)}))}function qt(t){function e(){return!0}function n(){return!1}if(!t||!t.isPropagationStopped){var i=t||o.event;for(var a in t={},i)"layerX"!==a&&"layerY"!==a&&"keyLocation"!==a&&"webkitMovementX"!==a&&"webkitMovementY"!==a&&("returnValue"===a&&i.preventDefault||(t[a]=i[a]));if(t.target||(t.target=t.srcElement||r),t.relatedTarget||(t.relatedTarget=t.fromElement===t.target?t.toElement:t.fromElement),t.preventDefault=function(){i.preventDefault&&i.preventDefault(),t.returnValue=!1,i.returnValue=!1,t.defaultPrevented=!0},t.defaultPrevented=!1,t.stopPropagation=function(){i.stopPropagation&&i.stopPropagation(),t.cancelBubble=!0,i.cancelBubble=!0,t.isPropagationStopped=e},t.isPropagationStopped=n,t.stopImmediatePropagation=function(){i.stopImmediatePropagation&&i.stopImmediatePropagation(),t.isImmediatePropagationStopped=e,t.stopPropagation()},t.isImmediatePropagationStopped=n,null!==t.clientX&&void 0!==t.clientX){var s=r.documentElement,l=r.body;t.pageX=t.clientX+(s&&s.scrollLeft||l&&l.scrollLeft||0)-(s&&s.clientLeft||l&&l.clientLeft||0),t.pageY=t.clientY+(s&&s.scrollTop||l&&l.scrollTop||0)-(s&&s.clientTop||l&&l.clientTop||0)}t.which=t.charCode||t.keyCode,null!==t.button&&void 0!==t.button&&(t.button=1&t.button?0:4&t.button?1:2&t.button?2:0)}return t}var Ut=!1;(function(){try{var t=Object.defineProperty({},"passive",{get:function(){Ut=!0}});o.addEventListener("test",null,t),o.removeEventListener("test",null,t)}catch(e){}})();var Lt=["touchstart","touchmove"];function zt(t,e,n){if(Array.isArray(e))return Pt(zt,t,e,n);var i=Qt(t);if(i.handlers||(i.handlers={}),i.handlers[e]||(i.handlers[e]=[]),n.guid||(n.guid=Tt()),i.handlers[e].push(n),i.dispatcher||(i.disabled=!1,i.dispatcher=function(e,n){if(!i.disabled){e=qt(e);var o=i.handlers[e.type];if(o)for(var r=o.slice(0),a=0,s=r.length;a<s;a++){if(e.isImmediatePropagationStopped())break;try{r[a].call(t,e,n)}catch(l){V.error(l)}}}}),1===i.handlers[e].length)if(t.addEventListener){var o=!1;Ut&&Lt.indexOf(e)>-1&&(o={passive:!0}),t.addEventListener(e,i.dispatcher,o)}else t.attachEvent&&t.attachEvent("on"+e,i.dispatcher)}function Ht(t,e,n){if(Yt(t)){var i=Qt(t);if(i.handlers){if(Array.isArray(e))return Pt(Ht,t,e,n);var o=function(t,e){i.handlers[e]=[],Rt(t,e)};if(void 0!==e){var r=i.handlers[e];if(r)if(n){if(n.guid)for(var a=0;a<r.length;a++)r[a].guid===n.guid&&r.splice(a--,1);Rt(t,e)}else o(t,e)}else for(var s in i.handlers)Object.prototype.hasOwnProperty.call(i.handlers||{},s)&&o(t,s)}}}function Gt(t,e,n){var i=Yt(t)?Qt(t):{},o=t.parentNode||t.ownerDocument;if("string"===typeof e?e={type:e,target:t}:e.target||(e.target=t),e=qt(e),i.dispatcher&&i.dispatcher.call(t,e,n),o&&!e.isPropagationStopped()&&!0===e.bubbles)Gt.call(null,o,e,n);else if(!o&&!e.defaultPrevented){var r=Qt(e.target);e.target[e.type]&&(r.disabled=!0,"function"===typeof e.target[e.type]&&e.target[e.type](),r.disabled=!1)}return!e.defaultPrevented}function Wt(t,e,n){if(Array.isArray(e))return Pt(Wt,t,e,n);var i=function i(){Ht(t,e,i),n.apply(this,arguments)};i.guid=n.guid=n.guid||Tt(),zt(t,e,i)}var Jt=(Object.freeze||Object)({fixEvent:qt,on:zt,off:Ht,trigger:Gt,one:Wt}),Vt=!1,Xt=void 0,Zt=function(){if(nt()&&!1!==Xt.options.autoSetup){var t=r.getElementsByTagName("video"),e=r.getElementsByTagName("audio"),n=r.getElementsByTagName("video-js"),i=[];if(t&&t.length>0)for(var o=0,a=t.length;o<a;o++)i.push(t[o]);if(e&&e.length>0)for(var s=0,l=e.length;s<l;s++)i.push(e[s]);if(n&&n.length>0)for(var c=0,u=n.length;c<u;c++)i.push(n[c]);if(i&&i.length>0)for(var h=0,d=i.length;h<d;h++){var f=i[h];if(!f||!f.getAttribute){Kt(1);break}if(void 0===f.player){var A=f.getAttribute("data-setup");null!==A&&Xt(f)}}else Vt||Kt(1)}};function Kt(t,e){e&&(Xt=e),o.setTimeout(Zt,t)}nt()&&"complete"===r.readyState?Vt=!0:Wt(o,"load",(function(){Vt=!0}));var $t=function(t){var e=r.createElement("style");return e.className=t,e},te=function(t,e){t.styleSheet?t.styleSheet.cssText=e:t.textContent=e},ee=function(t,e,n){e.guid||(e.guid=Tt());var i=function(){return e.apply(t,arguments)};return i.guid=n?n+"_"+e.guid:e.guid,i},ne=function(t,e){var n=Date.now(),i=function(){var i=Date.now();i-n>=e&&(t.apply(void 0,arguments),n=i)};return i},ie=function(t,e,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:o,r=void 0,a=function(){i.clearTimeout(r),r=null},s=function(){var o=this,a=arguments,s=function(){r=null,s=null,n||t.apply(o,a)};!r&&n&&t.apply(o,a),i.clearTimeout(r),r=i.setTimeout(s,e)};return s.cancel=a,s},oe=function(){};oe.prototype.allowedEvents_={},oe.prototype.on=function(t,e){var n=this.addEventListener;this.addEventListener=function(){},zt(this,t,e),this.addEventListener=n},oe.prototype.addEventListener=oe.prototype.on,oe.prototype.off=function(t,e){Ht(this,t,e)},oe.prototype.removeEventListener=oe.prototype.off,oe.prototype.one=function(t,e){var n=this.addEventListener;this.addEventListener=function(){},Wt(this,t,e),this.addEventListener=n},oe.prototype.trigger=function(t){var e=t.type||t;"string"===typeof t&&(t={type:e}),t=qt(t),this.allowedEvents_[e]&&this["on"+e]&&this["on"+e](t),Gt(this,t)},oe.prototype.dispatchEvent=oe.prototype.trigger;var re=function(t){return t instanceof oe||!!t.eventBusEl_&&["on","one","off","trigger"].every((function(e){return"function"===typeof t[e]}))},ae=function(t){return"string"===typeof t&&/\S/.test(t)||Array.isArray(t)&&!!t.length},se=function(t){if(!t.nodeName&&!re(t))throw new Error("Invalid target; must be a DOM node or evented object.")},le=function(t){if(!ae(t))throw new Error("Invalid event type; must be a non-empty string or array.")},ce=function(t){if("function"!==typeof t)throw new Error("Invalid listener; must be a function.")},ue=function(t,e){var n=e.length<3||e[0]===t||e[0]===t.eventBusEl_,i=void 0,o=void 0,r=void 0;return n?(i=t.eventBusEl_,e.length>=3&&e.shift(),o=e[0],r=e[1]):(i=e[0],o=e[1],r=e[2]),se(i),le(o),ce(r),r=ee(t,r),{isTargetingSelf:n,target:i,type:o,listener:r}},he=function(t,e,n,i){se(t),t.nodeName?Jt[e](t,n,i):t[e](n,i)},de={on:function(){for(var t=this,e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];var o=ue(this,n),r=o.isTargetingSelf,a=o.target,s=o.type,l=o.listener;if(he(a,"on",s,l),!r){var c=function(){return t.off(a,s,l)};c.guid=l.guid;var u=function(){return t.off("dispose",c)};u.guid=l.guid,he(this,"on","dispose",c),he(a,"on","dispose",u)}},one:function(){for(var t=this,e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];var o=ue(this,n),r=o.isTargetingSelf,a=o.target,s=o.type,l=o.listener;if(r)he(a,"one",s,l);else{var c=function e(){for(var n=arguments.length,i=Array(n),o=0;o<n;o++)i[o]=arguments[o];t.off(a,s,e),l.apply(null,i)};c.guid=l.guid,he(a,"one",s,c)}},off:function(t,e,n){if(!t||ae(t))Ht(this.eventBusEl_,t,e);else{var i=t,o=e;se(i),le(o),ce(n),n=ee(this,n),this.off("dispose",n),i.nodeName?(Ht(i,o,n),Ht(i,"dispose",n)):re(i)&&(i.off(o,n),i.off("dispose",n))}},trigger:function(t,e){return Gt(this.eventBusEl_,t,e)}};function fe(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.eventBusKey;if(n){if(!t[n].nodeName)throw new Error('The eventBusKey "'+n+'" does not refer to an element.');t.eventBusEl_=t[n]}else t.eventBusEl_=at("span",{className:"vjs-event-bus"});return L(t,de),t.on("dispose",(function(){t.off(),o.setTimeout((function(){t.eventBusEl_=null}),0)})),t}var Ae={state:{},setState:function(t){var e=this;"function"===typeof t&&(t=t());var n=void 0;return q(t,(function(t,i){e.state[i]!==t&&(n=n||{},n[i]={from:e.state[i],to:t}),e.state[i]=t})),n&&re(this)&&this.trigger({changes:n,type:"statechanged"}),n}};function pe(t,e){return L(t,Ae),t.state=L({},t.state,e),"function"===typeof t.handleStateChanged&&re(t)&&t.on("statechanged",t.handleStateChanged),t}function ge(t){return"string"!==typeof t?t:t.charAt(0).toUpperCase()+t.slice(1)}function ve(t,e){return ge(t)===ge(e)}function me(){for(var t={},e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];return n.forEach((function(e){e&&q(e,(function(e,n){H(e)?(H(t[n])||(t[n]={}),t[n]=me(t[n],e)):t[n]=e}))})),t}var ye=function(){function t(e,n,i){if(S(this,t),!e&&this.play?this.player_=e=this:this.player_=e,this.options_=me({},this.options_),n=this.options_=me(this.options_,n),this.id_=n.id||n.el&&n.el.id,!this.id_){var o=e&&e.id&&e.id()||"no_player";this.id_=o+"_component_"+Tt()}this.name_=n.name||null,n.el?this.el_=n.el:!1!==n.createEl&&(this.el_=this.createEl()),!1!==n.evented&&fe(this,{eventBusKey:this.el_?"el_":null}),pe(this,this.constructor.defaultState),this.children_=[],this.childIndex_={},this.childNameIndex_={},!1!==n.initChildren&&this.initChildren(),this.ready(i),!1!==n.reportTouchActivity&&this.enableTouchActivity()}return t.prototype.dispose=function(){if(this.trigger({type:"dispose",bubbles:!1}),this.children_)for(var t=this.children_.length-1;t>=0;t--)this.children_[t].dispose&&this.children_[t].dispose();this.children_=null,this.childIndex_=null,this.childNameIndex_=null,this.el_&&(this.el_.parentNode&&this.el_.parentNode.removeChild(this.el_),Ot(this.el_),this.el_=null),this.player_=null},t.prototype.player=function(){return this.player_},t.prototype.options=function(t){return V.warn("this.options() has been deprecated and will be moved to the constructor in 6.0"),t?(this.options_=me(this.options_,t),this.options_):this.options_},t.prototype.el=function(){return this.el_},t.prototype.createEl=function(t,e,n){return at(t,e,n)},t.prototype.localize=function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t,i=this.player_.language&&this.player_.language(),o=this.player_.languages&&this.player_.languages(),r=o&&o[i],a=i&&i.split("-")[0],s=o&&o[a],l=n;return r&&r[t]?l=r[t]:s&&s[t]&&(l=s[t]),e&&(l=l.replace(/\{(\d+)\}/g,(function(t,n){var i=e[n-1],o=i;return"undefined"===typeof i&&(o=t),o}))),l},t.prototype.contentEl=function(){return this.contentEl_||this.el_},t.prototype.id=function(){return this.id_},t.prototype.name=function(){return this.name_},t.prototype.children=function(){return this.children_},t.prototype.getChildById=function(t){return this.childIndex_[t]},t.prototype.getChild=function(t){if(t)return t=ge(t),this.childNameIndex_[t]},t.prototype.addChild=function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.children_.length,o=void 0,r=void 0;if("string"===typeof e){r=ge(e);var a=n.componentClass||r;n.name=r;var s=t.getComponent(a);if(!s)throw new Error("Component "+a+" does not exist");if("function"!==typeof s)return null;o=new s(this.player_||this,n)}else o=e;if(this.children_.splice(i,0,o),"function"===typeof o.id&&(this.childIndex_[o.id()]=o),r=r||o.name&&ge(o.name()),r&&(this.childNameIndex_[r]=o),"function"===typeof o.el&&o.el()){var l=this.contentEl().children,c=l[i]||null;this.contentEl().insertBefore(o.el(),c)}return o},t.prototype.removeChild=function(t){if("string"===typeof t&&(t=this.getChild(t)),t&&this.children_){for(var e=!1,n=this.children_.length-1;n>=0;n--)if(this.children_[n]===t){e=!0,this.children_.splice(n,1);break}if(e){this.childIndex_[t.id()]=null,this.childNameIndex_[t.name()]=null;var i=t.el();i&&i.parentNode===this.contentEl()&&this.contentEl().removeChild(t.el())}}},t.prototype.initChildren=function(){var e=this,n=this.options_.children;if(n){var i=this.options_,o=function(t){var n=t.name,o=t.opts;if(void 0!==i[n]&&(o=i[n]),!1!==o){!0===o&&(o={}),o.playerOptions=e.options_.playerOptions;var r=e.addChild(n,o);r&&(e[n]=r)}},r=void 0,a=t.getComponent("Tech");r=Array.isArray(n)?n:Object.keys(n),r.concat(Object.keys(this.options_).filter((function(t){return!r.some((function(e){return"string"===typeof e?t===e:t===e.name}))}))).map((function(t){var i=void 0,o=void 0;return"string"===typeof t?(i=t,o=n[i]||e.options_[i]||{}):(i=t.name,o=t),{name:i,opts:o}})).filter((function(e){var n=t.getComponent(e.opts.componentClass||ge(e.name));return n&&!a.isTech(n)})).forEach(o)}},t.prototype.buildCSSClass=function(){return""},t.prototype.ready=function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(t)return this.isReady_?void(e?t.call(this):this.setTimeout(t,1)):(this.readyQueue_=this.readyQueue_||[],void this.readyQueue_.push(t))},t.prototype.triggerReady=function(){this.isReady_=!0,this.setTimeout((function(){var t=this.readyQueue_;this.readyQueue_=[],t&&t.length>0&&t.forEach((function(t){t.call(this)}),this),this.trigger("ready")}),1)},t.prototype.$=function(t,e){return It(t,e||this.contentEl())},t.prototype.$$=function(t,e){return Dt(t,e||this.contentEl())},t.prototype.hasClass=function(t){return ct(this.el_,t)},t.prototype.addClass=function(t){ut(this.el_,t)},t.prototype.removeClass=function(t){ht(this.el_,t)},t.prototype.toggleClass=function(t,e){dt(this.el_,t,e)},t.prototype.show=function(){this.removeClass("vjs-hidden")},t.prototype.hide=function(){this.addClass("vjs-hidden")},t.prototype.lockShowing=function(){this.addClass("vjs-lock-showing")},t.prototype.unlockShowing=function(){this.removeClass("vjs-lock-showing")},t.prototype.getAttribute=function(t){return pt(this.el_,t)},t.prototype.setAttribute=function(t,e){gt(this.el_,t,e)},t.prototype.removeAttribute=function(t){vt(this.el_,t)},t.prototype.width=function(t,e){return this.dimension("width",t,e)},t.prototype.height=function(t,e){return this.dimension("height",t,e)},t.prototype.dimensions=function(t,e){this.width(t,!0),this.height(e)},t.prototype.dimension=function(t,e,n){if(void 0!==e)return null!==e&&e===e||(e=0),-1!==(""+e).indexOf("%")||-1!==(""+e).indexOf("px")?this.el_.style[t]=e:this.el_.style[t]="auto"===e?"":e+"px",void(n||this.trigger("componentresize"));if(!this.el_)return 0;var i=this.el_.style[t],o=i.indexOf("px");return-1!==o?parseInt(i.slice(0,o),10):parseInt(this.el_["offset"+ge(t)],10)},t.prototype.currentDimension=function(t){var e=0;if("width"!==t&&"height"!==t)throw new Error("currentDimension only accepts width or height value");if("function"===typeof o.getComputedStyle){var n=o.getComputedStyle(this.el_);e=n.getPropertyValue(t)||n[t]}if(e=parseFloat(e),0===e){var i="offset"+ge(t);e=this.el_[i]}return e},t.prototype.currentDimensions=function(){return{width:this.currentDimension("width"),height:this.currentDimension("height")}},t.prototype.currentWidth=function(){return this.currentDimension("width")},t.prototype.currentHeight=function(){return this.currentDimension("height")},t.prototype.focus=function(){this.el_.focus()},t.prototype.blur=function(){this.el_.blur()},t.prototype.emitTapEvents=function(){var t=0,e=null,n=10,i=200,o=void 0;this.on("touchstart",(function(n){1===n.touches.length&&(e={pageX:n.touches[0].pageX,pageY:n.touches[0].pageY},t=(new Date).getTime(),o=!0)})),this.on("touchmove",(function(t){if(t.touches.length>1)o=!1;else if(e){var i=t.touches[0].pageX-e.pageX,r=t.touches[0].pageY-e.pageY,a=Math.sqrt(i*i+r*r);a>n&&(o=!1)}}));var r=function(){o=!1};this.on("touchleave",r),this.on("touchcancel",r),this.on("touchend",(function(n){if(e=null,!0===o){var r=(new Date).getTime()-t;r<i&&(n.preventDefault(),this.trigger("tap"))}}))},t.prototype.enableTouchActivity=function(){if(this.player()&&this.player().reportUserActivity){var t=ee(this.player(),this.player().reportUserActivity),e=void 0;this.on("touchstart",(function(){t(),this.clearInterval(e),e=this.setInterval(t,250)}));var n=function(n){t(),this.clearInterval(e)};this.on("touchmove",t),this.on("touchend",n),this.on("touchcancel",n)}},t.prototype.setTimeout=function(t,e){var n,i,r=this;return t=ee(this,t),n=o.setTimeout((function(){r.off("dispose",i),t()}),e),i=function(){return r.clearTimeout(n)},i.guid="vjs-timeout-"+n,this.on("dispose",i),n},t.prototype.clearTimeout=function(t){o.clearTimeout(t);var e=function(){};return e.guid="vjs-timeout-"+t,this.off("dispose",e),t},t.prototype.setInterval=function(t,e){var n=this;t=ee(this,t);var i=o.setInterval(t,e),r=function(){return n.clearInterval(i)};return r.guid="vjs-interval-"+i,this.on("dispose",r),i},t.prototype.clearInterval=function(t){o.clearInterval(t);var e=function(){};return e.guid="vjs-interval-"+t,this.off("dispose",e),t},t.prototype.requestAnimationFrame=function(t){var e,n,i=this;return this.supportsRaf_?(t=ee(this,t),e=o.requestAnimationFrame((function(){i.off("dispose",n),t()})),n=function(){return i.cancelAnimationFrame(e)},n.guid="vjs-raf-"+e,this.on("dispose",n),e):this.setTimeout(t,1e3/60)},t.prototype.cancelAnimationFrame=function(t){if(this.supportsRaf_){o.cancelAnimationFrame(t);var e=function(){};return e.guid="vjs-raf-"+t,this.off("dispose",e),t}return this.clearTimeout(t)},t.registerComponent=function(e,n){if("string"!==typeof e||!e)throw new Error('Illegal component name, "'+e+'"; must be a non-empty string.');var i=t.getComponent("Tech"),o=i&&i.isTech(n),r=t===n||t.prototype.isPrototypeOf(n.prototype);if(o||!r){var a=void 0;throw a=o?"techs must be registered using Tech.registerTech()":"must be a Component subclass",new Error('Illegal component, "'+e+'"; '+a+".")}e=ge(e),t.components_||(t.components_={});var s=t.getComponent("Player");if("Player"===e&&s&&s.players){var l=s.players,c=Object.keys(l);if(l&&c.length>0&&c.map((function(t){return l[t]})).every(Boolean))throw new Error("Can not register Player component after player has been created.")}return t.components_[e]=n,n},t.getComponent=function(e){if(e)return e=ge(e),t.components_&&t.components_[e]?t.components_[e]:void 0},t}();function be(t,e,n){if("number"!==typeof e||e<0||e>n)throw new Error("Failed to execute '"+t+"' on 'TimeRanges': The index provided ("+e+") is non-numeric or out of bounds (0-"+n+").")}function we(t,e,n,i){return be(t,i,n.length-1),n[i][e]}function Ee(t){return void 0===t||0===t.length?{length:0,start:function(){throw new Error("This TimeRanges object is empty")},end:function(){throw new Error("This TimeRanges object is empty")}}:{length:t.length,start:we.bind(null,"start",0,t),end:we.bind(null,"end",1,t)}}function _e(t,e){return Array.isArray(t)?Ee(t):void 0===t||void 0===e?Ee():Ee([[t,e]])}function Be(t,e){var n=0,i=void 0,o=void 0;if(!e)return 0;t&&t.length||(t=_e(0,0));for(var r=0;r<t.length;r++)i=t.start(r),o=t.end(r),o>e&&(o=e),n+=o-i;return n/e}ye.prototype.supportsRaf_="function"===typeof o.requestAnimationFrame&&"function"===typeof o.cancelAnimationFrame,ye.registerComponent("Component",ye);for(var xe={},Ce=[["requestFullscreen","exitFullscreen","fullscreenElement","fullscreenEnabled","fullscreenchange","fullscreenerror"],["webkitRequestFullscreen","webkitExitFullscreen","webkitFullscreenElement","webkitFullscreenEnabled","webkitfullscreenchange","webkitfullscreenerror"],["webkitRequestFullScreen","webkitCancelFullScreen","webkitCurrentFullScreenElement","webkitCancelFullScreen","webkitfullscreenchange","webkitfullscreenerror"],["mozRequestFullScreen","mozCancelFullScreen","mozFullScreenElement","mozFullScreenEnabled","mozfullscreenchange","mozfullscreenerror"],["msRequestFullscreen","msExitFullscreen","msFullscreenElement","msFullscreenEnabled","MSFullscreenChange","MSFullscreenError"]],ke=Ce[0],je=void 0,Ie=0;Ie<Ce.length;Ie++)if(Ce[Ie][1]in r){je=Ce[Ie];break}if(je)for(var De=0;De<je.length;De++)xe[ke[De]]=je[De];function Fe(t){if(t instanceof Fe)return t;"number"===typeof t?this.code=t:"string"===typeof t?this.message=t:z(t)&&("number"===typeof t.code&&(this.code=t.code),L(this,t)),this.message||(this.message=Fe.defaultMessages[this.code]||"")}Fe.prototype.code=0,Fe.prototype.message="",Fe.prototype.status=null,Fe.errorTypes=["MEDIA_ERR_CUSTOM","MEDIA_ERR_ABORTED","MEDIA_ERR_NETWORK","MEDIA_ERR_DECODE","MEDIA_ERR_SRC_NOT_SUPPORTED","MEDIA_ERR_ENCRYPTED"],Fe.defaultMessages={1:"You aborted the media playback",2:"A network error caused the media download to fail part-way.",3:"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.",4:"The media could not be loaded, either because the server or network failed or because the format is not supported.",5:"The media is encrypted and we do not have the keys to decrypt it."};for(var Me=0;Me<Fe.errorTypes.length;Me++)Fe[Fe.errorTypes[Me]]=Me,Fe.prototype[Fe.errorTypes[Me]]=Me;function Te(t){return void 0!==t&&null!==t&&"function"===typeof t.then}function Ne(t){Te(t)&&t.then(null,(function(t){}))}var Se=function(t){var e=["kind","label","language","id","inBandMetadataTrackDispatchType","mode","src"].reduce((function(e,n,i){return t[n]&&(e[n]=t[n]),e}),{cues:t.cues&&Array.prototype.map.call(t.cues,(function(t){return{startTime:t.startTime,endTime:t.endTime,text:t.text,id:t.id}}))});return e},Qe=function(t){var e=t.$$("track"),n=Array.prototype.map.call(e,(function(t){return t.track})),i=Array.prototype.map.call(e,(function(t){var e=Se(t.track);return t.src&&(e.src=t.src),e}));return i.concat(Array.prototype.filter.call(t.textTracks(),(function(t){return-1===n.indexOf(t)})).map(Se))},Ye=function(t,e){return t.forEach((function(t){var n=e.addRemoteTextTrack(t).track;!t.src&&t.cues&&t.cues.forEach((function(t){return n.addCue(t)}))})),e.textTracks()},Oe={textTracksToJson:Qe,jsonToTextTracks:Ye,trackToJson_:Se},Re="vjs-modal-dialog",Pe=27,qe=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.opened_=o.hasBeenOpened_=o.hasBeenFilled_=!1,o.closeable(!o.options_.uncloseable),o.content(o.options_.content),o.contentEl_=at("div",{className:Re+"-content"},{role:"document"}),o.descEl_=at("p",{className:Re+"-description vjs-control-text",id:o.el().getAttribute("aria-describedby")}),st(o.descEl_,o.description()),o.el_.appendChild(o.descEl_),o.el_.appendChild(o.contentEl_),o}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildCSSClass(),tabIndex:-1},{"aria-describedby":this.id()+"_description","aria-hidden":"true","aria-label":this.label(),role:"dialog"})},e.prototype.dispose=function(){this.contentEl_=null,this.descEl_=null,this.previouslyActiveEl_=null,t.prototype.dispose.call(this)},e.prototype.buildCSSClass=function(){return Re+" vjs-hidden "+t.prototype.buildCSSClass.call(this)},e.prototype.handleKeyPress=function(t){t.which===Pe&&this.closeable()&&this.close()},e.prototype.label=function(){return this.localize(this.options_.label||"Modal Window")},e.prototype.description=function(){var t=this.options_.description||this.localize("This is a modal window.");return this.closeable()&&(t+=" "+this.localize("This modal can be closed by pressing the Escape key or activating the close button.")),t},e.prototype.open=function(){if(!this.opened_){var t=this.player();this.trigger("beforemodalopen"),this.opened_=!0,(this.options_.fillAlways||!this.hasBeenOpened_&&!this.hasBeenFilled_)&&this.fill(),this.wasPlaying_=!t.paused(),this.options_.pauseOnOpen&&this.wasPlaying_&&t.pause(),this.closeable()&&this.on(this.el_.ownerDocument,"keydown",ee(this,this.handleKeyPress)),this.hadControls_=t.controls(),t.controls(!1),this.show(),this.conditionalFocus_(),this.el().setAttribute("aria-hidden","false"),this.trigger("modalopen"),this.hasBeenOpened_=!0}},e.prototype.opened=function(t){return"boolean"===typeof t&&this[t?"open":"close"](),this.opened_},e.prototype.close=function(){if(this.opened_){var t=this.player();this.trigger("beforemodalclose"),this.opened_=!1,this.wasPlaying_&&this.options_.pauseOnOpen&&t.play(),this.closeable()&&this.off(this.el_.ownerDocument,"keydown",ee(this,this.handleKeyPress)),this.hadControls_&&t.controls(!0),this.hide(),this.el().setAttribute("aria-hidden","true"),this.trigger("modalclose"),this.conditionalBlur_(),this.options_.temporary&&this.dispose()}},e.prototype.closeable=function(t){if("boolean"===typeof t){var e=this.closeable_=!!t,n=this.getChild("closeButton");if(e&&!n){var i=this.contentEl_;this.contentEl_=this.el_,n=this.addChild("closeButton",{controlText:"Close Modal Dialog"}),this.contentEl_=i,this.on(n,"close",this.close)}!e&&n&&(this.off(n,"close",this.close),this.removeChild(n),n.dispose())}return this.closeable_},e.prototype.fill=function(){this.fillWith(this.content())},e.prototype.fillWith=function(t){var e=this.contentEl(),n=e.parentNode,i=e.nextSibling;this.trigger("beforemodalfill"),this.hasBeenFilled_=!0,n.removeChild(e),this.empty(),kt(e,t),this.trigger("modalfill"),i?n.insertBefore(e,i):n.appendChild(e);var o=this.getChild("closeButton");o&&n.appendChild(o.el_)},e.prototype.empty=function(){this.trigger("beforemodalempty"),Bt(this.contentEl()),this.trigger("modalempty")},e.prototype.content=function(t){return"undefined"!==typeof t&&(this.content_=t),this.content_},e.prototype.conditionalFocus_=function(){var t=r.activeElement,e=this.player_.el_;this.previouslyActiveEl_=null,(e.contains(t)||e===t)&&(this.previouslyActiveEl_=t,this.focus(),this.on(r,"keydown",this.handleKeyDown))},e.prototype.conditionalBlur_=function(){this.previouslyActiveEl_&&(this.previouslyActiveEl_.focus(),this.previouslyActiveEl_=null),this.off(r,"keydown",this.handleKeyDown)},e.prototype.handleKeyDown=function(t){if(9===t.which){for(var e=this.focusableEls_(),n=this.el_.querySelector(":focus"),i=void 0,o=0;o<e.length;o++)if(n===e[o]){i=o;break}r.activeElement===this.el_&&(i=0),t.shiftKey&&0===i?(e[e.length-1].focus(),t.preventDefault()):t.shiftKey||i!==e.length-1||(e[0].focus(),t.preventDefault())}},e.prototype.focusableEls_=function(){var t=this.el_.querySelectorAll("*");return Array.prototype.filter.call(t,(function(t){return(t instanceof o.HTMLAnchorElement||t instanceof o.HTMLAreaElement)&&t.hasAttribute("href")||(t instanceof o.HTMLInputElement||t instanceof o.HTMLSelectElement||t instanceof o.HTMLTextAreaElement||t instanceof o.HTMLButtonElement)&&!t.hasAttribute("disabled")||t instanceof o.HTMLIFrameElement||t instanceof o.HTMLObjectElement||t instanceof o.HTMLEmbedElement||t.hasAttribute("tabindex")&&-1!==t.getAttribute("tabindex")||t.hasAttribute("contenteditable")}))},e}(ye);qe.prototype.options_={pauseOnOpen:!0,temporary:!0},ye.registerComponent("ModalDialog",qe);var Ue=function(t){function e(){var n,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;S(this,e);var a=Y(this,t.call(this));if(!o&&(o=a,k))for(var s in o=r.createElement("custom"),e.prototype)"constructor"!==s&&(o[s]=e.prototype[s]);o.tracks_=[],Object.defineProperty(o,"length",{get:function(){return this.tracks_.length}});for(var l=0;l<i.length;l++)o.addTrack(i[l]);return n=o,Y(a,n)}return Q(e,t),e.prototype.addTrack=function(t){var e=this.tracks_.length;""+e in this||Object.defineProperty(this,e,{get:function(){return this.tracks_[e]}}),-1===this.tracks_.indexOf(t)&&(this.tracks_.push(t),this.trigger({track:t,type:"addtrack"}))},e.prototype.removeTrack=function(t){for(var e=void 0,n=0,i=this.length;n<i;n++)if(this[n]===t){e=this[n],e.off&&e.off(),this.tracks_.splice(n,1);break}e&&this.trigger({track:e,type:"removetrack"})},e.prototype.getTrackById=function(t){for(var e=null,n=0,i=this.length;n<i;n++){var o=this[n];if(o.id===t){e=o;break}}return e},e}(oe);for(var Le in Ue.prototype.allowedEvents_={change:"change",addtrack:"addtrack",removetrack:"removetrack"},Ue.prototype.allowedEvents_)Ue.prototype["on"+Le]=null;var ze=function(t,e){for(var n=0;n<t.length;n++)Object.keys(t[n]).length&&e.id!==t[n].id&&(t[n].enabled=!1)},He=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];S(this,e);for(var a=void 0,s=o.length-1;s>=0;s--)if(o[s].enabled){ze(o,o[s]);break}if(k){for(var l in a=r.createElement("custom"),Ue.prototype)"constructor"!==l&&(a[l]=Ue.prototype[l]);for(var c in e.prototype)"constructor"!==c&&(a[c]=e.prototype[c])}return n=Y(this,t.call(this,o,a)),a=n,a.changing_=!1,i=a,Y(n,i)}return Q(e,t),e.prototype.addTrack=function(e){var n=this;e.enabled&&ze(this,e),t.prototype.addTrack.call(this,e),e.addEventListener&&e.addEventListener("enabledchange",(function(){n.changing_||(n.changing_=!0,ze(n,e),n.changing_=!1,n.trigger("change"))}))},e}(Ue),Ge=function(t,e){for(var n=0;n<t.length;n++)Object.keys(t[n]).length&&e.id!==t[n].id&&(t[n].selected=!1)},We=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];S(this,e);for(var a=void 0,s=o.length-1;s>=0;s--)if(o[s].selected){Ge(o,o[s]);break}if(k){for(var l in a=r.createElement("custom"),Ue.prototype)"constructor"!==l&&(a[l]=Ue.prototype[l]);for(var c in e.prototype)"constructor"!==c&&(a[c]=e.prototype[c])}return n=Y(this,t.call(this,o,a)),a=n,a.changing_=!1,Object.defineProperty(a,"selectedIndex",{get:function(){for(var t=0;t<this.length;t++)if(this[t].selected)return t;return-1},set:function(){}}),i=a,Y(n,i)}return Q(e,t),e.prototype.addTrack=function(e){var n=this;e.selected&&Ge(this,e),t.prototype.addTrack.call(this,e),e.addEventListener&&e.addEventListener("selectedchange",(function(){n.changing_||(n.changing_=!0,Ge(n,e),n.changing_=!1,n.trigger("change"))}))},e}(Ue),Je=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];S(this,e);var a=void 0;if(k){for(var s in a=r.createElement("custom"),Ue.prototype)"constructor"!==s&&(a[s]=Ue.prototype[s]);for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l])}return n=Y(this,t.call(this,o,a)),a=n,i=a,Y(n,i)}return Q(e,t),e.prototype.addTrack=function(e){t.prototype.addTrack.call(this,e),e.addEventListener("modechange",ee(this,(function(){this.trigger("change")})));var n=["metadata","chapters"];-1===n.indexOf(e.kind)&&e.addEventListener("modechange",ee(this,(function(){this.trigger("selectedlanguagechange")})))},e}(Ue),Ve=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];S(this,t);var n=this;if(k)for(var i in n=r.createElement("custom"),t.prototype)"constructor"!==i&&(n[i]=t.prototype[i]);n.trackElements_=[],Object.defineProperty(n,"length",{get:function(){return this.trackElements_.length}});for(var o=0,a=e.length;o<a;o++)n.addTrackElement_(e[o]);if(k)return n}return t.prototype.addTrackElement_=function(t){var e=this.trackElements_.length;""+e in this||Object.defineProperty(this,e,{get:function(){return this.trackElements_[e]}}),-1===this.trackElements_.indexOf(t)&&this.trackElements_.push(t)},t.prototype.getTrackElementByTrack_=function(t){for(var e=void 0,n=0,i=this.trackElements_.length;n<i;n++)if(t===this.trackElements_[n].track){e=this.trackElements_[n];break}return e},t.prototype.removeTrackElement_=function(t){for(var e=0,n=this.trackElements_.length;e<n;e++)if(t===this.trackElements_[e]){this.trackElements_.splice(e,1);break}},t}(),Xe=function(){function t(e){S(this,t);var n=this;if(k)for(var i in n=r.createElement("custom"),t.prototype)"constructor"!==i&&(n[i]=t.prototype[i]);if(t.prototype.setCues_.call(n,e),Object.defineProperty(n,"length",{get:function(){return this.length_}}),k)return n}return t.prototype.setCues_=function(t){var e=this.length||0,n=0,i=t.length;this.cues_=t,this.length_=t.length;var o=function(t){""+t in this||Object.defineProperty(this,""+t,{get:function(){return this.cues_[t]}})};if(e<i)for(n=e;n<i;n++)o.call(this,n)},t.prototype.getCueById=function(t){for(var e=null,n=0,i=this.length;n<i;n++){var o=this[n];if(o.id===t){e=o;break}}return e},t}(),Ze={alternative:"alternative",captions:"captions",main:"main",sign:"sign",subtitles:"subtitles",commentary:"commentary"},Ke={alternative:"alternative",descriptions:"descriptions",main:"main","main-desc":"main-desc",translation:"translation",commentary:"commentary"},$e={subtitles:"subtitles",captions:"captions",descriptions:"descriptions",chapters:"chapters",metadata:"metadata"},tn={disabled:"disabled",hidden:"hidden",showing:"showing"},en=function(t){function e(){var n,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};S(this,e);var o=Y(this,t.call(this)),a=o;if(k)for(var s in a=r.createElement("custom"),e.prototype)"constructor"!==s&&(a[s]=e.prototype[s]);var l={id:i.id||"vjs_track_"+Tt(),kind:i.kind||"",label:i.label||"",language:i.language||""},c=function(t){Object.defineProperty(a,t,{get:function(){return l[t]},set:function(){}})};for(var u in l)c(u);return n=a,Y(o,n)}return Q(e,t),e}(oe),nn=function(t){var e=["protocol","hostname","port","pathname","search","hash","host"],n=r.createElement("a");n.href=t;var i=""===n.host&&"file:"!==n.protocol,a=void 0;i&&(a=r.createElement("div"),a.innerHTML='<a href="'+t+'"></a>',n=a.firstChild,a.setAttribute("style","display:none; position:absolute;"),r.body.appendChild(a));for(var s={},l=0;l<e.length;l++)s[e[l]]=n[e[l]];return"http:"===s.protocol&&(s.host=s.host.replace(/:80$/,"")),"https:"===s.protocol&&(s.host=s.host.replace(/:443$/,"")),s.protocol||(s.protocol=o.location.protocol),i&&r.body.removeChild(a),s},on=function(t){if(!t.match(/^https?:\/\//)){var e=r.createElement("div");e.innerHTML='<a href="'+t+'">x</a>',t=e.firstChild.href}return t},rn=function(t){if("string"===typeof t){var e=/^(\/?)([\s\S]*?)((?:\.{1,2}|[^\/]+?)(\.([^\.\/\?]+)))(?:[\/]*|[\?].*)$/i,n=e.exec(t);if(n)return n.pop().toLowerCase()}return""},an=function(t){var e=o.location,n=nn(t),i=":"===n.protocol?e.protocol:n.protocol,r=i+n.host!==e.protocol+e.host;return r},sn=(Object.freeze||Object)({parseUrl:nn,getAbsoluteURL:on,getFileExtension:rn,isCrossOrigin:an}),ln=function(t,e){var n=new o.WebVTT.Parser(o,o.vttjs,o.WebVTT.StringDecoder()),i=[];n.oncue=function(t){e.addCue(t)},n.onparsingerror=function(t){i.push(t)},n.onflush=function(){e.trigger({type:"loadeddata",target:e})},n.parse(t),i.length>0&&(o.console&&o.console.groupCollapsed&&o.console.groupCollapsed("Text Track parsing errors for "+e.src),i.forEach((function(t){return V.error(t)})),o.console&&o.console.groupEnd&&o.console.groupEnd()),n.flush()},cn=function(t,e){var n={uri:t},i=an(t);i&&(n.cors=i),l(n,ee(this,(function(t,n,i){if(t)return V.error(t,n);if(e.loaded_=!0,"function"!==typeof o.WebVTT){if(e.tech_){var r=function(){return ln(i,e)};e.tech_.on("vttjsloaded",r),e.tech_.on("vttjserror",(function(){V.error("vttjs failed to load, stopping trying to process "+e.src),e.tech_.off("vttjsloaded",r)}))}}else ln(i,e)})))},un=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(S(this,e),!o.tech)throw new Error("A tech was not provided.");var r=me(o,{kind:$e[o.kind]||"subtitles",language:o.language||o.srclang||""}),a=tn[r.mode]||"disabled",s=r["default"];"metadata"!==r.kind&&"chapters"!==r.kind||(a="hidden");var l=(n=Y(this,t.call(this,r)),n);if(l.tech_=r.tech,k)for(var c in e.prototype)"constructor"!==c&&(l[c]=e.prototype[c]);l.cues_=[],l.activeCues_=[];var u=new Xe(l.cues_),h=new Xe(l.activeCues_),d=!1,f=ee(l,(function(){this.activeCues=this.activeCues,d&&(this.trigger("cuechange"),d=!1)}));return"disabled"!==a&&l.tech_.ready((function(){l.tech_.on("timeupdate",f)}),!0),Object.defineProperty(l,"default",{get:function(){return s},set:function(){}}),Object.defineProperty(l,"mode",{get:function(){return a},set:function(t){var e=this;tn[t]&&(a=t,"disabled"!==a?this.tech_.ready((function(){e.tech_.on("timeupdate",f)}),!0):this.tech_.off("timeupdate",f),this.trigger("modechange"))}}),Object.defineProperty(l,"cues",{get:function(){return this.loaded_?u:null},set:function(){}}),Object.defineProperty(l,"activeCues",{get:function(){if(!this.loaded_)return null;if(0===this.cues.length)return h;for(var t=this.tech_.currentTime(),e=[],n=0,i=this.cues.length;n<i;n++){var o=this.cues[n];(o.startTime<=t&&o.endTime>=t||o.startTime===o.endTime&&o.startTime<=t&&o.startTime+.5>=t)&&e.push(o)}if(d=!1,e.length!==this.activeCues_.length)d=!0;else for(var r=0;r<e.length;r++)-1===this.activeCues_.indexOf(e[r])&&(d=!0);return this.activeCues_=e,h.setCues_(this.activeCues_),h},set:function(){}}),r.src?(l.src=r.src,cn(r.src,l)):l.loaded_=!0,i=l,Y(n,i)}return Q(e,t),e.prototype.addCue=function(t){var e=t;if(o.vttjs&&!(t instanceof o.vttjs.VTTCue)){for(var n in e=new o.vttjs.VTTCue(t.startTime,t.endTime,t.text),t)n in e||(e[n]=t[n]);e.id=t.id,e.originalCue_=t}for(var i=this.tech_.textTracks(),r=0;r<i.length;r++)i[r]!==this&&i[r].removeCue(e);this.cues_.push(e),this.cues.setCues_(this.cues_)},e.prototype.removeCue=function(t){var e=this.cues_.length;while(e--){var n=this.cues_[e];if(n===t||n.originalCue_&&n.originalCue_===t){this.cues_.splice(e,1),this.cues.setCues_(this.cues_);break}}},e}(en);un.prototype.allowedEvents_={cuechange:"cuechange"};var hn=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};S(this,e);var r=me(o,{kind:Ke[o.kind]||""}),a=(n=Y(this,t.call(this,r)),n),s=!1;if(k)for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l]);return Object.defineProperty(a,"enabled",{get:function(){return s},set:function(t){"boolean"===typeof t&&t!==s&&(s=t,this.trigger("enabledchange"))}}),r.enabled&&(a.enabled=r.enabled),a.loaded_=!0,i=a,Y(n,i)}return Q(e,t),e}(en),dn=function(t){function e(){var n,i,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};S(this,e);var r=me(o,{kind:Ze[o.kind]||""}),a=(n=Y(this,t.call(this,r)),n),s=!1;if(k)for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l]);return Object.defineProperty(a,"selected",{get:function(){return s},set:function(t){"boolean"===typeof t&&t!==s&&(s=t,this.trigger("selectedchange"))}}),r.selected&&(a.selected=r.selected),i=a,Y(n,i)}return Q(e,t),e}(en),fn=0,An=1,pn=2,gn=3,vn=function(t){function e(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};S(this,e);var i=Y(this,t.call(this)),o=void 0,a=i;if(k)for(var s in a=r.createElement("custom"),e.prototype)"constructor"!==s&&(a[s]=e.prototype[s]);var l,c=new un(n);return a.kind=c.kind,a.src=c.src,a.srclang=c.language,a.label=c.label,a["default"]=c["default"],Object.defineProperty(a,"readyState",{get:function(){return o}}),Object.defineProperty(a,"track",{get:function(){return c}}),o=fn,c.addEventListener("loadeddata",(function(){o=pn,a.trigger({type:"load",target:a})})),k?(l=a,Y(i,l)):i}return Q(e,t),e}(oe);vn.prototype.allowedEvents_={load:"load"},vn.NONE=fn,vn.LOADING=An,vn.LOADED=pn,vn.ERROR=gn;var mn={audio:{ListClass:He,TrackClass:hn,capitalName:"Audio"},video:{ListClass:We,TrackClass:dn,capitalName:"Video"},text:{ListClass:Je,TrackClass:un,capitalName:"Text"}};Object.keys(mn).forEach((function(t){mn[t].getterName=t+"Tracks",mn[t].privateName=t+"Tracks_"}));var yn={remoteText:{ListClass:Je,TrackClass:un,capitalName:"RemoteText",getterName:"remoteTextTracks",privateName:"remoteTextTracks_"},remoteTextEl:{ListClass:Ve,TrackClass:vn,capitalName:"RemoteTextTrackEls",getterName:"remoteTextTrackEls",privateName:"remoteTextTrackEls_"}},bn=me(mn,yn);function wn(t,e,n,i){var o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},r=t.textTracks();o.kind=e,n&&(o.label=n),i&&(o.language=i),o.tech=t;var a=new bn.text.TrackClass(o);return r.addTrack(a),a}yn.names=Object.keys(yn),mn.names=Object.keys(mn),bn.names=[].concat(yn.names).concat(mn.names);var En=function(t){function e(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:function(){};S(this,e),n.reportTouchActivity=!1;var o=Y(this,t.call(this,null,n,i));return o.hasStarted_=!1,o.on("playing",(function(){this.hasStarted_=!0})),o.on("loadstart",(function(){this.hasStarted_=!1})),bn.names.forEach((function(t){var e=bn[t];n&&n[e.getterName]&&(o[e.privateName]=n[e.getterName])})),o.featuresProgressEvents||o.manualProgressOn(),o.featuresTimeupdateEvents||o.manualTimeUpdatesOn(),["Text","Audio","Video"].forEach((function(t){!1===n["native"+t+"Tracks"]&&(o["featuresNative"+t+"Tracks"]=!1)})),!1===n.nativeCaptions||!1===n.nativeTextTracks?o.featuresNativeTextTracks=!1:!0!==n.nativeCaptions&&!0!==n.nativeTextTracks||(o.featuresNativeTextTracks=!0),o.featuresNativeTextTracks||o.emulateTextTracks(),o.autoRemoteTextTracks_=new bn.text.ListClass,o.initTrackListeners(),n.nativeControlsForTouch||o.emitTapEvents(),o.constructor&&(o.name_=o.constructor.name||"Unknown Tech"),o}return Q(e,t),e.prototype.triggerSourceset=function(t){var e=this;this.isReady_||this.one("ready",(function(){return e.setTimeout((function(){return e.triggerSourceset(t)}),1)})),this.trigger({src:t,type:"sourceset"})},e.prototype.manualProgressOn=function(){this.on("durationchange",this.onDurationChange),this.manualProgress=!0,this.one("ready",this.trackProgress)},e.prototype.manualProgressOff=function(){this.manualProgress=!1,this.stopTrackingProgress(),this.off("durationchange",this.onDurationChange)},e.prototype.trackProgress=function(t){this.stopTrackingProgress(),this.progressInterval=this.setInterval(ee(this,(function(){var t=this.bufferedPercent();this.bufferedPercent_!==t&&this.trigger("progress"),this.bufferedPercent_=t,1===t&&this.stopTrackingProgress()})),500)},e.prototype.onDurationChange=function(t){this.duration_=this.duration()},e.prototype.buffered=function(){return _e(0,0)},e.prototype.bufferedPercent=function(){return Be(this.buffered(),this.duration_)},e.prototype.stopTrackingProgress=function(){this.clearInterval(this.progressInterval)},e.prototype.manualTimeUpdatesOn=function(){this.manualTimeUpdates=!0,this.on("play",this.trackCurrentTime),this.on("pause",this.stopTrackingCurrentTime)},e.prototype.manualTimeUpdatesOff=function(){this.manualTimeUpdates=!1,this.stopTrackingCurrentTime(),this.off("play",this.trackCurrentTime),this.off("pause",this.stopTrackingCurrentTime)},e.prototype.trackCurrentTime=function(){this.currentTimeInterval&&this.stopTrackingCurrentTime(),this.currentTimeInterval=this.setInterval((function(){this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})}),250)},e.prototype.stopTrackingCurrentTime=function(){this.clearInterval(this.currentTimeInterval),this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})},e.prototype.dispose=function(){this.clearTracks(mn.names),this.manualProgress&&this.manualProgressOff(),this.manualTimeUpdates&&this.manualTimeUpdatesOff(),t.prototype.dispose.call(this)},e.prototype.clearTracks=function(t){var e=this;t=[].concat(t),t.forEach((function(t){var n=e[t+"Tracks"]()||[],i=n.length;while(i--){var o=n[i];"text"===t&&e.removeRemoteTextTrack(o),n.removeTrack(o)}}))},e.prototype.cleanupAutoTextTracks=function(){var t=this.autoRemoteTextTracks_||[],e=t.length;while(e--){var n=t[e];this.removeRemoteTextTrack(n)}},e.prototype.reset=function(){},e.prototype.error=function(t){return void 0!==t&&(this.error_=new Fe(t),this.trigger("error")),this.error_},e.prototype.played=function(){return this.hasStarted_?_e(0,0):_e()},e.prototype.setCurrentTime=function(){this.manualTimeUpdates&&this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})},e.prototype.initTrackListeners=function(){var t=this;mn.names.forEach((function(e){var n=mn[e],i=function(){t.trigger(e+"trackchange")},o=t[n.getterName]();o.addEventListener("removetrack",i),o.addEventListener("addtrack",i),t.on("dispose",(function(){o.removeEventListener("removetrack",i),o.removeEventListener("addtrack",i)}))}))},e.prototype.addWebVttScript_=function(){var t=this;if(!o.WebVTT)if(r.body.contains(this.el())){if(!this.options_["vtt.js"]&&H(c)&&Object.keys(c).length>0)return void this.trigger("vttjsloaded");var e=r.createElement("script");e.src=this.options_["vtt.js"]||"https://vjs.zencdn.net/vttjs/0.12.4/vtt.min.js",e.onload=function(){t.trigger("vttjsloaded")},e.onerror=function(){t.trigger("vttjserror")},this.on("dispose",(function(){e.onload=null,e.onerror=null})),o.WebVTT=!0,this.el().parentNode.appendChild(e)}else this.ready(this.addWebVttScript_)},e.prototype.emulateTextTracks=function(){var t=this,e=this.textTracks(),n=this.remoteTextTracks(),i=function(t){return e.addTrack(t.track)},o=function(t){return e.removeTrack(t.track)};n.on("addtrack",i),n.on("removetrack",o),this.addWebVttScript_();var r=function(){return t.trigger("texttrackchange")},a=function(){r();for(var t=0;t<e.length;t++){var n=e[t];n.removeEventListener("cuechange",r),"showing"===n.mode&&n.addEventListener("cuechange",r)}};a(),e.addEventListener("change",a),e.addEventListener("addtrack",a),e.addEventListener("removetrack",a),this.on("dispose",(function(){n.off("addtrack",i),n.off("removetrack",o),e.removeEventListener("change",a),e.removeEventListener("addtrack",a),e.removeEventListener("removetrack",a);for(var t=0;t<e.length;t++){var s=e[t];s.removeEventListener("cuechange",r)}}))},e.prototype.addTextTrack=function(t,e,n){if(!t)throw new Error("TextTrack kind is required but was not provided");return wn(this,t,e,n)},e.prototype.createRemoteTextTrack=function(t){var e=me(t,{tech:this});return new yn.remoteTextEl.TrackClass(e)},e.prototype.addRemoteTextTrack=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=arguments[1],i=this.createRemoteTextTrack(e);return!0!==n&&!1!==n&&(V.warn('Calling addRemoteTextTrack without explicitly setting the "manualCleanup" parameter to `true` is deprecated and default to `false` in future version of video.js'),n=!0),this.remoteTextTrackEls().addTrackElement_(i),this.remoteTextTracks().addTrack(i.track),!0!==n&&this.ready((function(){return t.autoRemoteTextTracks_.addTrack(i.track)})),i},e.prototype.removeRemoteTextTrack=function(t){var e=this.remoteTextTrackEls().getTrackElementByTrack_(t);this.remoteTextTrackEls().removeTrackElement_(e),this.remoteTextTracks().removeTrack(t),this.autoRemoteTextTracks_.removeTrack(t)},e.prototype.getVideoPlaybackQuality=function(){return{}},e.prototype.setPoster=function(){},e.prototype.playsinline=function(){},e.prototype.setPlaysinline=function(){},e.prototype.canPlayType=function(){return""},e.canPlayType=function(){return""},e.canPlaySource=function(t,n){return e.canPlayType(t.type)},e.isTech=function(t){return t.prototype instanceof e||t instanceof e||t===e},e.registerTech=function(t,n){if(e.techs_||(e.techs_={}),!e.isTech(n))throw new Error("Tech "+t+" must be a Tech");if(!e.canPlayType)throw new Error("Techs must have a static canPlayType method on them");if(!e.canPlaySource)throw new Error("Techs must have a static canPlaySource method on them");return t=ge(t),e.techs_[t]=n,"Tech"!==t&&e.defaultTechOrder_.push(t),n},e.getTech=function(t){if(t)return t=ge(t),e.techs_&&e.techs_[t]?e.techs_[t]:o&&o.videojs&&o.videojs[t]?(V.warn("The "+t+" tech was added to the videojs object when it should be registered using videojs.registerTech(name, tech)"),o.videojs[t]):void 0},e}(ye);bn.names.forEach((function(t){var e=bn[t];En.prototype[e.getterName]=function(){return this[e.privateName]=this[e.privateName]||new e.ListClass,this[e.privateName]}})),En.prototype.featuresVolumeControl=!0,En.prototype.featuresMuteControl=!0,En.prototype.featuresFullscreenResize=!1,En.prototype.featuresPlaybackRate=!1,En.prototype.featuresProgressEvents=!1,En.prototype.featuresSourceset=!1,En.prototype.featuresTimeupdateEvents=!1,En.prototype.featuresNativeTextTracks=!1,En.withSourceHandlers=function(t){t.registerSourceHandler=function(e,n){var i=t.sourceHandlers;i||(i=t.sourceHandlers=[]),void 0===n&&(n=i.length),i.splice(n,0,e)},t.canPlayType=function(e){for(var n=t.sourceHandlers||[],i=void 0,o=0;o<n.length;o++)if(i=n[o].canPlayType(e),i)return i;return""},t.selectSourceHandler=function(e,n){for(var i=t.sourceHandlers||[],o=void 0,r=0;r<i.length;r++)if(o=i[r].canHandleSource(e,n),o)return i[r];return null},t.canPlaySource=function(e,n){var i=t.selectSourceHandler(e,n);return i?i.canHandleSource(e,n):""};var e=["seekable","seeking","duration"];e.forEach((function(t){var e=this[t];"function"===typeof e&&(this[t]=function(){return this.sourceHandler_&&this.sourceHandler_[t]?this.sourceHandler_[t].apply(this.sourceHandler_,arguments):e.apply(this,arguments)})}),t.prototype),t.prototype.setSource=function(e){var n=t.selectSourceHandler(e,this.options_);n||(t.nativeSourceHandler?n=t.nativeSourceHandler:V.error("No source hander found for the current source.")),this.disposeSourceHandler(),this.off("dispose",this.disposeSourceHandler),n!==t.nativeSourceHandler&&(this.currentSource_=e),this.sourceHandler_=n.handleSource(e,this,this.options_),this.on("dispose",this.disposeSourceHandler)},t.prototype.disposeSourceHandler=function(){this.currentSource_&&(this.clearTracks(["audio","video"]),this.currentSource_=null),this.cleanupAutoTextTracks(),this.sourceHandler_&&(this.sourceHandler_.dispose&&this.sourceHandler_.dispose(),this.sourceHandler_=null)}},ye.registerComponent("Tech",En),En.registerTech("Tech",En),En.defaultTechOrder_=[];var _n={},Bn={},xn={};function Cn(t,e){_n[t]=_n[t]||[],_n[t].push(e)}function kn(t,e,n){t.setTimeout((function(){return Rn(e,_n[e.type],n,t)}),1)}function jn(t,e){t.forEach((function(t){return t.setTech&&t.setTech(e)}))}function In(t,e,n){return t.reduceRight(Sn(n),e[n]())}function Dn(t,e,n,i){return e[n](t.reduce(Sn(n),i))}function Fn(t,e,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null,o="call"+ge(n),r=t.reduce(Sn(o),i),a=r===xn,s=a?null:e[n](r);return Qn(t,n,s,a),s}var Mn={buffered:1,currentTime:1,duration:1,seekable:1,played:1,paused:1},Tn={setCurrentTime:1},Nn={play:1,pause:1};function Sn(t){return function(e,n){return e===xn?xn:n[t]?n[t](e):e}}function Qn(t,e,n,i){for(var o=t.length-1;o>=0;o--){var r=t[o];r[e]&&r[e](i,n)}}function Yn(t){Bn[t.id()]=null}function On(t,e){var n=Bn[t.id()],i=null;if(void 0===n||null===n)return i=e(t),Bn[t.id()]=[[e,i]],i;for(var o=0;o<n.length;o++){var r=n[o],a=r[0],s=r[1];a===e&&(i=s)}return null===i&&(i=e(t),n.push([e,i])),i}function Rn(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments[2],i=arguments[3],o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:[],r=arguments.length>5&&void 0!==arguments[5]&&arguments[5],a=e[0],s=e.slice(1);if("string"===typeof a)Rn(t,_n[a],n,i,o,r);else if(a){var l=On(i,a);if(!l.setSource)return o.push(l),Rn(t,s,n,i,o,r);l.setSource(L({},t),(function(e,a){if(e)return Rn(t,s,n,i,o,r);o.push(l),Rn(a,t.type===a.type?s:_n[a.type],n,i,o,r)}))}else s.length?Rn(t,s,n,i,o,r):r?n(t,o):Rn(t,_n["*"],n,i,o,!0)}var Pn={opus:"video/ogg",ogv:"video/ogg",mp4:"video/mp4",mov:"video/mp4",m4v:"video/mp4",mkv:"video/x-matroska",mp3:"audio/mpeg",aac:"audio/aac",oga:"audio/ogg",m3u8:"application/x-mpegURL"},qn=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",e=rn(t),n=Pn[e.toLowerCase()];return n||""},Un=function(t,e){if(!e)return"";if(t.cache_.source.src===e&&t.cache_.source.type)return t.cache_.source.type;var n=t.cache_.sources.filter((function(t){return t.src===e}));if(n.length)return n[0].type;for(var i=t.$$("source"),o=0;o<i.length;o++){var r=i[o];if(r.type&&r.src&&r.src===e)return r.type}return qn(e)},Ln=function t(e){if(Array.isArray(e)){var n=[];e.forEach((function(e){e=t(e),Array.isArray(e)?n=n.concat(e):z(e)&&n.push(e)})),e=n}else e="string"===typeof e&&e.trim()?[zn({src:e})]:z(e)&&"string"===typeof e.src&&e.src&&e.src.trim()?[zn(e)]:[];return e};function zn(t){var e=qn(t.src);return!t.type&&e&&(t.type=e),t}var Hn=function(t){function e(n,i,o){S(this,e);var r=me({createEl:!1},i),a=Y(this,t.call(this,n,r,o));if(i.playerOptions.sources&&0!==i.playerOptions.sources.length)n.src(i.playerOptions.sources);else for(var s=0,l=i.playerOptions.techOrder;s<l.length;s++){var c=ge(l[s]),u=En.getTech(c);if(c||(u=ye.getComponent(c)),u&&u.isSupported()){n.loadTech_(c);break}}return a}return Q(e,t),e}(ye);ye.registerComponent("MediaLoader",Hn);var Gn=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.emitTapEvents(),o.enable(),o}return Q(e,t),e.prototype.createEl=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"div",n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};n=L({innerHTML:'<span aria-hidden="true" class="vjs-icon-placeholder"></span>',className:this.buildCSSClass(),tabIndex:0},n),"button"===e&&V.error("Creating a ClickableComponent with an HTML element of "+e+" is not supported; use a Button instead."),i=L({role:"button"},i),this.tabIndex_=n.tabIndex;var o=t.prototype.createEl.call(this,e,n,i);return this.createControlTextEl(o),o},e.prototype.dispose=function(){this.controlTextEl_=null,t.prototype.dispose.call(this)},e.prototype.createControlTextEl=function(t){return this.controlTextEl_=at("span",{className:"vjs-control-text"},{"aria-live":"polite"}),t&&t.appendChild(this.controlTextEl_),this.controlText(this.controlText_,t),this.controlTextEl_},e.prototype.controlText=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.el();if(void 0===t)return this.controlText_||"Need Text";var n=this.localize(t);this.controlText_=t,st(this.controlTextEl_,n),this.nonIconControl||e.setAttribute("title",n)},e.prototype.buildCSSClass=function(){return"vjs-control vjs-button "+t.prototype.buildCSSClass.call(this)},e.prototype.enable=function(){this.enabled_||(this.enabled_=!0,this.removeClass("vjs-disabled"),this.el_.setAttribute("aria-disabled","false"),"undefined"!==typeof this.tabIndex_&&this.el_.setAttribute("tabIndex",this.tabIndex_),this.on(["tap","click"],this.handleClick),this.on("focus",this.handleFocus),this.on("blur",this.handleBlur))},e.prototype.disable=function(){this.enabled_=!1,this.addClass("vjs-disabled"),this.el_.setAttribute("aria-disabled","true"),"undefined"!==typeof this.tabIndex_&&this.el_.removeAttribute("tabIndex"),this.off(["tap","click"],this.handleClick),this.off("focus",this.handleFocus),this.off("blur",this.handleBlur)},e.prototype.handleClick=function(t){},e.prototype.handleFocus=function(t){zt(r,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleKeyPress=function(e){32===e.which||13===e.which?(e.preventDefault(),this.trigger("click")):t.prototype.handleKeyPress&&t.prototype.handleKeyPress.call(this,e)},e.prototype.handleBlur=function(t){Ht(r,"keydown",ee(this,this.handleKeyPress))},e}(ye);ye.registerComponent("ClickableComponent",Gn);var Wn=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.update(),n.on("posterchange",ee(o,o.update)),o}return Q(e,t),e.prototype.dispose=function(){this.player().off("posterchange",this.update),t.prototype.dispose.call(this)},e.prototype.createEl=function(){var t=at("div",{className:"vjs-poster",tabIndex:-1});return M||(this.fallbackImg_=at("img"),t.appendChild(this.fallbackImg_)),t},e.prototype.update=function(t){var e=this.player().poster();this.setSrc(e),e?this.show():this.hide()},e.prototype.setSrc=function(t){if(this.fallbackImg_)this.fallbackImg_.src=t;else{var e="";t&&(e='url("'+t+'")'),this.el_.style.backgroundImage=e}},e.prototype.handleClick=function(t){this.player_.controls()&&(this.player_.paused()?Ne(this.player_.play()):this.player_.pause())},e}(Gn);ye.registerComponent("PosterImage",Wn);var Jn="#222",Vn="#ccc",Xn={monospace:"monospace",sansSerif:"sans-serif",serif:"serif",monospaceSansSerif:'"Andale Mono", "Lucida Console", monospace',monospaceSerif:'"Courier New", monospace',proportionalSansSerif:"sans-serif",proportionalSerif:"serif",casual:'"Comic Sans MS", Impact, fantasy',script:'"Monotype Corsiva", cursive',smallcaps:'"Andale Mono", "Lucida Console", monospace, sans-serif'};function Zn(t,e){var n=void 0;if(4===t.length)n=t[1]+t[1]+t[2]+t[2]+t[3]+t[3];else{if(7!==t.length)throw new Error("Invalid color code provided, "+t+"; must be formatted as e.g. #f0e or #f604e2.");n=t.slice(1)}return"rgba("+parseInt(n.slice(0,2),16)+","+parseInt(n.slice(2,4),16)+","+parseInt(n.slice(4,6),16)+","+e+")"}function Kn(t,e,n){try{t.style[e]=n}catch(i){return}}var $n=function(t){function e(n,i,r){S(this,e);var a=Y(this,t.call(this,n,i,r)),s=ee(a,a.updateDisplay);return n.on("loadstart",ee(a,a.toggleDisplay)),n.on("texttrackchange",s),n.on("loadstart",ee(a,a.preselectTrack)),n.ready(ee(a,(function(){if(n.tech_&&n.tech_.featuresNativeTextTracks)this.hide();else{n.on("fullscreenchange",s),n.on("playerresize",s),o.addEventListener&&o.addEventListener("orientationchange",s),n.on("dispose",(function(){return o.removeEventListener("orientationchange",s)}));for(var t=this.options_.playerOptions.tracks||[],e=0;e<t.length;e++)this.player_.addRemoteTextTrack(t[e],!0);this.preselectTrack()}}))),a}return Q(e,t),e.prototype.preselectTrack=function(){for(var t={captions:1,subtitles:1},e=this.player_.textTracks(),n=this.player_.cache_.selectedLanguage,i=void 0,o=void 0,r=void 0,a=0;a<e.length;a++){var s=e[a];n&&n.enabled&&n.language===s.language?s.kind===n.kind?r=s:r||(r=s):n&&!n.enabled?(r=null,i=null,o=null):s["default"]&&("descriptions"!==s.kind||i?s.kind in t&&!o&&(o=s):i=s)}r?r.mode="showing":o?o.mode="showing":i&&(i.mode="showing")},e.prototype.toggleDisplay=function(){this.player_.tech_&&this.player_.tech_.featuresNativeTextTracks?this.hide():this.show()},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-text-track-display"},{"aria-live":"off","aria-atomic":"true"})},e.prototype.clearDisplay=function(){"function"===typeof o.WebVTT&&o.WebVTT.processCues(o,[],this.el_)},e.prototype.updateDisplay=function(){var t=this.player_.textTracks();this.clearDisplay();var e=null,n=null,i=t.length;while(i--){var o=t[i];"showing"===o.mode&&("descriptions"===o.kind?e=o:n=o)}n?("off"!==this.getAttribute("aria-live")&&this.setAttribute("aria-live","off"),this.updateForTrack(n)):e&&("assertive"!==this.getAttribute("aria-live")&&this.setAttribute("aria-live","assertive"),this.updateForTrack(e))},e.prototype.updateForTrack=function(t){if("function"===typeof o.WebVTT&&t.activeCues){for(var e=[],n=0;n<t.activeCues.length;n++)e.push(t.activeCues[n]);if(o.WebVTT.processCues(o,e,this.el_),this.player_.textTrackSettings){var i=this.player_.textTrackSettings.getValues(),r=e.length;while(r--){var a=e[r];if(a){var s=a.displayState;if(i.color&&(s.firstChild.style.color=i.color),i.textOpacity&&Kn(s.firstChild,"color",Zn(i.color||"#fff",i.textOpacity)),i.backgroundColor&&(s.firstChild.style.backgroundColor=i.backgroundColor),i.backgroundOpacity&&Kn(s.firstChild,"backgroundColor",Zn(i.backgroundColor||"#000",i.backgroundOpacity)),i.windowColor&&(i.windowOpacity?Kn(s,"backgroundColor",Zn(i.windowColor,i.windowOpacity)):s.style.backgroundColor=i.windowColor),i.edgeStyle&&("dropshadow"===i.edgeStyle?s.firstChild.style.textShadow="2px 2px 3px "+Jn+", 2px 2px 4px "+Jn+", 2px 2px 5px "+Jn:"raised"===i.edgeStyle?s.firstChild.style.textShadow="1px 1px "+Jn+", 2px 2px "+Jn+", 3px 3px "+Jn:"depressed"===i.edgeStyle?s.firstChild.style.textShadow="1px 1px "+Vn+", 0 1px "+Vn+", -1px -1px "+Jn+", 0 -1px "+Jn:"uniform"===i.edgeStyle&&(s.firstChild.style.textShadow="0 0 4px "+Jn+", 0 0 4px "+Jn+", 0 0 4px "+Jn+", 0 0 4px "+Jn)),i.fontPercent&&1!==i.fontPercent){var l=o.parseFloat(s.style.fontSize);s.style.fontSize=l*i.fontPercent+"px",s.style.height="auto",s.style.top="auto",s.style.bottom="2px"}i.fontFamily&&"default"!==i.fontFamily&&("small-caps"===i.fontFamily?s.firstChild.style.fontVariant="small-caps":s.firstChild.style.fontFamily=Xn[i.fontFamily])}}}}},e}(ye);ye.registerComponent("TextTrackDisplay",$n);var ti=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){var e=this.player_.isAudio(),n=this.localize(e?"Audio Player":"Video Player"),i=at("span",{className:"vjs-control-text",innerHTML:this.localize("{1} is loading.",[n])}),o=t.prototype.createEl.call(this,"div",{className:"vjs-loading-spinner",dir:"ltr"});return o.appendChild(i),o},e}(ye);ye.registerComponent("LoadingSpinner",ti);var ei=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};t="button",e=L({innerHTML:'<span aria-hidden="true" class="vjs-icon-placeholder"></span>',className:this.buildCSSClass()},e),n=L({type:"button"},n);var i=ye.prototype.createEl.call(this,t,e,n);return this.createControlTextEl(i),i},e.prototype.addChild=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=this.constructor.name;return V.warn("Adding an actionable (user controllable) child to a Button ("+n+") is not supported; use a ClickableComponent instead."),ye.prototype.addChild.call(this,t,e)},e.prototype.enable=function(){t.prototype.enable.call(this),this.el_.removeAttribute("disabled")},e.prototype.disable=function(){t.prototype.disable.call(this),this.el_.setAttribute("disabled","disabled")},e.prototype.handleKeyPress=function(e){32!==e.which&&13!==e.which&&t.prototype.handleKeyPress.call(this,e)},e}(Gn);ye.registerComponent("Button",ei);var ni=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.mouseused_=!1,o.on("mousedown",o.handleMouseDown),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-big-play-button"},e.prototype.handleClick=function(t){var e=this.player_.play();if(this.mouseused_&&t.clientX&&t.clientY)Ne(e);else{var n=this.player_.getChild("controlBar"),i=n&&n.getChild("playToggle");if(i){var o=function(){return i.focus()};Te(e)?e.then(o,(function(){})):this.setTimeout(o,1)}else this.player_.focus()}},e.prototype.handleKeyPress=function(e){this.mouseused_=!1,t.prototype.handleKeyPress.call(this,e)},e.prototype.handleMouseDown=function(t){this.mouseused_=!0},e}(ei);ni.prototype.controlText_="Play Video",ye.registerComponent("BigPlayButton",ni);var ii=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.controlText(i&&i.controlText||o.localize("Close")),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-close-button "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){this.trigger({type:"close",bubbles:!1})},e}(ei);ye.registerComponent("CloseButton",ii);var oi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"play",o.handlePlay),o.on(n,"pause",o.handlePause),o.on(n,"ended",o.handleEnded),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-play-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){this.player_.paused()?this.player_.play():this.player_.pause()},e.prototype.handleSeeked=function(t){this.removeClass("vjs-ended"),this.player_.paused()?this.handlePause(t):this.handlePlay(t)},e.prototype.handlePlay=function(t){this.removeClass("vjs-ended"),this.removeClass("vjs-paused"),this.addClass("vjs-playing"),this.controlText("Pause")},e.prototype.handlePause=function(t){this.removeClass("vjs-playing"),this.addClass("vjs-paused"),this.controlText("Play")},e.prototype.handleEnded=function(t){this.removeClass("vjs-playing"),this.addClass("vjs-ended"),this.controlText("Replay"),this.one(this.player_,"seeked",this.handleSeeked)},e}(ei);oi.prototype.controlText_="Play",ye.registerComponent("PlayToggle",oi);var ri=function(t,e){t=t<0?0:t;var n=Math.floor(t%60),i=Math.floor(t/60%60),o=Math.floor(t/3600),r=Math.floor(e/60%60),a=Math.floor(e/3600);return(isNaN(t)||t===1/0)&&(o=i=n="-"),o=o>0||a>0?o+":":"",i=((o||r>=10)&&i<10?"0"+i:i)+":",n=n<10?"0"+n:n,o+i+n},ai=ri;function si(t){ai=t}function li(){ai=ri}var ci=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:t;return ai(t,e)},ui=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.throttledUpdateContent=ne(ee(o,o.updateContent),25),o.on(n,"timeupdate",o.throttledUpdateContent),o}return Q(e,t),e.prototype.createEl=function(e){var n=this.buildCSSClass(),i=t.prototype.createEl.call(this,"div",{className:n+" vjs-time-control vjs-control",innerHTML:'<span class="vjs-control-text">'+this.localize(this.labelText_)+" </span>"});return this.contentEl_=at("span",{className:n+"-display"},{"aria-live":"off"}),this.updateTextNode_(),i.appendChild(this.contentEl_),i},e.prototype.dispose=function(){this.contentEl_=null,this.textNode_=null,t.prototype.dispose.call(this)},e.prototype.updateTextNode_=function(){if(this.contentEl_){while(this.contentEl_.firstChild)this.contentEl_.removeChild(this.contentEl_.firstChild);this.textNode_=r.createTextNode(this.formattedTime_||this.formatTime_(0)),this.contentEl_.appendChild(this.textNode_)}},e.prototype.formatTime_=function(t){return ci(t)},e.prototype.updateFormattedTime_=function(t){var e=this.formatTime_(t);e!==this.formattedTime_&&(this.formattedTime_=e,this.requestAnimationFrame(this.updateTextNode_))},e.prototype.updateContent=function(t){},e}(ye);ui.prototype.labelText_="Time",ui.prototype.controlText_="Time",ye.registerComponent("TimeDisplay",ui);var hi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"ended",o.handleEnded),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-current-time"},e.prototype.updateContent=function(t){var e=this.player_.scrubbing()?this.player_.getCache().currentTime:this.player_.currentTime();this.updateFormattedTime_(e)},e.prototype.handleEnded=function(t){this.player_.duration()&&this.updateFormattedTime_(this.player_.duration())},e}(ui);hi.prototype.labelText_="Current Time",hi.prototype.controlText_="Current Time",ye.registerComponent("CurrentTimeDisplay",hi);var di=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"durationchange",o.updateContent),o.on(n,"loadedmetadata",o.throttledUpdateContent),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-duration"},e.prototype.updateContent=function(t){var e=this.player_.duration();e&&this.duration_!==e&&(this.duration_=e,this.updateFormattedTime_(e))},e}(ui);di.prototype.labelText_="Duration",di.prototype.controlText_="Duration",ye.registerComponent("DurationDisplay",di);var fi=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-time-control vjs-time-divider",innerHTML:"<div><span>/</span></div>"})},e}(ye);ye.registerComponent("TimeDivider",fi);var Ai=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"durationchange",o.throttledUpdateContent),o.on(n,"ended",o.handleEnded),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-remaining-time"},e.prototype.formatTime_=function(e){return"-"+t.prototype.formatTime_.call(this,e)},e.prototype.updateContent=function(t){this.player_.duration()&&(this.player_.remainingTimeDisplay?this.updateFormattedTime_(this.player_.remainingTimeDisplay()):this.updateFormattedTime_(this.player_.remainingTime()))},e.prototype.handleEnded=function(t){this.player_.duration()&&this.updateFormattedTime_(0)},e}(ui);Ai.prototype.labelText_="Remaining Time",Ai.prototype.controlText_="Remaining Time",ye.registerComponent("RemainingTimeDisplay",Ai);var pi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.updateShowing(),o.on(o.player(),"durationchange",o.updateShowing),o}return Q(e,t),e.prototype.createEl=function(){var e=t.prototype.createEl.call(this,"div",{className:"vjs-live-control vjs-control"});return this.contentEl_=at("div",{className:"vjs-live-display",innerHTML:'<span class="vjs-control-text">'+this.localize("Stream Type")+" </span>"+this.localize("LIVE")},{"aria-live":"off"}),e.appendChild(this.contentEl_),e},e.prototype.dispose=function(){this.contentEl_=null,t.prototype.dispose.call(this)},e.prototype.updateShowing=function(t){this.player().duration()===1/0?this.show():this.hide()},e}(ye);ye.registerComponent("LiveDisplay",pi);var gi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.bar=o.getChild(o.options_.barName),o.vertical(!!o.options_.vertical),o.enable(),o}return Q(e,t),e.prototype.enabled=function(){return this.enabled_},e.prototype.enable=function(){this.enabled()||(this.on("mousedown",this.handleMouseDown),this.on("touchstart",this.handleMouseDown),this.on("focus",this.handleFocus),this.on("blur",this.handleBlur),this.on("click",this.handleClick),this.on(this.player_,"controlsvisible",this.update),this.playerEvent&&this.on(this.player_,this.playerEvent,this.update),this.removeClass("disabled"),this.setAttribute("tabindex",0),this.enabled_=!0)},e.prototype.disable=function(){if(this.enabled()){var t=this.bar.el_.ownerDocument;this.off("mousedown",this.handleMouseDown),this.off("touchstart",this.handleMouseDown),this.off("focus",this.handleFocus),this.off("blur",this.handleBlur),this.off("click",this.handleClick),this.off(this.player_,"controlsvisible",this.update),this.off(t,"mousemove",this.handleMouseMove),this.off(t,"mouseup",this.handleMouseUp),this.off(t,"touchmove",this.handleMouseMove),this.off(t,"touchend",this.handleMouseUp),this.removeAttribute("tabindex"),this.addClass("disabled"),this.playerEvent&&this.off(this.player_,this.playerEvent,this.update),this.enabled_=!1}},e.prototype.createEl=function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return n.className=n.className+" vjs-slider",n=L({tabIndex:0},n),i=L({role:"slider","aria-valuenow":0,"aria-valuemin":0,"aria-valuemax":100,tabIndex:0},i),t.prototype.createEl.call(this,e,n,i)},e.prototype.handleMouseDown=function(t){var e=this.bar.el_.ownerDocument;"mousedown"===t.type&&t.preventDefault(),"touchstart"!==t.type||x||t.preventDefault(),mt(),this.addClass("vjs-sliding"),this.trigger("slideractive"),this.on(e,"mousemove",this.handleMouseMove),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchmove",this.handleMouseMove),this.on(e,"touchend",this.handleMouseUp),this.handleMouseMove(t)},e.prototype.handleMouseMove=function(t){},e.prototype.handleMouseUp=function(){var t=this.bar.el_.ownerDocument;yt(),this.removeClass("vjs-sliding"),this.trigger("sliderinactive"),this.off(t,"mousemove",this.handleMouseMove),this.off(t,"mouseup",this.handleMouseUp),this.off(t,"touchmove",this.handleMouseMove),this.off(t,"touchend",this.handleMouseUp),this.update()},e.prototype.update=function(){if(this.el_){var t=this.getPercent(),e=this.bar;if(e){("number"!==typeof t||t!==t||t<0||t===1/0)&&(t=0);var n=(100*t).toFixed(2)+"%",i=e.el().style;return this.vertical()?i.height=n:i.width=n,t}}},e.prototype.calculateDistance=function(t){var e=Et(this.el_,t);return this.vertical()?e.y:e.x},e.prototype.handleFocus=function(){this.on(this.bar.el_.ownerDocument,"keydown",this.handleKeyPress)},e.prototype.handleKeyPress=function(t){37===t.which||40===t.which?(t.preventDefault(),this.stepBack()):38!==t.which&&39!==t.which||(t.preventDefault(),this.stepForward())},e.prototype.handleBlur=function(){this.off(this.bar.el_.ownerDocument,"keydown",this.handleKeyPress)},e.prototype.handleClick=function(t){t.stopImmediatePropagation(),t.preventDefault()},e.prototype.vertical=function(t){if(void 0===t)return this.vertical_||!1;this.vertical_=!!t,this.vertical_?this.addClass("vjs-slider-vertical"):this.addClass("vjs-slider-horizontal")},e}(ye);ye.registerComponent("Slider",gi);var vi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.partEls_=[],o.on(n,"progress",o.update),o}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-load-progress",innerHTML:'<span class="vjs-control-text"><span>'+this.localize("Loaded")+"</span>: 0%</span>"})},e.prototype.dispose=function(){this.partEls_=null,t.prototype.dispose.call(this)},e.prototype.update=function(t){var e=this.player_.buffered(),n=this.player_.duration(),i=this.player_.bufferedEnd(),o=this.partEls_,r=function(t,e){var n=t/e||0;return 100*(n>=1?1:n)+"%"};this.el_.style.width=r(i,n);for(var a=0;a<e.length;a++){var s=e.start(a),l=e.end(a),c=o[a];c||(c=this.el_.appendChild(at()),o[a]=c),c.style.left=r(s,i),c.style.width=r(l-s,i)}for(var u=o.length;u>e.length;u--)this.el_.removeChild(o[u-1]);o.length=e.length},e}(ye);ye.registerComponent("LoadProgressBar",vi);var mi=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-time-tooltip"})},e.prototype.update=function(t,e,n){var i=bt(this.el_),o=bt(this.player_.el()),r=t.width*e;if(o&&i){var a=t.left-o.left+r,s=t.width-r+(o.right-t.right),l=i.width/2;a<l?l+=l-a:s<l&&(l=s),l<0?l=0:l>i.width&&(l=i.width),this.el_.style.right="-"+l+"px",st(this.el_,n)}},e}(ye);ye.registerComponent("TimeTooltip",mi);var yi=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-play-progress vjs-slider-bar",innerHTML:'<span class="vjs-control-text"><span>'+this.localize("Progress")+"</span>: 0%</span>"})},e.prototype.update=function(t,e){var n=this;this.rafId_&&this.cancelAnimationFrame(this.rafId_),this.rafId_=this.requestAnimationFrame((function(){var i=n.player_.scrubbing()?n.player_.getCache().currentTime:n.player_.currentTime(),o=ci(i,n.player_.duration()),r=n.getChild("timeTooltip");r&&r.update(t,e,o)}))},e}(ye);yi.prototype.options_={children:[]},j&&!(j>8)||v||y||yi.prototype.options_.children.push("timeTooltip"),ye.registerComponent("PlayProgressBar",yi);var bi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.update=ne(ee(o,o.update),25),o}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-mouse-display"})},e.prototype.update=function(t,e){var n=this;this.rafId_&&this.cancelAnimationFrame(this.rafId_),this.rafId_=this.requestAnimationFrame((function(){var i=n.player_.duration(),o=ci(e*i,i);n.el_.style.left=t.width*e+"px",n.getChild("timeTooltip").update(t,e,o)}))},e}(ye);bi.prototype.options_={children:["timeTooltip"]},ye.registerComponent("MouseTimeDisplay",bi);var wi=5,Ei=30,_i=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.setEventHandlers_(),o}return Q(e,t),e.prototype.setEventHandlers_=function(){var t=this;this.update=ne(ee(this,this.update),Ei),this.on(this.player_,"timeupdate",this.update),this.on(this.player_,"ended",this.handleEnded),this.updateInterval=null,this.on(this.player_,["playing"],(function(){t.clearInterval(t.updateInterval),t.updateInterval=t.setInterval((function(){t.requestAnimationFrame((function(){t.update()}))}),Ei)})),this.on(this.player_,["ended","pause","waiting"],(function(){t.clearInterval(t.updateInterval)})),this.on(this.player_,["timeupdate","ended"],this.update)},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-progress-holder"},{"aria-label":this.localize("Progress Bar")})},e.prototype.update_=function(t,e){var n=this.player_.duration();this.el_.setAttribute("aria-valuenow",(100*e).toFixed(2)),this.el_.setAttribute("aria-valuetext",this.localize("progress bar timing: currentTime={1} duration={2}",[ci(t,n),ci(n,n)],"{1} of {2}")),this.bar.update(bt(this.el_),e)},e.prototype.update=function(e){var n=t.prototype.update.call(this);return this.update_(this.getCurrentTime_(),n),n},e.prototype.getCurrentTime_=function(){return this.player_.scrubbing()?this.player_.getCache().currentTime:this.player_.currentTime()},e.prototype.handleEnded=function(t){this.update_(this.player_.duration(),1)},e.prototype.getPercent=function(){var t=this.getCurrentTime_()/this.player_.duration();return t>=1?1:t},e.prototype.handleMouseDown=function(e){jt(e)&&(e.stopPropagation(),this.player_.scrubbing(!0),this.videoWasPlaying=!this.player_.paused(),this.player_.pause(),t.prototype.handleMouseDown.call(this,e))},e.prototype.handleMouseMove=function(t){if(jt(t)){var e=this.calculateDistance(t)*this.player_.duration();e===this.player_.duration()&&(e-=.1),this.player_.currentTime(e)}},e.prototype.enable=function(){t.prototype.enable.call(this);var e=this.getChild("mouseTimeDisplay");e&&e.show()},e.prototype.disable=function(){t.prototype.disable.call(this);var e=this.getChild("mouseTimeDisplay");e&&e.hide()},e.prototype.handleMouseUp=function(e){t.prototype.handleMouseUp.call(this,e),e&&e.stopPropagation(),this.player_.scrubbing(!1),this.player_.trigger({type:"timeupdate",target:this,manuallyTriggered:!0}),this.videoWasPlaying&&Ne(this.player_.play())},e.prototype.stepForward=function(){this.player_.currentTime(this.player_.currentTime()+wi)},e.prototype.stepBack=function(){this.player_.currentTime(this.player_.currentTime()-wi)},e.prototype.handleAction=function(t){this.player_.paused()?this.player_.play():this.player_.pause()},e.prototype.handleKeyPress=function(e){32===e.which||13===e.which?(e.preventDefault(),this.handleAction(e)):t.prototype.handleKeyPress&&t.prototype.handleKeyPress.call(this,e)},e}(gi);_i.prototype.options_={children:["loadProgressBar","playProgressBar"],barName:"playProgressBar"},j&&!(j>8)||v||y||_i.prototype.options_.children.splice(1,0,"mouseTimeDisplay"),_i.prototype.playerEvent="timeupdate",ye.registerComponent("SeekBar",_i);var Bi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.handleMouseMove=ne(ee(o,o.handleMouseMove),25),o.throttledHandleMouseSeek=ne(ee(o,o.handleMouseSeek),25),o.enable(),o}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-progress-control vjs-control"})},e.prototype.handleMouseMove=function(t){var e=this.getChild("seekBar");if(e){var n=e.getChild("mouseTimeDisplay"),i=e.el(),o=bt(i),r=Et(i,t).x;r>1?r=1:r<0&&(r=0),n&&n.update(o,r)}},e.prototype.handleMouseSeek=function(t){var e=this.getChild("seekBar");e&&e.handleMouseMove(t)},e.prototype.enabled=function(){return this.enabled_},e.prototype.disable=function(){this.children().forEach((function(t){return t.disable&&t.disable()})),this.enabled()&&(this.off(["mousedown","touchstart"],this.handleMouseDown),this.off(this.el_,"mousemove",this.handleMouseMove),this.handleMouseUp(),this.addClass("disabled"),this.enabled_=!1)},e.prototype.enable=function(){this.children().forEach((function(t){return t.enable&&t.enable()})),this.enabled()||(this.on(["mousedown","touchstart"],this.handleMouseDown),this.on(this.el_,"mousemove",this.handleMouseMove),this.removeClass("disabled"),this.enabled_=!0)},e.prototype.handleMouseDown=function(t){var e=this.el_.ownerDocument,n=this.getChild("seekBar");n&&n.handleMouseDown(t),this.on(e,"mousemove",this.throttledHandleMouseSeek),this.on(e,"touchmove",this.throttledHandleMouseSeek),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseUp=function(t){var e=this.el_.ownerDocument,n=this.getChild("seekBar");n&&n.handleMouseUp(t),this.off(e,"mousemove",this.throttledHandleMouseSeek),this.off(e,"touchmove",this.throttledHandleMouseSeek),this.off(e,"mouseup",this.handleMouseUp),this.off(e,"touchend",this.handleMouseUp)},e}(ye);Bi.prototype.options_={children:["seekBar"]},ye.registerComponent("ProgressControl",Bi);var xi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"fullscreenchange",o.handleFullscreenChange),!1===r[xe.fullscreenEnabled]&&o.disable(),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-fullscreen-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleFullscreenChange=function(t){this.player_.isFullscreen()?this.controlText("Non-Fullscreen"):this.controlText("Fullscreen")},e.prototype.handleClick=function(t){this.player_.isFullscreen()?this.player_.exitFullscreen():this.player_.requestFullscreen()},e}(ei);xi.prototype.controlText_="Fullscreen",ye.registerComponent("FullscreenToggle",xi);var Ci=function(t,e){e.tech_&&!e.tech_.featuresVolumeControl&&t.addClass("vjs-hidden"),t.on(e,"loadstart",(function(){e.tech_.featuresVolumeControl?t.removeClass("vjs-hidden"):t.addClass("vjs-hidden")}))},ki=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-volume-level",innerHTML:'<span class="vjs-control-text"></span>'})},e}(ye);ye.registerComponent("VolumeLevel",ki);var ji=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on("slideractive",o.updateLastVolume_),o.on(n,"volumechange",o.updateARIAAttributes),n.ready((function(){return o.updateARIAAttributes()})),o}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-volume-bar vjs-slider-bar"},{"aria-label":this.localize("Volume Level"),"aria-live":"polite"})},e.prototype.handleMouseDown=function(e){jt(e)&&t.prototype.handleMouseDown.call(this,e)},e.prototype.handleMouseMove=function(t){jt(t)&&(this.checkMuted(),this.player_.volume(this.calculateDistance(t)))},e.prototype.checkMuted=function(){this.player_.muted()&&this.player_.muted(!1)},e.prototype.getPercent=function(){return this.player_.muted()?0:this.player_.volume()},e.prototype.stepForward=function(){this.checkMuted(),this.player_.volume(this.player_.volume()+.1)},e.prototype.stepBack=function(){this.checkMuted(),this.player_.volume(this.player_.volume()-.1)},e.prototype.updateARIAAttributes=function(t){var e=this.player_.muted()?0:this.volumeAsPercentage_();this.el_.setAttribute("aria-valuenow",e),this.el_.setAttribute("aria-valuetext",e+"%")},e.prototype.volumeAsPercentage_=function(){return Math.round(100*this.player_.volume())},e.prototype.updateLastVolume_=function(){var t=this,e=this.player_.volume();this.one("sliderinactive",(function(){0===t.player_.volume()&&t.player_.lastVolume_(e)}))},e}(gi);ji.prototype.options_={children:["volumeLevel"],barName:"volumeLevel"},ji.prototype.playerEvent="volumechange",ye.registerComponent("VolumeBar",ji);var Ii=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};S(this,e),i.vertical=i.vertical||!1,("undefined"===typeof i.volumeBar||H(i.volumeBar))&&(i.volumeBar=i.volumeBar||{},i.volumeBar.vertical=i.vertical);var o=Y(this,t.call(this,n,i));return Ci(o,n),o.throttledHandleMouseMove=ne(ee(o,o.handleMouseMove),25),o.on("mousedown",o.handleMouseDown),o.on("touchstart",o.handleMouseDown),o.on(o.volumeBar,["focus","slideractive"],(function(){o.volumeBar.addClass("vjs-slider-active"),o.addClass("vjs-slider-active"),o.trigger("slideractive")})),o.on(o.volumeBar,["blur","sliderinactive"],(function(){o.volumeBar.removeClass("vjs-slider-active"),o.removeClass("vjs-slider-active"),o.trigger("sliderinactive")})),o}return Q(e,t),e.prototype.createEl=function(){var e="vjs-volume-horizontal";return this.options_.vertical&&(e="vjs-volume-vertical"),t.prototype.createEl.call(this,"div",{className:"vjs-volume-control vjs-control "+e})},e.prototype.handleMouseDown=function(t){var e=this.el_.ownerDocument;this.on(e,"mousemove",this.throttledHandleMouseMove),this.on(e,"touchmove",this.throttledHandleMouseMove),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseUp=function(t){var e=this.el_.ownerDocument;this.off(e,"mousemove",this.throttledHandleMouseMove),this.off(e,"touchmove",this.throttledHandleMouseMove),this.off(e,"mouseup",this.handleMouseUp),this.off(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseMove=function(t){this.volumeBar.handleMouseMove(t)},e}(ye);Ii.prototype.options_={children:["volumeBar"]},ye.registerComponent("VolumeControl",Ii);var Di=function(t,e){e.tech_&&!e.tech_.featuresMuteControl&&t.addClass("vjs-hidden"),t.on(e,"loadstart",(function(){e.tech_.featuresMuteControl?t.removeClass("vjs-hidden"):t.addClass("vjs-hidden")}))},Fi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return Di(o,n),o.on(n,["loadstart","volumechange"],o.update),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-mute-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){var e=this.player_.volume(),n=this.player_.lastVolume_();if(0===e){var i=n<.1?.1:n;this.player_.volume(i),this.player_.muted(!1)}else this.player_.muted(!this.player_.muted())},e.prototype.update=function(t){this.updateIcon_(),this.updateControlText_()},e.prototype.updateIcon_=function(){var t=this.player_.volume(),e=3;v&&this.player_.muted(this.player_.tech_.el_.muted),0===t||this.player_.muted()?e=0:t<.33?e=1:t<.67&&(e=2);for(var n=0;n<4;n++)ht(this.el_,"vjs-vol-"+n);ut(this.el_,"vjs-vol-"+e)},e.prototype.updateControlText_=function(){var t=this.player_.muted()||0===this.player_.volume(),e=t?"Unmute":"Mute";this.controlText()!==e&&this.controlText(e)},e}(ei);Fi.prototype.controlText_="Mute",ye.registerComponent("MuteToggle",Fi);var Mi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};S(this,e),"undefined"!==typeof i.inline?i.inline=i.inline:i.inline=!0,("undefined"===typeof i.volumeControl||H(i.volumeControl))&&(i.volumeControl=i.volumeControl||{},i.volumeControl.vertical=!i.inline);var o=Y(this,t.call(this,n,i));return o.on(n,["loadstart"],o.volumePanelState_),o.on(o.volumeControl,["slideractive"],o.sliderActive_),o.on(o.volumeControl,["sliderinactive"],o.sliderInactive_),o}return Q(e,t),e.prototype.sliderActive_=function(){this.addClass("vjs-slider-active")},e.prototype.sliderInactive_=function(){this.removeClass("vjs-slider-active")},e.prototype.volumePanelState_=function(){this.volumeControl.hasClass("vjs-hidden")&&this.muteToggle.hasClass("vjs-hidden")&&this.addClass("vjs-hidden"),this.volumeControl.hasClass("vjs-hidden")&&!this.muteToggle.hasClass("vjs-hidden")&&this.addClass("vjs-mute-toggle-only")},e.prototype.createEl=function(){var e="vjs-volume-panel-horizontal";return this.options_.inline||(e="vjs-volume-panel-vertical"),t.prototype.createEl.call(this,"div",{className:"vjs-volume-panel vjs-control "+e})},e}(ye);Mi.prototype.options_={children:["muteToggle","volumeControl"]},ye.registerComponent("VolumePanel",Mi);var Ti=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return i&&(o.menuButton_=i.menuButton),o.focusedChild_=-1,o.on("keydown",o.handleKeyPress),o}return Q(e,t),e.prototype.addItem=function(t){this.addChild(t),t.on("click",ee(this,(function(e){this.menuButton_&&(this.menuButton_.unpressButton(),"CaptionSettingsMenuItem"!==t.name()&&this.menuButton_.focus())})))},e.prototype.createEl=function(){var e=this.options_.contentElType||"ul";this.contentEl_=at(e,{className:"vjs-menu-content"}),this.contentEl_.setAttribute("role","menu");var n=t.prototype.createEl.call(this,"div",{append:this.contentEl_,className:"vjs-menu"});return n.appendChild(this.contentEl_),zt(n,"click",(function(t){t.preventDefault(),t.stopImmediatePropagation()})),n},e.prototype.dispose=function(){this.contentEl_=null,t.prototype.dispose.call(this)},e.prototype.handleKeyPress=function(t){37===t.which||40===t.which?(t.preventDefault(),this.stepForward()):38!==t.which&&39!==t.which||(t.preventDefault(),this.stepBack())},e.prototype.stepForward=function(){var t=0;void 0!==this.focusedChild_&&(t=this.focusedChild_+1),this.focus(t)},e.prototype.stepBack=function(){var t=0;void 0!==this.focusedChild_&&(t=this.focusedChild_-1),this.focus(t)},e.prototype.focus=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=this.children().slice(),n=e.length&&e[0].className&&/vjs-menu-title/.test(e[0].className);n&&e.shift(),e.length>0&&(t<0?t=0:t>=e.length&&(t=e.length-1),this.focusedChild_=t,e[t].el_.focus())},e}(ye);ye.registerComponent("Menu",Ti);var Ni=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};S(this,e);var o=Y(this,t.call(this,n,i));o.menuButton_=new ei(n,i),o.menuButton_.controlText(o.controlText_),o.menuButton_.el_.setAttribute("aria-haspopup","true");var r=ei.prototype.buildCSSClass();return o.menuButton_.el_.className=o.buildCSSClass()+" "+r,o.menuButton_.removeClass("vjs-control"),o.addChild(o.menuButton_),o.update(),o.enabled_=!0,o.on(o.menuButton_,"tap",o.handleClick),o.on(o.menuButton_,"click",o.handleClick),o.on(o.menuButton_,"focus",o.handleFocus),o.on(o.menuButton_,"blur",o.handleBlur),o.on("keydown",o.handleSubmenuKeyPress),o}return Q(e,t),e.prototype.update=function(){var t=this.createMenu();this.menu&&(this.menu.dispose(),this.removeChild(this.menu)),this.menu=t,this.addChild(t),this.buttonPressed_=!1,this.menuButton_.el_.setAttribute("aria-expanded","false"),this.items&&this.items.length<=this.hideThreshold_?this.hide():this.show()},e.prototype.createMenu=function(){var t=new Ti(this.player_,{menuButton:this});if(this.hideThreshold_=0,this.options_.title){var e=at("li",{className:"vjs-menu-title",innerHTML:ge(this.options_.title),tabIndex:-1});this.hideThreshold_+=1,t.children_.unshift(e),lt(e,t.contentEl())}if(this.items=this.createItems(),this.items)for(var n=0;n<this.items.length;n++)t.addItem(this.items[n]);return t},e.prototype.createItems=function(){},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildWrapperCSSClass()},{})},e.prototype.buildWrapperCSSClass=function(){var e="vjs-menu-button";!0===this.options_.inline?e+="-inline":e+="-popup";var n=ei.prototype.buildCSSClass();return"vjs-menu-button "+e+" "+n+" "+t.prototype.buildCSSClass.call(this)},e.prototype.buildCSSClass=function(){var e="vjs-menu-button";return!0===this.options_.inline?e+="-inline":e+="-popup","vjs-menu-button "+e+" "+t.prototype.buildCSSClass.call(this)},e.prototype.controlText=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.menuButton_.el();return this.menuButton_.controlText(t,e)},e.prototype.handleClick=function(t){this.one(this.menu.contentEl(),"mouseleave",ee(this,(function(t){this.unpressButton(),this.el_.blur()}))),this.buttonPressed_?this.unpressButton():this.pressButton()},e.prototype.focus=function(){this.menuButton_.focus()},e.prototype.blur=function(){this.menuButton_.blur()},e.prototype.handleFocus=function(){zt(r,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleBlur=function(){Ht(r,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleKeyPress=function(t){27===t.which||9===t.which?(this.buttonPressed_&&this.unpressButton(),9!==t.which&&(t.preventDefault(),this.menuButton_.el_.focus())):38!==t.which&&40!==t.which||this.buttonPressed_||(this.pressButton(),t.preventDefault())},e.prototype.handleSubmenuKeyPress=function(t){27!==t.which&&9!==t.which||(this.buttonPressed_&&this.unpressButton(),9!==t.which&&(t.preventDefault(),this.menuButton_.el_.focus()))},e.prototype.pressButton=function(){if(this.enabled_){if(this.buttonPressed_=!0,this.menu.lockShowing(),this.menuButton_.el_.setAttribute("aria-expanded","true"),v&&ot())return;this.menu.focus()}},e.prototype.unpressButton=function(){this.enabled_&&(this.buttonPressed_=!1,this.menu.unlockShowing(),this.menuButton_.el_.setAttribute("aria-expanded","false"))},e.prototype.disable=function(){this.unpressButton(),this.enabled_=!1,this.addClass("vjs-disabled"),this.menuButton_.disable()},e.prototype.enable=function(){this.enabled_=!0,this.removeClass("vjs-disabled"),this.menuButton_.enable()},e}(ye);ye.registerComponent("MenuButton",Ni);var Si=function(t){function e(n,i){S(this,e);var o=i.tracks,r=Y(this,t.call(this,n,i));if(r.items.length<=1&&r.hide(),!o)return Y(r);var a=ee(r,r.update);return o.addEventListener("removetrack",a),o.addEventListener("addtrack",a),r.player_.on("ready",a),r.player_.on("dispose",(function(){o.removeEventListener("removetrack",a),o.removeEventListener("addtrack",a)})),r}return Q(e,t),e}(Ni);ye.registerComponent("TrackButton",Si);var Qi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.selectable=i.selectable,o.isSelected_=i.selected||!1,o.multiSelectable=i.multiSelectable,o.selected(o.isSelected_),o.selectable?o.multiSelectable?o.el_.setAttribute("role","menuitemcheckbox"):o.el_.setAttribute("role","menuitemradio"):o.el_.setAttribute("role","menuitem"),o}return Q(e,t),e.prototype.createEl=function(e,n,i){return this.nonIconControl=!0,t.prototype.createEl.call(this,"li",L({className:"vjs-menu-item",innerHTML:'<span class="vjs-menu-item-text">'+this.localize(this.options_.label)+"</span>",tabIndex:-1},n),i)},e.prototype.handleClick=function(t){this.selected(!0)},e.prototype.selected=function(t){this.selectable&&(t?(this.addClass("vjs-selected"),this.el_.setAttribute("aria-checked","true"),this.controlText(", selected"),this.isSelected_=!0):(this.removeClass("vjs-selected"),this.el_.setAttribute("aria-checked","false"),this.controlText(""),this.isSelected_=!1))},e}(Gn);ye.registerComponent("MenuItem",Qi);var Yi=function(t){function e(n,i){S(this,e);var a=i.track,s=n.textTracks();i.label=a.label||a.language||"Unknown",i.selected="showing"===a.mode;var l=Y(this,t.call(this,n,i));l.track=a;var c=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];l.handleTracksChange.apply(l,e)},u=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];l.handleSelectedLanguageChange.apply(l,e)};if(n.on(["loadstart","texttrackchange"],c),s.addEventListener("change",c),s.addEventListener("selectedlanguagechange",u),l.on("dispose",(function(){n.off(["loadstart","texttrackchange"],c),s.removeEventListener("change",c),s.removeEventListener("selectedlanguagechange",u)})),void 0===s.onchange){var h=void 0;l.on(["tap","click"],(function(){if("object"!==N(o.Event))try{h=new o.Event("change")}catch(t){}h||(h=r.createEvent("Event"),h.initEvent("change",!0,!0)),s.dispatchEvent(h)}))}return l.handleTracksChange(),l}return Q(e,t),e.prototype.handleClick=function(e){var n=this.track.kind,i=this.track.kinds,o=this.player_.textTracks();if(i||(i=[n]),t.prototype.handleClick.call(this,e),o)for(var r=0;r<o.length;r++){var a=o[r];a===this.track&&i.indexOf(a.kind)>-1?"showing"!==a.mode&&(a.mode="showing"):"disabled"!==a.mode&&(a.mode="disabled")}},e.prototype.handleTracksChange=function(t){var e="showing"===this.track.mode;e!==this.isSelected_&&this.selected(e)},e.prototype.handleSelectedLanguageChange=function(t){if("showing"===this.track.mode){var e=this.player_.cache_.selectedLanguage;if(e&&e.enabled&&e.language===this.track.language&&e.kind!==this.track.kind)return;this.player_.cache_.selectedLanguage={enabled:!0,language:this.track.language,kind:this.track.kind}}},e.prototype.dispose=function(){this.track=null,t.prototype.dispose.call(this)},e}(Qi);ye.registerComponent("TextTrackMenuItem",Yi);var Oi=function(t){function e(n,i){return S(this,e),i.track={player:n,kind:i.kind,kinds:i.kinds,default:!1,mode:"disabled"},i.kinds||(i.kinds=[i.kind]),i.label?i.track.label=i.label:i.track.label=i.kinds.join(" and ")+" off",i.selectable=!0,i.multiSelectable=!1,Y(this,t.call(this,n,i))}return Q(e,t),e.prototype.handleTracksChange=function(t){for(var e=this.player().textTracks(),n=!0,i=0,o=e.length;i<o;i++){var r=e[i];if(this.options_.kinds.indexOf(r.kind)>-1&&"showing"===r.mode){n=!1;break}}n!==this.isSelected_&&this.selected(n)},e.prototype.handleSelectedLanguageChange=function(t){for(var e=this.player().textTracks(),n=!0,i=0,o=e.length;i<o;i++){var r=e[i];if(["captions","descriptions","subtitles"].indexOf(r.kind)>-1&&"showing"===r.mode){n=!1;break}}n&&(this.player_.cache_.selectedLanguage={enabled:!1})},e}(Yi);ye.registerComponent("OffTextTrackMenuItem",Oi);var Ri=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return S(this,e),i.tracks=n.textTracks(),Y(this,t.call(this,n,i))}return Q(e,t),e.prototype.createItems=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Yi,n=void 0;this.label_&&(n=this.label_+" off"),t.push(new Oi(this.player_,{kinds:this.kinds_,kind:this.kind_,label:n})),this.hideThreshold_+=1;var i=this.player_.textTracks();Array.isArray(this.kinds_)||(this.kinds_=[this.kind_]);for(var o=0;o<i.length;o++){var r=i[o];if(this.kinds_.indexOf(r.kind)>-1){var a=new e(this.player_,{track:r,selectable:!0,multiSelectable:!1});a.addClass("vjs-"+r.kind+"-menu-item"),t.push(a)}}return t},e}(Si);ye.registerComponent("TextTrackButton",Ri);var Pi=function(t){function e(n,i){S(this,e);var o=i.track,r=i.cue,a=n.currentTime();i.selectable=!0,i.multiSelectable=!1,i.label=r.text,i.selected=r.startTime<=a&&a<r.endTime;var s=Y(this,t.call(this,n,i));return s.track=o,s.cue=r,o.addEventListener("cuechange",ee(s,s.update)),s}return Q(e,t),e.prototype.handleClick=function(e){t.prototype.handleClick.call(this),this.player_.currentTime(this.cue.startTime),this.update(this.cue.startTime)},e.prototype.update=function(t){var e=this.cue,n=this.player_.currentTime();this.selected(e.startTime<=n&&n<e.endTime)},e}(Qi);ye.registerComponent("ChaptersTrackMenuItem",Pi);var qi=function(t){function e(n,i,o){return S(this,e),Y(this,t.call(this,n,i,o))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-chapters-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-chapters-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.update=function(e){this.track_&&(!e||"addtrack"!==e.type&&"removetrack"!==e.type)||this.setTrack(this.findChaptersTrack()),t.prototype.update.call(this)},e.prototype.setTrack=function(t){if(this.track_!==t){if(this.updateHandler_||(this.updateHandler_=this.update.bind(this)),this.track_){var e=this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);e&&e.removeEventListener("load",this.updateHandler_),this.track_=null}if(this.track_=t,this.track_){this.track_.mode="hidden";var n=this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);n&&n.addEventListener("load",this.updateHandler_)}}},e.prototype.findChaptersTrack=function(){for(var t=this.player_.textTracks()||[],e=t.length-1;e>=0;e--){var n=t[e];if(n.kind===this.kind_)return n}},e.prototype.getMenuCaption=function(){return this.track_&&this.track_.label?this.track_.label:this.localize(ge(this.kind_))},e.prototype.createMenu=function(){return this.options_.title=this.getMenuCaption(),t.prototype.createMenu.call(this)},e.prototype.createItems=function(){var t=[];if(!this.track_)return t;var e=this.track_.cues;if(!e)return t;for(var n=0,i=e.length;n<i;n++){var o=e[n],r=new Pi(this.player_,{track:this.track_,cue:o});t.push(r)}return t},e}(Ri);qi.prototype.kind_="chapters",qi.prototype.controlText_="Chapters",ye.registerComponent("ChaptersButton",qi);var Ui=function(t){function e(n,i,o){S(this,e);var r=Y(this,t.call(this,n,i,o)),a=n.textTracks(),s=ee(r,r.handleTracksChange);return a.addEventListener("change",s),r.on("dispose",(function(){a.removeEventListener("change",s)})),r}return Q(e,t),e.prototype.handleTracksChange=function(t){for(var e=this.player().textTracks(),n=!1,i=0,o=e.length;i<o;i++){var r=e[i];if(r.kind!==this.kind_&&"showing"===r.mode){n=!0;break}}n?this.disable():this.enable()},e.prototype.buildCSSClass=function(){return"vjs-descriptions-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-descriptions-button "+t.prototype.buildWrapperCSSClass.call(this)},e}(Ri);Ui.prototype.kind_="descriptions",Ui.prototype.controlText_="Descriptions",ye.registerComponent("DescriptionsButton",Ui);var Li=function(t){function e(n,i,o){return S(this,e),Y(this,t.call(this,n,i,o))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-subtitles-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-subtitles-button "+t.prototype.buildWrapperCSSClass.call(this)},e}(Ri);Li.prototype.kind_="subtitles",Li.prototype.controlText_="Subtitles",ye.registerComponent("SubtitlesButton",Li);var zi=function(t){function e(n,i){S(this,e),i.track={player:n,kind:i.kind,label:i.kind+" settings",selectable:!1,default:!1,mode:"disabled"},i.selectable=!1,i.name="CaptionSettingsMenuItem";var o=Y(this,t.call(this,n,i));return o.addClass("vjs-texttrack-settings"),o.controlText(", opens "+i.kind+" settings dialog"),o}return Q(e,t),e.prototype.handleClick=function(t){this.player().getChild("textTrackSettings").open()},e}(Yi);ye.registerComponent("CaptionSettingsMenuItem",zi);var Hi=function(t){function e(n,i,o){return S(this,e),Y(this,t.call(this,n,i,o))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-captions-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-captions-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var e=[];return this.player().tech_&&this.player().tech_.featuresNativeTextTracks||!this.player().getChild("textTrackSettings")||(e.push(new zi(this.player_,{kind:this.kind_})),this.hideThreshold_+=1),t.prototype.createItems.call(this,e)},e}(Ri);Hi.prototype.kind_="captions",Hi.prototype.controlText_="Captions",ye.registerComponent("CaptionsButton",Hi);var Gi=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(e,n,i){var o='<span class="vjs-menu-item-text">'+this.localize(this.options_.label);"captions"===this.options_.track.kind&&(o+='\n <span aria-hidden="true" class="vjs-icon-placeholder"></span>\n <span class="vjs-control-text"> '+this.localize("Captions")+"</span>\n "),o+="</span>";var r=t.prototype.createEl.call(this,e,L({innerHTML:o},n),i);return r},e}(Yi);ye.registerComponent("SubsCapsMenuItem",Gi);var Wi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};S(this,e);var o=Y(this,t.call(this,n,i));return o.label_="subtitles",["en","en-us","en-ca","fr-ca"].indexOf(o.player_.language_)>-1&&(o.label_="captions"),o.menuButton_.controlText(ge(o.label_)),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-subs-caps-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-subs-caps-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var e=[];return this.player().tech_&&this.player().tech_.featuresNativeTextTracks||!this.player().getChild("textTrackSettings")||(e.push(new zi(this.player_,{kind:this.label_})),this.hideThreshold_+=1),e=t.prototype.createItems.call(this,e,Gi),e},e}(Ri);Wi.prototype.kinds_=["captions","subtitles"],Wi.prototype.controlText_="Subtitles",ye.registerComponent("SubsCapsButton",Wi);var Ji=function(t){function e(n,i){S(this,e);var o=i.track,r=n.audioTracks();i.label=o.label||o.language||"Unknown",i.selected=o.enabled;var a=Y(this,t.call(this,n,i));a.track=o,a.addClass("vjs-"+o.kind+"-menu-item");var s=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];a.handleTracksChange.apply(a,e)};return r.addEventListener("change",s),a.on("dispose",(function(){r.removeEventListener("change",s)})),a}return Q(e,t),e.prototype.createEl=function(e,n,i){var o='<span class="vjs-menu-item-text">'+this.localize(this.options_.label);"main-desc"===this.options_.track.kind&&(o+='\n <span aria-hidden="true" class="vjs-icon-placeholder"></span>\n <span class="vjs-control-text"> '+this.localize("Descriptions")+"</span>\n "),o+="</span>";var r=t.prototype.createEl.call(this,e,L({innerHTML:o},n),i);return r},e.prototype.handleClick=function(e){var n=this.player_.audioTracks();t.prototype.handleClick.call(this,e);for(var i=0;i<n.length;i++){var o=n[i];o.enabled=o===this.track}},e.prototype.handleTracksChange=function(t){this.selected(this.track.enabled)},e}(Qi);ye.registerComponent("AudioTrackMenuItem",Ji);var Vi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return S(this,e),i.tracks=n.audioTracks(),Y(this,t.call(this,n,i))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-audio-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-audio-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.hideThreshold_=1;for(var e=this.player_.audioTracks(),n=0;n<e.length;n++){var i=e[n];t.push(new Ji(this.player_,{track:i,selectable:!0,multiSelectable:!1}))}return t},e}(Si);Vi.prototype.controlText_="Audio Track",ye.registerComponent("AudioTrackButton",Vi);var Xi=function(t){function e(n,i){S(this,e);var o=i.rate,r=parseFloat(o,10);i.label=o,i.selected=1===r,i.selectable=!0,i.multiSelectable=!1;var a=Y(this,t.call(this,n,i));return a.label=o,a.rate=r,a.on(n,"ratechange",a.update),a}return Q(e,t),e.prototype.handleClick=function(e){t.prototype.handleClick.call(this),this.player().playbackRate(this.rate)},e.prototype.update=function(t){this.selected(this.player().playbackRate()===this.rate)},e}(Qi);Xi.prototype.contentElType="button",ye.registerComponent("PlaybackRateMenuItem",Xi);var Zi=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.updateVisibility(),o.updateLabel(),o.on(n,"loadstart",o.updateVisibility),o.on(n,"ratechange",o.updateLabel),o}return Q(e,t),e.prototype.createEl=function(){var e=t.prototype.createEl.call(this);return this.labelEl_=at("div",{className:"vjs-playback-rate-value",innerHTML:"1x"}),e.appendChild(this.labelEl_),e},e.prototype.dispose=function(){this.labelEl_=null,t.prototype.dispose.call(this)},e.prototype.buildCSSClass=function(){return"vjs-playback-rate "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-playback-rate "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createMenu=function(){var t=new Ti(this.player()),e=this.playbackRates();if(e)for(var n=e.length-1;n>=0;n--)t.addChild(new Xi(this.player(),{rate:e[n]+"x"}));return t},e.prototype.updateARIAAttributes=function(){this.el().setAttribute("aria-valuenow",this.player().playbackRate())},e.prototype.handleClick=function(t){for(var e=this.player().playbackRate(),n=this.playbackRates(),i=n[0],o=0;o<n.length;o++)if(n[o]>e){i=n[o];break}this.player().playbackRate(i)},e.prototype.playbackRates=function(){return this.options_.playbackRates||this.options_.playerOptions&&this.options_.playerOptions.playbackRates},e.prototype.playbackRateSupported=function(){return this.player().tech_&&this.player().tech_.featuresPlaybackRate&&this.playbackRates()&&this.playbackRates().length>0},e.prototype.updateVisibility=function(t){this.playbackRateSupported()?this.removeClass("vjs-hidden"):this.addClass("vjs-hidden")},e.prototype.updateLabel=function(t){this.playbackRateSupported()&&(this.labelEl_.innerHTML=this.player().playbackRate()+"x")},e}(Ni);Zi.prototype.controlText_="Playback Rate",ye.registerComponent("PlaybackRateMenuButton",Zi);var Ki=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-spacer "+t.prototype.buildCSSClass.call(this)},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildCSSClass()})},e}(ye);ye.registerComponent("Spacer",Ki);var $i=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-custom-control-spacer "+t.prototype.buildCSSClass.call(this)},e.prototype.createEl=function(){var e=t.prototype.createEl.call(this,{className:this.buildCSSClass()});return e.innerHTML=" ",e},e}(Ki);ye.registerComponent("CustomControlSpacer",$i);var to=function(t){function e(){return S(this,e),Y(this,t.apply(this,arguments))}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-control-bar",dir:"ltr"})},e}(ye);to.prototype.options_={children:["playToggle","volumePanel","currentTimeDisplay","timeDivider","durationDisplay","progressControl","liveDisplay","remainingTimeDisplay","customControlSpacer","playbackRateMenuButton","chaptersButton","descriptionsButton","subsCapsButton","audioTrackButton","fullscreenToggle"]},ye.registerComponent("ControlBar",to);var eo=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i));return o.on(n,"error",o.open),o}return Q(e,t),e.prototype.buildCSSClass=function(){return"vjs-error-display "+t.prototype.buildCSSClass.call(this)},e.prototype.content=function(){var t=this.player().error();return t?this.localize(t.message):""},e}(qe);eo.prototype.options_=me(qe.prototype.options_,{pauseOnOpen:!1,fillAlways:!0,temporary:!1,uncloseable:!0}),ye.registerComponent("ErrorDisplay",eo);var no="vjs-text-track-settings",io=["#000","Black"],oo=["#00F","Blue"],ro=["#0FF","Cyan"],ao=["#0F0","Green"],so=["#F0F","Magenta"],lo=["#F00","Red"],co=["#FFF","White"],uo=["#FF0","Yellow"],ho=["1","Opaque"],fo=["0.5","Semi-Transparent"],Ao=["0","Transparent"],po={backgroundColor:{selector:".vjs-bg-color > select",id:"captions-background-color-%s",label:"Color",options:[io,co,lo,ao,oo,uo,so,ro]},backgroundOpacity:{selector:".vjs-bg-opacity > select",id:"captions-background-opacity-%s",label:"Transparency",options:[ho,fo,Ao]},color:{selector:".vjs-fg-color > select",id:"captions-foreground-color-%s",label:"Color",options:[co,io,lo,ao,oo,uo,so,ro]},edgeStyle:{selector:".vjs-edge-style > select",id:"%s",label:"Text Edge Style",options:[["none","None"],["raised","Raised"],["depressed","Depressed"],["uniform","Uniform"],["dropshadow","Dropshadow"]]},fontFamily:{selector:".vjs-font-family > select",id:"captions-font-family-%s",label:"Font Family",options:[["proportionalSansSerif","Proportional Sans-Serif"],["monospaceSansSerif","Monospace Sans-Serif"],["proportionalSerif","Proportional Serif"],["monospaceSerif","Monospace Serif"],["casual","Casual"],["script","Script"],["small-caps","Small Caps"]]},fontPercent:{selector:".vjs-font-percent > select",id:"captions-font-size-%s",label:"Font Size",options:[["0.50","50%"],["0.75","75%"],["1.00","100%"],["1.25","125%"],["1.50","150%"],["1.75","175%"],["2.00","200%"],["3.00","300%"],["4.00","400%"]],default:2,parser:function(t){return"1.00"===t?null:Number(t)}},textOpacity:{selector:".vjs-text-opacity > select",id:"captions-foreground-opacity-%s",label:"Transparency",options:[ho,fo]},windowColor:{selector:".vjs-window-color > select",id:"captions-window-color-%s",label:"Color"},windowOpacity:{selector:".vjs-window-opacity > select",id:"captions-window-opacity-%s",label:"Transparency",options:[Ao,fo,ho]}};function go(t,e){if(e&&(t=e(t)),t&&"none"!==t)return t}function vo(t,e){var n=t.options[t.options.selectedIndex].value;return go(n,e)}function mo(t,e,n){if(e)for(var i=0;i<t.options.length;i++)if(go(t.options[i].value,n)===e){t.selectedIndex=i;break}}po.windowColor.options=po.backgroundColor.options;var yo=function(t){function e(n,i){S(this,e),i.temporary=!1;var o=Y(this,t.call(this,n,i));return o.updateDisplay=ee(o,o.updateDisplay),o.fill(),o.hasBeenOpened_=o.hasBeenFilled_=!0,o.endDialog=at("p",{className:"vjs-control-text",textContent:o.localize("End of dialog window.")}),o.el().appendChild(o.endDialog),o.setDefaults(),void 0===i.persistTextTrackSettings&&(o.options_.persistTextTrackSettings=o.options_.playerOptions.persistTextTrackSettings),o.on(o.$(".vjs-done-button"),"click",(function(){o.saveSettings(),o.close()})),o.on(o.$(".vjs-default-button"),"click",(function(){o.setDefaults(),o.updateDisplay()})),q(po,(function(t){o.on(o.$(t.selector),"change",o.updateDisplay)})),o.options_.persistTextTrackSettings&&o.restoreSettings(),o}return Q(e,t),e.prototype.dispose=function(){this.endDialog=null,t.prototype.dispose.call(this)},e.prototype.createElSelect_=function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"label",o=po[t],r=o.id.replace("%s",this.id_),a=[n,r].join(" ").trim();return["<"+i+' id="'+r+'" class="'+("label"===i?"vjs-label":"")+'">',this.localize(o.label),"</"+i+">",'<select aria-labelledby="'+a+'">'].concat(o.options.map((function(t){var n=r+"-"+t[1].replace(/\W+/g,"");return['<option id="'+n+'" value="'+t[0]+'" ','aria-labelledby="'+a+" "+n+'">',e.localize(t[1]),"</option>"].join("")}))).concat("</select>").join("")},e.prototype.createElFgColor_=function(){var t="captions-text-legend-"+this.id_;return['<fieldset class="vjs-fg-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Text"),"</legend>",this.createElSelect_("color",t),'<span class="vjs-text-opacity vjs-opacity">',this.createElSelect_("textOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElBgColor_=function(){var t="captions-background-"+this.id_;return['<fieldset class="vjs-bg-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Background"),"</legend>",this.createElSelect_("backgroundColor",t),'<span class="vjs-bg-opacity vjs-opacity">',this.createElSelect_("backgroundOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElWinColor_=function(){var t="captions-window-"+this.id_;return['<fieldset class="vjs-window-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Window"),"</legend>",this.createElSelect_("windowColor",t),'<span class="vjs-window-opacity vjs-opacity">',this.createElSelect_("windowOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElColors_=function(){return at("div",{className:"vjs-track-settings-colors",innerHTML:[this.createElFgColor_(),this.createElBgColor_(),this.createElWinColor_()].join("")})},e.prototype.createElFont_=function(){return at("div",{className:"vjs-track-settings-font",innerHTML:['<fieldset class="vjs-font-percent vjs-track-setting">',this.createElSelect_("fontPercent","","legend"),"</fieldset>",'<fieldset class="vjs-edge-style vjs-track-setting">',this.createElSelect_("edgeStyle","","legend"),"</fieldset>",'<fieldset class="vjs-font-family vjs-track-setting">',this.createElSelect_("fontFamily","","legend"),"</fieldset>"].join("")})},e.prototype.createElControls_=function(){var t=this.localize("restore all settings to the default values");return at("div",{className:"vjs-track-settings-controls",innerHTML:['<button type="button" class="vjs-default-button" title="'+t+'">',this.localize("Reset"),'<span class="vjs-control-text"> '+t+"</span>","</button>",'<button type="button" class="vjs-done-button">'+this.localize("Done")+"</button>"].join("")})},e.prototype.content=function(){return[this.createElColors_(),this.createElFont_(),this.createElControls_()]},e.prototype.label=function(){return this.localize("Caption Settings Dialog")},e.prototype.description=function(){return this.localize("Beginning of dialog window. Escape will cancel and close the window.")},e.prototype.buildCSSClass=function(){return t.prototype.buildCSSClass.call(this)+" vjs-text-track-settings"},e.prototype.getValues=function(){var t=this;return U(po,(function(e,n,i){var o=vo(t.$(n.selector),n.parser);return void 0!==o&&(e[i]=o),e}),{})},e.prototype.setValues=function(t){var e=this;q(po,(function(n,i){mo(e.$(n.selector),t[i],n.parser)}))},e.prototype.setDefaults=function(){var t=this;q(po,(function(e){var n=e.hasOwnProperty("default")?e["default"]:0;t.$(e.selector).selectedIndex=n}))},e.prototype.restoreSettings=function(){var t=void 0;try{t=JSON.parse(o.localStorage.getItem(no))}catch(e){V.warn(e)}t&&this.setValues(t)},e.prototype.saveSettings=function(){if(this.options_.persistTextTrackSettings){var t=this.getValues();try{Object.keys(t).length?o.localStorage.setItem(no,JSON.stringify(t)):o.localStorage.removeItem(no)}catch(e){V.warn(e)}}},e.prototype.updateDisplay=function(){var t=this.player_.getChild("textTrackDisplay");t&&t.updateDisplay()},e.prototype.conditionalBlur_=function(){this.previouslyActiveEl_=null,this.off(r,"keydown",this.handleKeyDown);var t=this.player_.controlBar,e=t&&t.subsCapsButton,n=t&&t.captionsButton;e?e.focus():n&&n.focus()},e}(qe);ye.registerComponent("TextTrackSettings",yo);var bo=function(t){function e(n,i){S(this,e);var r=i.ResizeObserver||o.ResizeObserver;null===i.ResizeObserver&&(r=!1);var a=me({createEl:!r},i),s=Y(this,t.call(this,n,a));return s.ResizeObserver=i.ResizeObserver||o.ResizeObserver,s.loadListener_=null,s.resizeObserver_=null,s.debouncedHandler_=ie((function(){s.resizeHandler()}),100,!1,s),r?(s.resizeObserver_=new s.ResizeObserver(s.debouncedHandler_),s.resizeObserver_.observe(n.el())):(s.loadListener_=function(){s.el_&&s.el_.contentWindow&&zt(s.el_.contentWindow,"resize",s.debouncedHandler_)},s.one("load",s.loadListener_)),s}return Q(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"iframe",{className:"vjs-resize-manager"})},e.prototype.resizeHandler=function(){this.player_&&this.player_.trigger&&this.player_.trigger("playerresize")},e.prototype.dispose=function(){this.debouncedHandler_&&this.debouncedHandler_.cancel(),this.resizeObserver_&&(this.player_.el()&&this.resizeObserver_.unobserve(this.player_.el()),this.resizeObserver_.disconnect()),this.el_&&this.el_.contentWindow&&Ht(this.el_.contentWindow,"resize",this.debouncedHandler_),this.loadListener_&&this.off("load",this.loadListener_),this.ResizeObserver=null,this.resizeObserver=null,this.debouncedHandler_=null,this.loadListener_=null},e}(ye);ye.registerComponent("ResizeManager",bo);var wo=function(t){var e=t.el();if(e.hasAttribute("src"))return t.triggerSourceset(e.src),!0;var n=t.$$("source"),i=[],o="";if(!n.length)return!1;for(var r=0;r<n.length;r++){var a=n[r].src;a&&-1===i.indexOf(a)&&i.push(a)}return!!i.length&&(1===i.length&&(o=i[0]),t.triggerSourceset(o),!0)},Eo={};k||(Eo=Object.defineProperty({},"innerHTML",{get:function(){return this.cloneNode(!0).innerHTML},set:function(t){var e=r.createElement(this.nodeName.toLowerCase());e.innerHTML=t;var n=r.createDocumentFragment();while(e.childNodes.length)n.appendChild(e.childNodes[0]);return this.innerText="",o.Element.prototype.appendChild.call(this,n),this.innerHTML}}));var _o=function(t,e){for(var n={},i=0;i<t.length;i++)if(n=Object.getOwnPropertyDescriptor(t[i],e),n&&n.set&&n.get)break;return n.enumerable=!0,n.configurable=!0,n},Bo=function(t){return _o([t.el(),o.HTMLMediaElement.prototype,o.Element.prototype,Eo],"innerHTML")},xo=function(t){var e=t.el();if(!e.resetSourceWatch_){var n={},i=Bo(t),o=function(n){return function(){for(var i=arguments.length,o=Array(i),r=0;r<i;r++)o[r]=arguments[r];var a=n.apply(e,o);return wo(t),a}};["append","appendChild","insertAdjacentHTML"].forEach((function(t){e[t]&&(n[t]=e[t],e[t]=o(n[t]))})),Object.defineProperty(e,"innerHTML",me(i,{set:o(i.set)})),e.resetSourceWatch_=function(){e.resetSourceWatch_=null,Object.keys(n).forEach((function(t){e[t]=n[t]})),Object.defineProperty(e,"innerHTML",i)},t.one("sourceset",e.resetSourceWatch_)}},Co={};k||(Co=Object.defineProperty({},"src",{get:function(){return this.hasAttribute("src")?on(o.Element.prototype.getAttribute.call(this,"src")):""},set:function(t){return o.Element.prototype.setAttribute.call(this,"src",t),t}}));var ko=function(t){return _o([t.el(),o.HTMLMediaElement.prototype,Co],"src")},jo=function(t){if(t.featuresSourceset){var e=t.el();if(!e.resetSourceset_){var n=ko(t),i=e.setAttribute,o=e.load;Object.defineProperty(e,"src",me(n,{set:function(i){var o=n.set.call(e,i);return t.triggerSourceset(e.src),o}})),e.setAttribute=function(n,o){var r=i.call(e,n,o);return/src/i.test(n)&&t.triggerSourceset(e.src),r},e.load=function(){var n=o.call(e);return wo(t)||(t.triggerSourceset(""),xo(t)),n},e.currentSrc?t.triggerSourceset(e.currentSrc):wo(t)||xo(t),e.resetSourceset_=function(){e.resetSourceset_=null,e.load=o,e.setAttribute=i,Object.defineProperty(e,"src",n),e.resetSourceWatch_&&e.resetSourceWatch_()}}}},Io=O(["Text Tracks are being loaded from another origin but the crossorigin attribute isn't used.\n This may prevent text tracks from loading."],["Text Tracks are being loaded from another origin but the crossorigin attribute isn't used.\n This may prevent text tracks from loading."]),Do=function(t){function e(n,i){S(this,e);var o=Y(this,t.call(this,n,i)),r=n.source,s=!1;if(r&&(o.el_.currentSrc!==r.src||n.tag&&3===n.tag.initNetworkState_)?o.setSource(r):o.handleLateInit_(o.el_),n.enableSourceset&&o.setupSourcesetHandling_(),o.el_.hasChildNodes()){var l=o.el_.childNodes,c=l.length,u=[];while(c--){var h=l[c],d=h.nodeName.toLowerCase();"track"===d&&(o.featuresNativeTextTracks?(o.remoteTextTrackEls().addTrackElement_(h),o.remoteTextTracks().addTrack(h.track),o.textTracks().addTrack(h.track),s||o.el_.hasAttribute("crossorigin")||!an(h.src)||(s=!0)):u.push(h))}for(var f=0;f<u.length;f++)o.el_.removeChild(u[f])}return o.proxyNativeTracks_(),o.featuresNativeTextTracks&&s&&V.warn(a(Io)),o.restoreMetadataTracksInIOSNativePlayer_(),(F||p||E)&&!0===n.nativeControlsForTouch&&o.setControls(!0),o.proxyWebkitFullscreen_(),o.triggerReady(),o}return Q(e,t),e.prototype.dispose=function(){this.el_&&this.el_.resetSourceset_&&this.el_.resetSourceset_(),e.disposeMediaElement(this.el_),this.options_=null,t.prototype.dispose.call(this)},e.prototype.setupSourcesetHandling_=function(){jo(this)},e.prototype.restoreMetadataTracksInIOSNativePlayer_=function(){var t=this.textTracks(),e=void 0,n=function(){e=[];for(var n=0;n<t.length;n++){var i=t[n];"metadata"===i.kind&&e.push({track:i,storedMode:i.mode})}};n(),t.addEventListener("change",n),this.on("dispose",(function(){return t.removeEventListener("change",n)}));var i=function n(){for(var i=0;i<e.length;i++){var o=e[i];"disabled"===o.track.mode&&o.track.mode!==o.storedMode&&(o.track.mode=o.storedMode)}t.removeEventListener("change",n)};this.on("webkitbeginfullscreen",(function(){t.removeEventListener("change",n),t.removeEventListener("change",i),t.addEventListener("change",i)})),this.on("webkitendfullscreen",(function(){t.removeEventListener("change",n),t.addEventListener("change",n),t.removeEventListener("change",i)}))},e.prototype.proxyNativeTracks_=function(){var t=this;mn.names.forEach((function(e){var n=mn[e],i=t.el()[n.getterName],o=t[n.getterName]();if(t["featuresNative"+n.capitalName+"Tracks"]&&i&&i.addEventListener){var r={change:function(t){o.trigger({type:"change",target:o,currentTarget:o,srcElement:o})},addtrack:function(t){o.addTrack(t.track)},removetrack:function(t){o.removeTrack(t.track)}},a=function(){for(var t=[],e=0;e<o.length;e++){for(var n=!1,r=0;r<i.length;r++)if(i[r]===o[e]){n=!0;break}n||t.push(o[e])}while(t.length)o.removeTrack(t.shift())};Object.keys(r).forEach((function(e){var n=r[e];i.addEventListener(e,n),t.on("dispose",(function(t){return i.removeEventListener(e,n)}))})),t.on("loadstart",a),t.on("dispose",(function(e){return t.off("loadstart",a)}))}}))},e.prototype.createEl=function(){var t=this.options_.tag;if(!t||!this.options_.playerElIngest&&!this.movingMediaElementInDOM){if(t){var n=t.cloneNode(!0);t.parentNode&&t.parentNode.insertBefore(n,t),e.disposeMediaElement(t),t=n}else{t=r.createElement("video");var i=this.options_.tag&&At(this.options_.tag),o=me({},i);F&&!0===this.options_.nativeControlsForTouch||delete o.controls,ft(t,L(o,{id:this.options_.techId,class:"vjs-tech"}))}t.playerId=this.options_.playerId}"undefined"!==typeof this.options_.preload&&gt(t,"preload",this.options_.preload);for(var a=["loop","muted","playsinline","autoplay"],s=0;s<a.length;s++){var l=a[s],c=this.options_[l];"undefined"!==typeof c&&(c?gt(t,l,l):vt(t,l),t[l]=c)}return t},e.prototype.handleLateInit_=function(t){if(0!==t.networkState&&3!==t.networkState){if(0===t.readyState){var e=!1,n=function(){e=!0};this.on("loadstart",n);var i=function(){e||this.trigger("loadstart")};return this.on("loadedmetadata",i),void this.ready((function(){this.off("loadstart",n),this.off("loadedmetadata",i),e||this.trigger("loadstart")}))}var o=["loadstart"];o.push("loadedmetadata"),t.readyState>=2&&o.push("loadeddata"),t.readyState>=3&&o.push("canplay"),t.readyState>=4&&o.push("canplaythrough"),this.ready((function(){o.forEach((function(t){this.trigger(t)}),this)}))}},e.prototype.setCurrentTime=function(t){try{this.el_.currentTime=t}catch(e){V(e,"Video is not ready. (Video.js)")}},e.prototype.duration=function(){var t=this;if(this.el_.duration===1/0&&y&&x&&0===this.el_.currentTime){var e=function e(){t.el_.currentTime>0&&(t.el_.duration===1/0&&t.trigger("durationchange"),t.off("timeupdate",e))};return this.on("timeupdate",e),NaN}return this.el_.duration||NaN},e.prototype.width=function(){return this.el_.offsetWidth},e.prototype.height=function(){return this.el_.offsetHeight},e.prototype.proxyWebkitFullscreen_=function(){var t=this;if("webkitDisplayingFullscreen"in this.el_){var e=function(){this.trigger("fullscreenchange",{isFullscreen:!1})},n=function(){"webkitPresentationMode"in this.el_&&"picture-in-picture"!==this.el_.webkitPresentationMode&&(this.one("webkitendfullscreen",e),this.trigger("fullscreenchange",{isFullscreen:!0}))};this.on("webkitbeginfullscreen",n),this.on("dispose",(function(){t.off("webkitbeginfullscreen",n),t.off("webkitendfullscreen",e)}))}},e.prototype.supportsFullScreen=function(){if("function"===typeof this.el_.webkitEnterFullScreen){var t=o.navigator&&o.navigator.userAgent||"";if(/Android/.test(t)||!/Chrome|Mac OS X 10.5/.test(t))return!0}return!1},e.prototype.enterFullScreen=function(){var t=this.el_;t.paused&&t.networkState<=t.HAVE_METADATA?(this.el_.play(),this.setTimeout((function(){t.pause(),t.webkitEnterFullScreen()}),0)):t.webkitEnterFullScreen()},e.prototype.exitFullScreen=function(){this.el_.webkitExitFullScreen()},e.prototype.src=function(t){if(void 0===t)return this.el_.src;this.setSrc(t)},e.prototype.reset=function(){e.resetMediaElement(this.el_)},e.prototype.currentSrc=function(){return this.currentSource_?this.currentSource_.src:this.el_.currentSrc},e.prototype.setControls=function(t){this.el_.controls=!!t},e.prototype.addTextTrack=function(e,n,i){return this.featuresNativeTextTracks?this.el_.addTextTrack(e,n,i):t.prototype.addTextTrack.call(this,e,n,i)},e.prototype.createRemoteTextTrack=function(e){if(!this.featuresNativeTextTracks)return t.prototype.createRemoteTextTrack.call(this,e);var n=r.createElement("track");return e.kind&&(n.kind=e.kind),e.label&&(n.label=e.label),(e.language||e.srclang)&&(n.srclang=e.language||e.srclang),e["default"]&&(n["default"]=e["default"]),e.id&&(n.id=e.id),e.src&&(n.src=e.src),n},e.prototype.addRemoteTextTrack=function(e,n){var i=t.prototype.addRemoteTextTrack.call(this,e,n);return this.featuresNativeTextTracks&&this.el().appendChild(i),i},e.prototype.removeRemoteTextTrack=function(e){if(t.prototype.removeRemoteTextTrack.call(this,e),this.featuresNativeTextTracks){var n=this.$$("track"),i=n.length;while(i--)e!==n[i]&&e!==n[i].track||this.el().removeChild(n[i])}},e.prototype.getVideoPlaybackQuality=function(){if("function"===typeof this.el().getVideoPlaybackQuality)return this.el().getVideoPlaybackQuality();var t={};return"undefined"!==typeof this.el().webkitDroppedFrameCount&&"undefined"!==typeof this.el().webkitDecodedFrameCount&&(t.droppedVideoFrames=this.el().webkitDroppedFrameCount,t.totalVideoFrames=this.el().webkitDecodedFrameCount),o.performance&&"function"===typeof o.performance.now?t.creationTime=o.performance.now():o.performance&&o.performance.timing&&"number"===typeof o.performance.timing.navigationStart&&(t.creationTime=o.Date.now()-o.performance.timing.navigationStart),t},e}(En);if(nt()){Do.TEST_VID=r.createElement("video");var Fo=r.createElement("track");Fo.kind="captions",Fo.srclang="en",Fo.label="English",Do.TEST_VID.appendChild(Fo)}Do.isSupported=function(){try{Do.TEST_VID.volume=.5}catch(t){return!1}return!(!Do.TEST_VID||!Do.TEST_VID.canPlayType)},Do.canPlayType=function(t){return Do.TEST_VID.canPlayType(t)},Do.canPlaySource=function(t,e){return Do.canPlayType(t.type)},Do.canControlVolume=function(){try{var t=Do.TEST_VID.volume;return Do.TEST_VID.volume=t/2+.1,t!==Do.TEST_VID.volume}catch(e){return!1}},Do.canMuteVolume=function(){try{var t=Do.TEST_VID.muted;return Do.TEST_VID.muted=!t,Do.TEST_VID.muted?gt(Do.TEST_VID,"muted","muted"):vt(Do.TEST_VID,"muted","muted"),t!==Do.TEST_VID.muted}catch(e){return!1}},Do.canControlPlaybackRate=function(){if(y&&x&&C<58)return!1;try{var t=Do.TEST_VID.playbackRate;return Do.TEST_VID.playbackRate=t/2+.1,t!==Do.TEST_VID.playbackRate}catch(e){return!1}},Do.canOverrideAttributes=function(){if(k)return!1;try{var t=function(){};Object.defineProperty(r.createElement("video"),"src",{get:t,set:t}),Object.defineProperty(r.createElement("audio"),"src",{get:t,set:t}),Object.defineProperty(r.createElement("video"),"innerHTML",{get:t,set:t}),Object.defineProperty(r.createElement("audio"),"innerHTML",{get:t,set:t})}catch(e){return!1}return!0},Do.supportsNativeTextTracks=function(){return D||v&&x},Do.supportsNativeVideoTracks=function(){return!(!Do.TEST_VID||!Do.TEST_VID.videoTracks)},Do.supportsNativeAudioTracks=function(){return!(!Do.TEST_VID||!Do.TEST_VID.audioTracks)},Do.Events=["loadstart","suspend","abort","error","emptied","stalled","loadedmetadata","loadeddata","canplay","canplaythrough","playing","waiting","seeking","seeked","ended","durationchange","timeupdate","progress","play","pause","ratechange","resize","volumechange"],Do.prototype.featuresVolumeControl=Do.canControlVolume(),Do.prototype.featuresMuteControl=Do.canMuteVolume(),Do.prototype.featuresPlaybackRate=Do.canControlPlaybackRate(),Do.prototype.featuresSourceset=Do.canOverrideAttributes(),Do.prototype.movingMediaElementInDOM=!v,Do.prototype.featuresFullscreenResize=!0,Do.prototype.featuresProgressEvents=!0,Do.prototype.featuresTimeupdateEvents=!0,Do.prototype.featuresNativeTextTracks=Do.supportsNativeTextTracks(),Do.prototype.featuresNativeVideoTracks=Do.supportsNativeVideoTracks(),Do.prototype.featuresNativeAudioTracks=Do.supportsNativeAudioTracks();var Mo=Do.TEST_VID&&Do.TEST_VID.constructor.prototype.canPlayType,To=/^application\/(?:x-|vnd\.apple\.)mpegurl/i,No=/^video\/mp4/i;Do.patchCanPlayType=function(){b>=4&&!_&&!x?Do.TEST_VID.constructor.prototype.canPlayType=function(t){return t&&To.test(t)?"maybe":Mo.call(this,t)}:w&&(Do.TEST_VID.constructor.prototype.canPlayType=function(t){return t&&No.test(t)?"maybe":Mo.call(this,t)})},Do.unpatchCanPlayType=function(){var t=Do.TEST_VID.constructor.prototype.canPlayType;return Do.TEST_VID.constructor.prototype.canPlayType=Mo,t},Do.patchCanPlayType(),Do.disposeMediaElement=function(t){if(t){t.parentNode&&t.parentNode.removeChild(t);while(t.hasChildNodes())t.removeChild(t.firstChild);t.removeAttribute("src"),"function"===typeof t.load&&function(){try{t.load()}catch(e){}}()}},Do.resetMediaElement=function(t){if(t){var e=t.querySelectorAll("source"),n=e.length;while(n--)t.removeChild(e[n]);t.removeAttribute("src"),"function"===typeof t.load&&function(){try{t.load()}catch(e){}}()}},["muted","defaultMuted","autoplay","controls","loop","playsinline"].forEach((function(t){Do.prototype[t]=function(){return this.el_[t]||this.el_.hasAttribute(t)}})),["muted","defaultMuted","autoplay","loop","playsinline"].forEach((function(t){Do.prototype["set"+ge(t)]=function(e){this.el_[t]=e,e?this.el_.setAttribute(t,t):this.el_.removeAttribute(t)}})),["paused","currentTime","buffered","volume","poster","preload","error","seeking","seekable","ended","playbackRate","defaultPlaybackRate","played","networkState","readyState","videoWidth","videoHeight"].forEach((function(t){Do.prototype[t]=function(){return this.el_[t]}})),["volume","src","poster","preload","playbackRate","defaultPlaybackRate"].forEach((function(t){Do.prototype["set"+ge(t)]=function(e){this.el_[t]=e}})),["pause","load","play"].forEach((function(t){Do.prototype[t]=function(){return this.el_[t]()}})),En.withSourceHandlers(Do),Do.nativeSourceHandler={},Do.nativeSourceHandler.canPlayType=function(t){try{return Do.TEST_VID.canPlayType(t)}catch(e){return""}},Do.nativeSourceHandler.canHandleSource=function(t,e){if(t.type)return Do.nativeSourceHandler.canPlayType(t.type);if(t.src){var n=rn(t.src);return Do.nativeSourceHandler.canPlayType("video/"+n)}return""},Do.nativeSourceHandler.handleSource=function(t,e,n){e.setSrc(t.src)},Do.nativeSourceHandler.dispose=function(){},Do.registerSourceHandler(Do.nativeSourceHandler),En.registerTech("Html5",Do);var So=O(["\n Using the tech directly can be dangerous. I hope you know what you're doing.\n See https://github.com/videojs/video.js/issues/2617 for more info.\n "],["\n Using the tech directly can be dangerous. I hope you know what you're doing.\n See https://github.com/videojs/video.js/issues/2617 for more info.\n "]),Qo=["progress","abort","suspend","emptied","stalled","loadedmetadata","loadeddata","timeupdate","resize","volumechange","texttrackchange"],Yo={canplay:"CanPlay",canplaythrough:"CanPlayThrough",playing:"Playing",seeked:"Seeked"},Oo=["tiny","xsmall","small","medium","large","xlarge","huge"],Ro={};Oo.forEach((function(t){var e="x"===t.charAt(0)?"x-"+t.substring(1):t;Ro[t]="vjs-layout-"+e}));var Po={tiny:210,xsmall:320,small:425,medium:768,large:1440,xlarge:2560,huge:1/0},qo=function(t){function e(n,i,o){if(S(this,e),n.id=n.id||i.id||"vjs_video_"+Tt(),i=L(e.getTagSettings(n),i),i.initChildren=!1,i.createEl=!1,i.evented=!1,i.reportTouchActivity=!1,!i.language)if("function"===typeof n.closest){var r=n.closest("[lang]");r&&r.getAttribute&&(i.language=r.getAttribute("lang"))}else{var a=n;while(a&&1===a.nodeType){if(At(a).hasOwnProperty("lang")){i.language=a.getAttribute("lang");break}a=a.parentNode}}var s=Y(this,t.call(this,null,i,o));if(s.log=X(s.id_),s.isPosterFromTech_=!1,s.queuedCallbacks_=[],s.isReady_=!1,s.hasStarted_=!1,s.userActive_=!1,!s.options_||!s.options_.techOrder||!s.options_.techOrder.length)throw new Error("No techOrder specified. Did you overwrite videojs.options instead of just changing the properties you want to override?");if(s.tag=n,s.tagAttributes=n&&At(n),s.language(s.options_.language),i.languages){var l={};Object.getOwnPropertyNames(i.languages).forEach((function(t){l[t.toLowerCase()]=i.languages[t]})),s.languages_=l}else s.languages_=e.prototype.options_.languages;s.cache_={},s.poster_=i.poster||"",s.controls_=!!i.controls,s.cache_.lastVolume=1,n.controls=!1,n.removeAttribute("controls"),n.hasAttribute("autoplay")?s.options_.autoplay=!0:s.autoplay(s.options_.autoplay),s.scrubbing_=!1,s.el_=s.createEl(),s.cache_.lastPlaybackRate=s.defaultPlaybackRate(),fe(s,{eventBusKey:"el_"});var c=me(s.options_);if(i.plugins){var h=i.plugins;Object.keys(h).forEach((function(t){if("function"!==typeof this[t])throw new Error('plugin "'+t+'" does not exist');this[t](h[t])}),s)}s.options_.playerOptions=c,s.middleware_=[],s.initChildren(),s.isAudio("audio"===n.nodeName.toLowerCase()),s.controls()?s.addClass("vjs-controls-enabled"):s.addClass("vjs-controls-disabled"),s.el_.setAttribute("role","region"),s.isAudio()?s.el_.setAttribute("aria-label",s.localize("Audio Player")):s.el_.setAttribute("aria-label",s.localize("Video Player")),s.isAudio()&&s.addClass("vjs-audio"),s.flexNotSupported_()&&s.addClass("vjs-no-flex"),v||s.addClass("vjs-workinghover"),e.players[s.id_]=s;var d=u.split(".")[0];return s.addClass("vjs-v"+d),s.userActive(!0),s.reportUserActivity(),s.one("play",s.listenForUserActivity_),s.on("fullscreenchange",s.handleFullscreenChange_),s.on("stageclick",s.handleStageClick_),s.breakpoints(s.options_.breakpoints),s.responsive(s.options_.responsive),s.changingSrc_=!1,s.playWaitingForReady_=!1,s.playOnLoadstart_=null,s}return Q(e,t),e.prototype.dispose=function(){this.trigger("dispose"),this.off("dispose"),this.styleEl_&&this.styleEl_.parentNode&&(this.styleEl_.parentNode.removeChild(this.styleEl_),this.styleEl_=null),e.players[this.id_]=null,this.tag&&this.tag.player&&(this.tag.player=null),this.el_&&this.el_.player&&(this.el_.player=null),this.tech_&&(this.tech_.dispose(),this.isPosterFromTech_=!1,this.poster_=""),this.playerElIngest_&&(this.playerElIngest_=null),this.tag&&(this.tag=null),Yn(this),t.prototype.dispose.call(this)},e.prototype.createEl=function(){var e=this.tag,n=void 0,i=this.playerElIngest_=e.parentNode&&e.parentNode.hasAttribute&&e.parentNode.hasAttribute("data-vjs-player"),a="video-js"===this.tag.tagName.toLowerCase();i?n=this.el_=e.parentNode:a||(n=this.el_=t.prototype.createEl.call(this,"div"));var s=At(e);if(a){n=this.el_=e,e=this.tag=r.createElement("video");while(n.children.length)e.appendChild(n.firstChild);ct(n,"video-js")||ut(n,"video-js"),n.appendChild(e),i=this.playerElIngest_=n,["autoplay","controls","crossOrigin","defaultMuted","defaultPlaybackRate","loop","muted","playbackRate","src","volume"].forEach((function(t){"undefined"!==typeof n[t]&&(e[t]=n[t])}))}if(e.setAttribute("tabindex","-1"),s.tabindex="-1",j&&(e.setAttribute("role","application"),s.role="application"),e.removeAttribute("width"),e.removeAttribute("height"),"width"in s&&delete s.width,"height"in s&&delete s.height,Object.getOwnPropertyNames(s).forEach((function(t){"class"===t?(n.className+=" "+s[t],a&&(e.className+=" "+s[t])):(n.setAttribute(t,s[t]),a&&e.setAttribute(t,s[t]))})),e.playerId=e.id,e.id+="_html5_api",e.className="vjs-tech",e.player=n.player=this,this.addClass("vjs-paused"),!0!==o.VIDEOJS_NO_DYNAMIC_STYLE){this.styleEl_=$t("vjs-styles-dimensions");var l=It(".vjs-styles-defaults"),c=It("head");c.insertBefore(this.styleEl_,l?l.nextSibling:c.firstChild)}this.fill_=!1,this.fluid_=!1,this.width(this.options_.width),this.height(this.options_.height),this.fill(this.options_.fill),this.fluid(this.options_.fluid),this.aspectRatio(this.options_.aspectRatio);for(var u=e.getElementsByTagName("a"),h=0;h<u.length;h++){var d=u.item(h);ut(d,"vjs-hidden"),d.setAttribute("hidden","hidden")}return e.initNetworkState_=e.networkState,e.parentNode&&!i&&e.parentNode.insertBefore(n,e),lt(e,n),this.children_.unshift(e),this.el_.setAttribute("lang",this.language_),this.el_=n,n},e.prototype.width=function(t){return this.dimension("width",t)},e.prototype.height=function(t){return this.dimension("height",t)},e.prototype.dimension=function(t,e){var n=t+"_";if(void 0===e)return this[n]||0;if(""===e)return this[n]=void 0,void this.updateStyleEl_();var i=parseFloat(e);isNaN(i)?V.error('Improper value "'+e+'" supplied for for '+t):(this[n]=i,this.updateStyleEl_())},e.prototype.fluid=function(t){if(void 0===t)return!!this.fluid_;this.fluid_=!!t,t?(this.addClass("vjs-fluid"),this.fill(!1)):this.removeClass("vjs-fluid"),this.updateStyleEl_()},e.prototype.fill=function(t){if(void 0===t)return!!this.fill_;this.fill_=!!t,t?(this.addClass("vjs-fill"),this.fluid(!1)):this.removeClass("vjs-fill")},e.prototype.aspectRatio=function(t){if(void 0===t)return this.aspectRatio_;if(!/^\d+\:\d+$/.test(t))throw new Error("Improper value supplied for aspect ratio. The format should be width:height, for example 16:9.");this.aspectRatio_=t,this.fluid(!0),this.updateStyleEl_()},e.prototype.updateStyleEl_=function(){if(!0!==o.VIDEOJS_NO_DYNAMIC_STYLE){var t=void 0,e=void 0,n=void 0,i=void 0;n=void 0!==this.aspectRatio_&&"auto"!==this.aspectRatio_?this.aspectRatio_:this.videoWidth()>0?this.videoWidth()+":"+this.videoHeight():"16:9";var r=n.split(":"),a=r[1]/r[0];t=void 0!==this.width_?this.width_:void 0!==this.height_?this.height_/a:this.videoWidth()||300,e=void 0!==this.height_?this.height_:t*a,i=/^[^a-zA-Z]/.test(this.id())?"dimensions-"+this.id():this.id()+"-dimensions",this.addClass(i),te(this.styleEl_,"\n ."+i+" {\n width: "+t+"px;\n height: "+e+"px;\n }\n\n ."+i+".vjs-fluid {\n padding-top: "+100*a+"%;\n }\n ")}else{var s="number"===typeof this.width_?this.width_:this.options_.width,l="number"===typeof this.height_?this.height_:this.options_.height,c=this.tech_&&this.tech_.el();c&&(s>=0&&(c.width=s),l>=0&&(c.height=l))}},e.prototype.loadTech_=function(t,e){var n=this;this.tech_&&this.unloadTech_();var i=ge(t),o=t.charAt(0).toLowerCase()+t.slice(1);"Html5"!==i&&this.tag&&(En.getTech("Html5").disposeMediaElement(this.tag),this.tag.player=null,this.tag=null),this.techName_=i,this.isReady_=!1;var r="string"!==typeof this.autoplay()&&this.autoplay(),a={source:e,autoplay:r,nativeControlsForTouch:this.options_.nativeControlsForTouch,playerId:this.id(),techId:this.id()+"_"+o+"_api",playsinline:this.options_.playsinline,preload:this.options_.preload,loop:this.options_.loop,muted:this.options_.muted,poster:this.poster(),language:this.language(),playerElIngest:this.playerElIngest_||!1,"vtt.js":this.options_["vtt.js"],canOverridePoster:!!this.options_.techCanOverridePoster,enableSourceset:this.options_.enableSourceset};bn.names.forEach((function(t){var e=bn[t];a[e.getterName]=n[e.privateName]})),L(a,this.options_[i]),L(a,this.options_[o]),L(a,this.options_[t.toLowerCase()]),this.tag&&(a.tag=this.tag),e&&e.src===this.cache_.src&&this.cache_.currentTime>0&&(a.startTime=this.cache_.currentTime);var s=En.getTech(t);if(!s)throw new Error("No Tech named '"+i+"' exists! '"+i+"' should be registered using videojs.registerTech()'");this.tech_=new s(a),this.tech_.ready(ee(this,this.handleTechReady_),!0),Oe.jsonToTextTracks(this.textTracksJson_||[],this.tech_),Qo.forEach((function(t){n.on(n.tech_,t,n["handleTech"+ge(t)+"_"])})),Object.keys(Yo).forEach((function(t){n.on(n.tech_,t,(function(e){0===n.tech_.playbackRate()&&n.tech_.seeking()?n.queuedCallbacks_.push({callback:n["handleTech"+Yo[t]+"_"].bind(n),event:e}):n["handleTech"+Yo[t]+"_"](e)}))})),this.on(this.tech_,"loadstart",this.handleTechLoadStart_),this.on(this.tech_,"sourceset",this.handleTechSourceset_),this.on(this.tech_,"waiting",this.handleTechWaiting_),this.on(this.tech_,"ended",this.handleTechEnded_),this.on(this.tech_,"seeking",this.handleTechSeeking_),this.on(this.tech_,"play",this.handleTechPlay_),this.on(this.tech_,"firstplay",this.handleTechFirstPlay_),this.on(this.tech_,"pause",this.handleTechPause_),this.on(this.tech_,"durationchange",this.handleTechDurationChange_),this.on(this.tech_,"fullscreenchange",this.handleTechFullscreenChange_),this.on(this.tech_,"error",this.handleTechError_),this.on(this.tech_,"loadedmetadata",this.updateStyleEl_),this.on(this.tech_,"posterchange",this.handleTechPosterChange_),this.on(this.tech_,"textdata",this.handleTechTextData_),this.on(this.tech_,"ratechange",this.handleTechRateChange_),this.usingNativeControls(this.techGet_("controls")),this.controls()&&!this.usingNativeControls()&&this.addTechControlsListeners_(),this.tech_.el().parentNode===this.el()||"Html5"===i&&this.tag||lt(this.tech_.el(),this.el()),this.tag&&(this.tag.player=null,this.tag=null)},e.prototype.unloadTech_=function(){var t=this;bn.names.forEach((function(e){var n=bn[e];t[n.privateName]=t[n.getterName]()})),this.textTracksJson_=Oe.textTracksToJson(this.tech_),this.isReady_=!1,this.tech_.dispose(),this.tech_=!1,this.isPosterFromTech_&&(this.poster_="",this.trigger("posterchange")),this.isPosterFromTech_=!1},e.prototype.tech=function(t){return void 0===t&&V.warn(a(So)),this.tech_},e.prototype.addTechControlsListeners_=function(){this.removeTechControlsListeners_(),this.on(this.tech_,"mousedown",this.handleTechClick_),this.on(this.tech_,"touchstart",this.handleTechTouchStart_),this.on(this.tech_,"touchmove",this.handleTechTouchMove_),this.on(this.tech_,"touchend",this.handleTechTouchEnd_),this.on(this.tech_,"tap",this.handleTechTap_)},e.prototype.removeTechControlsListeners_=function(){this.off(this.tech_,"tap",this.handleTechTap_),this.off(this.tech_,"touchstart",this.handleTechTouchStart_),this.off(this.tech_,"touchmove",this.handleTechTouchMove_),this.off(this.tech_,"touchend",this.handleTechTouchEnd_),this.off(this.tech_,"mousedown",this.handleTechClick_)},e.prototype.handleTechReady_=function(){if(this.triggerReady(),this.cache_.volume&&this.techCall_("setVolume",this.cache_.volume),this.handleTechPosterChange_(),this.handleTechDurationChange_(),(this.src()||this.currentSrc())&&this.tag&&this.options_.autoplay&&this.paused())try{delete this.tag.poster}catch(t){V("deleting tag.poster throws in some browsers",t)}},e.prototype.handleTechLoadStart_=function(){this.removeClass("vjs-ended"),this.removeClass("vjs-seeking"),this.error(null),this.paused()?(this.hasStarted(!1),this.trigger("loadstart")):(this.trigger("loadstart"),this.trigger("firstplay")),this.manualAutoplay_(this.autoplay())},e.prototype.manualAutoplay_=function(t){var e=this;if(this.tech_&&"string"===typeof t){var n=function(){var t=e.muted();e.muted(!0);var n=e.play();if(n&&n.then&&n["catch"])return n["catch"]((function(n){e.muted(t)}))},i=void 0;if("any"===t?(i=this.play(),i&&i.then&&i["catch"]&&i["catch"]((function(){return n()}))):i="muted"===t?n():this.play(),i&&i.then&&i["catch"])return i.then((function(){e.trigger({type:"autoplay-success",autoplay:t})}))["catch"]((function(n){e.trigger({type:"autoplay-failure",autoplay:t})}))}},e.prototype.updateSourceCaches_=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",e=t,n="";"string"!==typeof e&&(e=t.src,n=t.type),this.cache_.source=this.cache_.source||{},this.cache_.sources=this.cache_.sources||[],e&&!n&&(n=Un(this,e)),this.cache_.source=me({},t,{src:e,type:n});for(var i=this.cache_.sources.filter((function(t){return t.src&&t.src===e})),o=[],r=this.$$("source"),a=[],s=0;s<r.length;s++){var l=At(r[s]);o.push(l),l.src&&l.src===e&&a.push(l.src)}a.length&&!i.length?this.cache_.sources=o:i.length||(this.cache_.sources=[this.cache_.source]),this.cache_.src=e},e.prototype.handleTechSourceset_=function(t){var e=this;if(!this.changingSrc_){var n=function(t){return e.updateSourceCaches_(t)},i=this.currentSource().src,o=t.src;if(i&&!/^blob:/.test(i)&&/^blob:/.test(o)&&(!this.lastSource_||this.lastSource_.tech!==o&&this.lastSource_.player!==i)&&(n=function(){}),n(o),!t.src){var r=function t(n){if("sourceset"!==n.type){var i=e.techGet("currentSrc");e.lastSource_.tech=i,e.updateSourceCaches_(i)}e.tech_.off(["sourceset","loadstart"],t)};this.tech_.one(["sourceset","loadstart"],r)}}this.lastSource_={player:this.currentSource().src,tech:t.src},this.trigger({src:t.src,type:"sourceset"})},e.prototype.hasStarted=function(t){if(void 0===t)return this.hasStarted_;t!==this.hasStarted_&&(this.hasStarted_=t,this.hasStarted_?(this.addClass("vjs-has-started"),this.trigger("firstplay")):this.removeClass("vjs-has-started"))},e.prototype.handleTechPlay_=function(){this.removeClass("vjs-ended"),this.removeClass("vjs-paused"),this.addClass("vjs-playing"),this.hasStarted(!0),this.trigger("play")},e.prototype.handleTechRateChange_=function(){this.tech_.playbackRate()>0&&0===this.cache_.lastPlaybackRate&&(this.queuedCallbacks_.forEach((function(t){return t.callback(t.event)})),this.queuedCallbacks_=[]),this.cache_.lastPlaybackRate=this.tech_.playbackRate(),this.trigger("ratechange")},e.prototype.handleTechWaiting_=function(){var t=this;this.addClass("vjs-waiting"),this.trigger("waiting"),this.one("timeupdate",(function(){return t.removeClass("vjs-waiting")}))},e.prototype.handleTechCanPlay_=function(){this.removeClass("vjs-waiting"),this.trigger("canplay")},e.prototype.handleTechCanPlayThrough_=function(){this.removeClass("vjs-waiting"),this.trigger("canplaythrough")},e.prototype.handleTechPlaying_=function(){this.removeClass("vjs-waiting"),this.trigger("playing")},e.prototype.handleTechSeeking_=function(){this.addClass("vjs-seeking"),this.trigger("seeking")},e.prototype.handleTechSeeked_=function(){this.removeClass("vjs-seeking"),this.trigger("seeked")},e.prototype.handleTechFirstPlay_=function(){this.options_.starttime&&(V.warn("Passing the `starttime` option to the player will be deprecated in 6.0"),this.currentTime(this.options_.starttime)),this.addClass("vjs-has-started"),this.trigger("firstplay")},e.prototype.handleTechPause_=function(){this.removeClass("vjs-playing"),this.addClass("vjs-paused"),this.trigger("pause")},e.prototype.handleTechEnded_=function(){this.addClass("vjs-ended"),this.options_.loop?(this.currentTime(0),this.play()):this.paused()||this.pause(),this.trigger("ended")},e.prototype.handleTechDurationChange_=function(){this.duration(this.techGet_("duration"))},e.prototype.handleTechClick_=function(t){jt(t)&&this.controls_&&(this.paused()?Ne(this.play()):this.pause())},e.prototype.handleTechTap_=function(){this.userActive(!this.userActive())},e.prototype.handleTechTouchStart_=function(){this.userWasActive=this.userActive()},e.prototype.handleTechTouchMove_=function(){this.userWasActive&&this.reportUserActivity()},e.prototype.handleTechTouchEnd_=function(t){t.preventDefault()},e.prototype.handleFullscreenChange_=function(){this.isFullscreen()?this.addClass("vjs-fullscreen"):this.removeClass("vjs-fullscreen")},e.prototype.handleStageClick_=function(){this.reportUserActivity()},e.prototype.handleTechFullscreenChange_=function(t,e){e&&this.isFullscreen(e.isFullscreen),this.trigger("fullscreenchange")},e.prototype.handleTechError_=function(){var t=this.tech_.error();this.error(t)},e.prototype.handleTechTextData_=function(){var t=null;arguments.length>1&&(t=arguments[1]),this.trigger("textdata",t)},e.prototype.getCache=function(){return this.cache_},e.prototype.techCall_=function(t,e){this.ready((function(){if(t in Tn)return Dn(this.middleware_,this.tech_,t,e);if(t in Nn)return Fn(this.middleware_,this.tech_,t,e);try{this.tech_&&this.tech_[t](e)}catch(n){throw V(n),n}}),!0)},e.prototype.techGet_=function(t){if(this.tech_&&this.tech_.isReady_){if(t in Mn)return In(this.middleware_,this.tech_,t);if(t in Nn)return Fn(this.middleware_,this.tech_,t);try{return this.tech_[t]()}catch(e){if(void 0===this.tech_[t])throw V("Video.js: "+t+" method not defined for "+this.techName_+" playback technology.",e),e;if("TypeError"===e.name)throw V("Video.js: "+t+" unavailable on "+this.techName_+" playback technology element.",e),this.tech_.isReady_=!1,e;throw V(e),e}}},e.prototype.play=function(){var t=this,e=this.options_.Promise||o.Promise;return e?new e((function(e){t.play_(e)})):this.play_()},e.prototype.play_=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Ne;if(this.playOnLoadstart_&&this.off("loadstart",this.playOnLoadstart_),this.isReady_){if(!this.changingSrc_&&(this.src()||this.currentSrc()))return void e(this.techGet_("play"));this.playOnLoadstart_=function(){t.playOnLoadstart_=null,e(t.play())},this.one("loadstart",this.playOnLoadstart_)}else{if(this.playWaitingForReady_)return;this.playWaitingForReady_=!0,this.ready((function(){t.playWaitingForReady_=!1,e(t.play())}))}},e.prototype.pause=function(){this.techCall_("pause")},e.prototype.paused=function(){return!1!==this.techGet_("paused")},e.prototype.played=function(){return this.techGet_("played")||_e(0,0)},e.prototype.scrubbing=function(t){if("undefined"===typeof t)return this.scrubbing_;this.scrubbing_=!!t,t?this.addClass("vjs-scrubbing"):this.removeClass("vjs-scrubbing")},e.prototype.currentTime=function(t){return"undefined"!==typeof t?(t<0&&(t=0),void this.techCall_("setCurrentTime",t)):(this.cache_.currentTime=this.techGet_("currentTime")||0,this.cache_.currentTime)},e.prototype.duration=function(t){if(void 0===t)return void 0!==this.cache_.duration?this.cache_.duration:NaN;t=parseFloat(t),t<0&&(t=1/0),t!==this.cache_.duration&&(this.cache_.duration=t,t===1/0?this.addClass("vjs-live"):this.removeClass("vjs-live"),this.trigger("durationchange"))},e.prototype.remainingTime=function(){return this.duration()-this.currentTime()},e.prototype.remainingTimeDisplay=function(){return Math.floor(this.duration())-Math.floor(this.currentTime())},e.prototype.buffered=function(){var t=this.techGet_("buffered");return t&&t.length||(t=_e(0,0)),t},e.prototype.bufferedPercent=function(){return Be(this.buffered(),this.duration())},e.prototype.bufferedEnd=function(){var t=this.buffered(),e=this.duration(),n=t.end(t.length-1);return n>e&&(n=e),n},e.prototype.volume=function(t){var e=void 0;return void 0!==t?(e=Math.max(0,Math.min(1,parseFloat(t))),this.cache_.volume=e,this.techCall_("setVolume",e),void(e>0&&this.lastVolume_(e))):(e=parseFloat(this.techGet_("volume")),isNaN(e)?1:e)},e.prototype.muted=function(t){if(void 0===t)return this.techGet_("muted")||!1;this.techCall_("setMuted",t)},e.prototype.defaultMuted=function(t){return void 0!==t?this.techCall_("setDefaultMuted",t):this.techGet_("defaultMuted")||!1},e.prototype.lastVolume_=function(t){if(void 0===t||0===t)return this.cache_.lastVolume;this.cache_.lastVolume=t},e.prototype.supportsFullScreen=function(){return this.techGet_("supportsFullScreen")||!1},e.prototype.isFullscreen=function(t){if(void 0===t)return!!this.isFullscreen_;this.isFullscreen_=!!t},e.prototype.requestFullscreen=function(){var t=xe;this.isFullscreen(!0),t.requestFullscreen?(zt(r,t.fullscreenchange,ee(this,(function e(n){this.isFullscreen(r[t.fullscreenElement]),!1===this.isFullscreen()&&Ht(r,t.fullscreenchange,e),this.trigger("fullscreenchange")}))),this.el_[t.requestFullscreen]()):this.tech_.supportsFullScreen()?this.techCall_("enterFullScreen"):(this.enterFullWindow(),this.trigger("fullscreenchange"))},e.prototype.exitFullscreen=function(){var t=xe;this.isFullscreen(!1),t.requestFullscreen?r[t.exitFullscreen]():this.tech_.supportsFullScreen()?this.techCall_("exitFullScreen"):(this.exitFullWindow(),this.trigger("fullscreenchange"))},e.prototype.enterFullWindow=function(){this.isFullWindow=!0,this.docOrigOverflow=r.documentElement.style.overflow,zt(r,"keydown",ee(this,this.fullWindowOnEscKey)),r.documentElement.style.overflow="hidden",ut(r.body,"vjs-full-window"),this.trigger("enterFullWindow")},e.prototype.fullWindowOnEscKey=function(t){27===t.keyCode&&(!0===this.isFullscreen()?this.exitFullscreen():this.exitFullWindow())},e.prototype.exitFullWindow=function(){this.isFullWindow=!1,Ht(r,"keydown",this.fullWindowOnEscKey),r.documentElement.style.overflow=this.docOrigOverflow,ht(r.body,"vjs-full-window"),this.trigger("exitFullWindow")},e.prototype.canPlayType=function(t){for(var e=void 0,n=0,i=this.options_.techOrder;n<i.length;n++){var o=i[n],r=En.getTech(o);if(r||(r=ye.getComponent(o)),r){if(r.isSupported()&&(e=r.canPlayType(t),e))return e}else V.error('The "'+o+'" tech is undefined. Skipped browser support check for that tech.')}return""},e.prototype.selectSource=function(t){var e=this,n=this.options_.techOrder.map((function(t){return[t,En.getTech(t)]})).filter((function(t){var e=t[0],n=t[1];return n?n.isSupported():(V.error('The "'+e+'" tech is undefined. Skipped browser support check for that tech.'),!1)})),i=function(t,e,n){var i=void 0;return t.some((function(t){return e.some((function(e){if(i=n(t,e),i)return!0}))})),i},o=void 0,r=function(t){return function(e,n){return t(n,e)}},a=function(t,n){var i=t[0],o=t[1];if(o.canPlaySource(n,e.options_[i.toLowerCase()]))return{source:n,tech:i}};return o=this.options_.sourceOrder?i(t,n,r(a)):i(n,t,a),o||!1},e.prototype.src=function(t){var e=this;if("undefined"===typeof t)return this.cache_.src||"";var n=Ln(t);n.length?(this.changingSrc_=!0,this.cache_.sources=n,this.updateSourceCaches_(n[0]),kn(this,n[0],(function(t,i){e.middleware_=i,e.cache_.sources=n,e.updateSourceCaches_(t);var o=e.src_(t);if(o)return n.length>1?e.src(n.slice(1)):(e.changingSrc_=!1,e.setTimeout((function(){this.error({code:4,message:this.localize(this.options_.notSupportedMessage)})}),0),void e.triggerReady());jn(i,e.tech_)}))):this.setTimeout((function(){this.error({code:4,message:this.localize(this.options_.notSupportedMessage)})}),0)},e.prototype.src_=function(t){var e=this,n=this.selectSource([t]);return!n||(ve(n.tech,this.techName_)?(this.ready((function(){this.tech_.constructor.prototype.hasOwnProperty("setSource")?this.techCall_("setSource",t):this.techCall_("src",t.src),this.changingSrc_=!1}),!0),!1):(this.changingSrc_=!0,this.loadTech_(n.tech,n.source),this.tech_.ready((function(){e.changingSrc_=!1})),!1))},e.prototype.load=function(){this.techCall_("load")},e.prototype.reset=function(){this.tech_&&this.tech_.clearTracks("text"),this.loadTech_(this.options_.techOrder[0],null),this.techCall_("reset")},e.prototype.currentSources=function(){var t=this.currentSource(),e=[];return 0!==Object.keys(t).length&&e.push(t),this.cache_.sources||e},e.prototype.currentSource=function(){return this.cache_.source||{}},e.prototype.currentSrc=function(){return this.currentSource()&&this.currentSource().src||""},e.prototype.currentType=function(){return this.currentSource()&&this.currentSource().type||""},e.prototype.preload=function(t){return void 0!==t?(this.techCall_("setPreload",t),void(this.options_.preload=t)):this.techGet_("preload")},e.prototype.autoplay=function(t){if(void 0===t)return this.options_.autoplay||!1;var e=void 0;"string"===typeof t&&/(any|play|muted)/.test(t)?(this.options_.autoplay=t,this.manualAutoplay_(t),e=!1):this.options_.autoplay=!!t,e=e||this.options_.autoplay,this.tech_&&this.techCall_("setAutoplay",e)},e.prototype.playsinline=function(t){return void 0!==t?(this.techCall_("setPlaysinline",t),this.options_.playsinline=t,this):this.techGet_("playsinline")},e.prototype.loop=function(t){return void 0!==t?(this.techCall_("setLoop",t),void(this.options_.loop=t)):this.techGet_("loop")},e.prototype.poster=function(t){if(void 0===t)return this.poster_;t||(t=""),t!==this.poster_&&(this.poster_=t,this.techCall_("setPoster",t),this.isPosterFromTech_=!1,this.trigger("posterchange"))},e.prototype.handleTechPosterChange_=function(){if((!this.poster_||this.options_.techCanOverridePoster)&&this.tech_&&this.tech_.poster){var t=this.tech_.poster()||"";t!==this.poster_&&(this.poster_=t,this.isPosterFromTech_=!0,this.trigger("posterchange"))}},e.prototype.controls=function(t){if(void 0===t)return!!this.controls_;t=!!t,this.controls_!==t&&(this.controls_=t,this.usingNativeControls()&&this.techCall_("setControls",t),this.controls_?(this.removeClass("vjs-controls-disabled"),this.addClass("vjs-controls-enabled"),this.trigger("controlsenabled"),this.usingNativeControls()||this.addTechControlsListeners_()):(this.removeClass("vjs-controls-enabled"),this.addClass("vjs-controls-disabled"),this.trigger("controlsdisabled"),this.usingNativeControls()||this.removeTechControlsListeners_()))},e.prototype.usingNativeControls=function(t){if(void 0===t)return!!this.usingNativeControls_;t=!!t,this.usingNativeControls_!==t&&(this.usingNativeControls_=t,this.usingNativeControls_?(this.addClass("vjs-using-native-controls"),this.trigger("usingnativecontrols")):(this.removeClass("vjs-using-native-controls"),this.trigger("usingcustomcontrols")))},e.prototype.error=function(t){return void 0===t?this.error_||null:null===t?(this.error_=t,this.removeClass("vjs-error"),void(this.errorDisplay&&this.errorDisplay.close())):(this.error_=new Fe(t),this.addClass("vjs-error"),V.error("(CODE:"+this.error_.code+" "+Fe.errorTypes[this.error_.code]+")",this.error_.message,this.error_),void this.trigger("error"))},e.prototype.reportUserActivity=function(t){this.userActivity_=!0},e.prototype.userActive=function(t){if(void 0===t)return this.userActive_;if(t=!!t,t!==this.userActive_){if(this.userActive_=t,this.userActive_)return this.userActivity_=!0,this.removeClass("vjs-user-inactive"),this.addClass("vjs-user-active"),void this.trigger("useractive");this.tech_&&this.tech_.one("mousemove",(function(t){t.stopPropagation(),t.preventDefault()})),this.userActivity_=!1,this.removeClass("vjs-user-active"),this.addClass("vjs-user-inactive"),this.trigger("userinactive")}},e.prototype.listenForUserActivity_=function(){var t=void 0,e=void 0,n=void 0,i=ee(this,this.reportUserActivity),o=function(t){t.screenX===e&&t.screenY===n||(e=t.screenX,n=t.screenY,i())},r=function(){i(),this.clearInterval(t),t=this.setInterval(i,250)},a=function(e){i(),this.clearInterval(t)};this.on("mousedown",r),this.on("mousemove",o),this.on("mouseup",a),this.on("keydown",i),this.on("keyup",i);var s=void 0;this.setInterval((function(){if(this.userActivity_){this.userActivity_=!1,this.userActive(!0),this.clearTimeout(s);var t=this.options_.inactivityTimeout;t<=0||(s=this.setTimeout((function(){this.userActivity_||this.userActive(!1)}),t))}}),250)},e.prototype.playbackRate=function(t){if(void 0===t)return this.tech_&&this.tech_.featuresPlaybackRate?this.cache_.lastPlaybackRate||this.techGet_("playbackRate"):1;this.techCall_("setPlaybackRate",t)},e.prototype.defaultPlaybackRate=function(t){return void 0!==t?this.techCall_("setDefaultPlaybackRate",t):this.tech_&&this.tech_.featuresPlaybackRate?this.techGet_("defaultPlaybackRate"):1},e.prototype.isAudio=function(t){if(void 0===t)return!!this.isAudio_;this.isAudio_=!!t},e.prototype.addTextTrack=function(t,e,n){if(this.tech_)return this.tech_.addTextTrack(t,e,n)},e.prototype.addRemoteTextTrack=function(t,e){if(this.tech_)return this.tech_.addRemoteTextTrack(t,e)},e.prototype.removeRemoteTextTrack=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.track,n=void 0===e?arguments[0]:e;if(this.tech_)return this.tech_.removeRemoteTextTrack(n)},e.prototype.getVideoPlaybackQuality=function(){return this.techGet_("getVideoPlaybackQuality")},e.prototype.videoWidth=function(){return this.tech_&&this.tech_.videoWidth&&this.tech_.videoWidth()||0},e.prototype.videoHeight=function(){return this.tech_&&this.tech_.videoHeight&&this.tech_.videoHeight()||0},e.prototype.language=function(t){if(void 0===t)return this.language_;this.language_=String(t).toLowerCase()},e.prototype.languages=function(){return me(e.prototype.options_.languages,this.languages_)},e.prototype.toJSON=function(){var t=me(this.options_),e=t.tracks;t.tracks=[];for(var n=0;n<e.length;n++){var i=e[n];i=me(i),i.player=void 0,t.tracks[n]=i}return t},e.prototype.createModal=function(t,e){var n=this;e=e||{},e.content=t||"";var i=new qe(this,e);return this.addChild(i),i.on("dispose",(function(){n.removeChild(i)})),i.open(),i},e.prototype.updateCurrentBreakpoint_=function(){if(this.responsive())for(var t=this.currentBreakpoint(),e=this.currentWidth(),n=0;n<Oo.length;n++){var i=Oo[n],o=this.breakpoints_[i];if(e<=o){if(t===i)return;t&&this.removeClass(Ro[t]),this.addClass(Ro[i]),this.breakpoint_=i;break}}},e.prototype.removeCurrentBreakpoint_=function(){var t=this.currentBreakpointClass();this.breakpoint_="",t&&this.removeClass(t)},e.prototype.breakpoints=function(t){return void 0===t||(this.breakpoint_="",this.breakpoints_=L({},Po,t),this.updateCurrentBreakpoint_()),L(this.breakpoints_)},e.prototype.responsive=function(t){if(void 0===t)return this.responsive_;t=Boolean(t);var e=this.responsive_;return t!==e?(this.responsive_=t,t?(this.on("playerresize",this.updateCurrentBreakpoint_),this.updateCurrentBreakpoint_()):(this.off("playerresize",this.updateCurrentBreakpoint_),this.removeCurrentBreakpoint_()),t):void 0},e.prototype.currentBreakpoint=function(){return this.breakpoint_},e.prototype.currentBreakpointClass=function(){return Ro[this.breakpoint_]||""},e.getTagSettings=function(t){var e={sources:[],tracks:[]},n=At(t),i=n["data-setup"];if(ct(t,"vjs-fill")&&(n.fill=!0),ct(t,"vjs-fluid")&&(n.fluid=!0),null!==i){var o=s(i||"{}"),r=o[0],a=o[1];r&&V.error(r),L(n,a)}if(L(e,n),t.hasChildNodes())for(var l=t.childNodes,c=0,u=l.length;c<u;c++){var h=l[c],d=h.nodeName.toLowerCase();"source"===d?e.sources.push(At(h)):"track"===d&&e.tracks.push(At(h))}return e},e.prototype.flexNotSupported_=function(){var t=r.createElement("i");return!("flexBasis"in t.style||"webkitFlexBasis"in t.style||"mozFlexBasis"in t.style||"msFlexBasis"in t.style||"msFlexOrder"in t.style)},e}(ye);bn.names.forEach((function(t){var e=bn[t];qo.prototype[e.getterName]=function(){return this.tech_?this.tech_[e.getterName]():(this[e.privateName]=this[e.privateName]||new e.ListClass,this[e.privateName])}})),qo.players={};var Uo=o.navigator;qo.prototype.options_={techOrder:En.defaultTechOrder_,html5:{},flash:{},inactivityTimeout:2e3,playbackRates:[],children:["mediaLoader","posterImage","textTrackDisplay","loadingSpinner","bigPlayButton","controlBar","errorDisplay","textTrackSettings"],language:Uo&&(Uo.languages&&Uo.languages[0]||Uo.userLanguage||Uo.language)||"en",languages:{},notSupportedMessage:"No compatible source was found for this media.",breakpoints:{},responsive:!1},k||qo.prototype.options_.children.push("resizeManager"),["ended","seeking","seekable","networkState","readyState"].forEach((function(t){qo.prototype[t]=function(){return this.techGet_(t)}})),Qo.forEach((function(t){qo.prototype["handleTech"+ge(t)+"_"]=function(){return this.trigger(t)}})),ye.registerComponent("Player",qo);var Lo="plugin",zo="activePlugins_",Ho={},Go=function(t){return Ho.hasOwnProperty(t)},Wo=function(t){return Go(t)?Ho[t]:void 0},Jo=function(t,e){t[zo]=t[zo]||{},t[zo][e]=!0},Vo=function(t,e,n){var i=(n?"before":"")+"pluginsetup";t.trigger(i,e),t.trigger(i+":"+e.name,e)},Xo=function(t,e){var n=function(){Vo(this,{name:t,plugin:e,instance:null},!0);var n=e.apply(this,arguments);return Jo(this,t),Vo(this,{name:t,plugin:e,instance:n}),n};return Object.keys(e).forEach((function(t){n[t]=e[t]})),n},Zo=function(t,e){return e.prototype.name=t,function(){Vo(this,{name:t,plugin:e,instance:null},!0);for(var n=arguments.length,i=Array(n),o=0;o<n;o++)i[o]=arguments[o];var r=new(Function.prototype.bind.apply(e,[null].concat([this].concat(i))));return this[t]=function(){return r},Vo(this,r.getEventHash()),r}},Ko=function(){function t(e){if(S(this,t),this.constructor===t)throw new Error("Plugin must be sub-classed; not directly instantiated.");this.player=e,fe(this),delete this.trigger,pe(this,this.constructor.defaultState),Jo(e,this.name),this.dispose=ee(this,this.dispose),e.on("dispose",this.dispose)}return t.prototype.version=function(){return this.constructor.VERSION},t.prototype.getEventHash=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return t.name=this.name,t.plugin=this.constructor,t.instance=this,t},t.prototype.trigger=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return Gt(this.eventBusEl_,t,this.getEventHash(e))},t.prototype.handleStateChanged=function(t){},t.prototype.dispose=function(){var t=this.name,e=this.player;this.trigger("dispose"),this.off(),e.off("dispose",this.dispose),e[zo][t]=!1,this.player=this.state=null,e[t]=Zo(t,Ho[t])},t.isBasic=function(e){var n="string"===typeof e?Wo(e):e;return"function"===typeof n&&!t.prototype.isPrototypeOf(n.prototype)},t.registerPlugin=function(e,n){if("string"!==typeof e)throw new Error('Illegal plugin name, "'+e+'", must be a string, was '+("undefined"===typeof e?"undefined":N(e))+".");if(Go(e))V.warn('A plugin named "'+e+'" already exists. You may want to avoid re-registering plugins!');else if(qo.prototype.hasOwnProperty(e))throw new Error('Illegal plugin name, "'+e+'", cannot share a name with an existing player method!');if("function"!==typeof n)throw new Error('Illegal plugin for "'+e+'", must be a function, was '+("undefined"===typeof n?"undefined":N(n))+".");return Ho[e]=n,e!==Lo&&(t.isBasic(n)?qo.prototype[e]=Xo(e,n):qo.prototype[e]=Zo(e,n)),n},t.deregisterPlugin=function(t){if(t===Lo)throw new Error("Cannot de-register base plugin.");Go(t)&&(delete Ho[t],delete qo.prototype[t])},t.getPlugins=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Object.keys(Ho),e=void 0;return t.forEach((function(t){var n=Wo(t);n&&(e=e||{},e[t]=n)})),e},t.getPluginVersion=function(t){var e=Wo(t);return e&&e.VERSION||""},t}();Ko.getPlugin=Wo,Ko.BASE_PLUGIN_NAME=Lo,Ko.registerPlugin(Lo,Ko),qo.prototype.usingPlugin=function(t){return!!this[zo]&&!0===this[zo][t]},qo.prototype.hasPlugin=function(t){return!!Go(t)};var $o=function(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+("undefined"===typeof e?"undefined":N(e)));t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(t.super_=e)},tr=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=function(){t.apply(this,arguments)},i={};for(var o in"object"===("undefined"===typeof e?"undefined":N(e))?(e.constructor!==Object.prototype.constructor&&(n=e.constructor),i=e):"function"===typeof e&&(n=e),$o(n,t),i)i.hasOwnProperty(o)&&(n.prototype[o]=i[o]);return n};"undefined"===typeof HTMLVideoElement&&nt()&&(r.createElement("video"),r.createElement("audio"),r.createElement("track"),r.createElement("video-js"));var er=function(t){return 0===t.indexOf("#")?t.slice(1):t};function nr(t,e,n){var i=nr.getPlayer(t);if(i)return e&&V.warn('Player "'+t+'" is already initialised. Options will not be applied.'),n&&i.ready(n),i;var o="string"===typeof t?It("#"+er(t)):t;if(!it(o))throw new TypeError("The element or ID supplied is not valid. (videojs)");r.body.contains(o)||V.warn("The element supplied is not included in the DOM"),e=e||{},nr.hooks("beforesetup").forEach((function(t){var n=t(o,me(e));z(n)&&!Array.isArray(n)?e=me(e,n):V.error("please return an object in beforesetup hooks")}));var a=ye.getComponent("Player");return i=new a(o,e,n),nr.hooks("setup").forEach((function(t){return t(i)})),i}if(nr.hooks_={},nr.hooks=function(t,e){return nr.hooks_[t]=nr.hooks_[t]||[],e&&(nr.hooks_[t]=nr.hooks_[t].concat(e)),nr.hooks_[t]},nr.hook=function(t,e){nr.hooks(t,e)},nr.hookOnce=function(t,e){nr.hooks(t,[].concat(e).map((function(e){var n=function n(){return nr.removeHook(t,n),e.apply(void 0,arguments)};return n})))},nr.removeHook=function(t,e){var n=nr.hooks(t).indexOf(e);return!(n<=-1)&&(nr.hooks_[t]=nr.hooks_[t].slice(),nr.hooks_[t].splice(n,1),!0)},!0!==o.VIDEOJS_NO_DYNAMIC_STYLE&&nt()){var ir=It(".vjs-styles-defaults");if(!ir){ir=$t("vjs-styles-defaults");var or=It("head");or&&or.insertBefore(ir,or.firstChild),te(ir,"\n .video-js {\n width: 300px;\n height: 150px;\n }\n\n .vjs-fluid {\n padding-top: 56.25%\n }\n ")}}Kt(1,nr),nr.VERSION=u,nr.options=qo.prototype.options_,nr.getPlayers=function(){return qo.players},nr.getPlayer=function(t){var e=qo.players,n=void 0;if("string"===typeof t){var i=er(t),o=e[i];if(o)return o;n=It("#"+i)}else n=t;if(it(n)){var r=n,a=r.player,s=r.playerId;if(a||e[s])return a||e[s]}},nr.getAllPlayers=function(){return Object.keys(qo.players).map((function(t){return qo.players[t]})).filter(Boolean)},nr.players=qo.players,nr.getComponent=ye.getComponent,nr.registerComponent=function(t,e){En.isTech(e)&&V.warn("The "+t+" tech was registered as a component. It should instead be registered using videojs.registerTech(name, tech)"),ye.registerComponent.call(ye,t,e)},nr.getTech=En.getTech,nr.registerTech=En.registerTech,nr.use=Cn,!k&&Object.defineProperty?(Object.defineProperty(nr,"middleware",{value:{},writeable:!1,enumerable:!0}),Object.defineProperty(nr.middleware,"TERMINATOR",{value:xn,writeable:!1,enumerable:!0})):nr.middleware={TERMINATOR:xn},nr.browser=T,nr.TOUCH_ENABLED=F,nr.extend=tr,nr.mergeOptions=me,nr.bind=ee,nr.registerPlugin=Ko.registerPlugin,nr.deregisterPlugin=Ko.deregisterPlugin,nr.plugin=function(t,e){return V.warn("videojs.plugin() is deprecated; use videojs.registerPlugin() instead"),Ko.registerPlugin(t,e)},nr.getPlugins=Ko.getPlugins,nr.getPlugin=Ko.getPlugin,nr.getPluginVersion=Ko.getPluginVersion,nr.addLanguage=function(t,e){var n;return t=(""+t).toLowerCase(),nr.options.languages=me(nr.options.languages,(n={},n[t]=e,n)),nr.options.languages[t]},nr.log=V,nr.createLogger=X,nr.createTimeRange=nr.createTimeRanges=_e,nr.formatTime=ci,nr.setFormatTime=si,nr.resetFormatTime=li,nr.parseUrl=nn,nr.isCrossOrigin=an,nr.EventTarget=oe,nr.on=zt,nr.one=Wt,nr.off=Ht,nr.trigger=Gt,nr.xhr=l,nr.TextTrack=un,nr.AudioTrack=hn,nr.VideoTrack=dn,["isEl","isTextNode","createEl","hasClass","addClass","removeClass","toggleClass","setAttributes","getAttributes","emptyEl","appendContent","insertContent"].forEach((function(t){nr[t]=function(){return V.warn("videojs."+t+"() is deprecated; use videojs.dom."+t+"() instead"),Ft[t].apply(null,arguments)}})),nr.computedStyle=Z,nr.dom=Ft,nr.url=sn,t.exports=nr},"3f25":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-overlay{position:fixed;top:0;left:0;z-index:1;width:100%;height:100%;background-color:rgba(0,0,0,.7)}",""])},4081:function(t,e,n){var i=n("b041");e=t.exports=n("2350")(!1),e.push([t.i,".video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-modal-dialog,.vjs-button>.vjs-icon-placeholder:before,.vjs-modal-dialog .vjs-modal-dialog-content{position:absolute;top:0;left:0;width:100%;height:100%}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.vjs-button>.vjs-icon-placeholder:before{text-align:center}@font-face{font-family:VideoJS;src:url("+i(n("ddfb"))+'?#iefix) format("eot")}@font-face{font-family:VideoJS;src:url(data:application/font-woff;charset=utf-8;base64,d09GRgABAAAAABBIAAsAAAAAGoQAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABHU1VCAAABCAAAADsAAABUIIslek9TLzIAAAFEAAAAPgAAAFZRiV3RY21hcAAAAYQAAADQAAADIjn098ZnbHlmAAACVAAACv4AABEIAwnSw2hlYWQAAA1UAAAAKwAAADYSy2hLaGhlYQAADYAAAAAbAAAAJA4DByFobXR4AAANnAAAAA8AAACE4AAAAGxvY2EAAA2sAAAARAAAAEQ9NEHGbWF4cAAADfAAAAAfAAAAIAEyAIFuYW1lAAAOEAAAASUAAAIK1cf1oHBvc3QAAA84AAABDwAAAZ5AAl/0eJxjYGRgYOBiMGCwY2BycfMJYeDLSSzJY5BiYGGAAJA8MpsxJzM9kYEDxgPKsYBpDiBmg4gCACY7BUgAeJxjYGQ7xTiBgZWBgaWQ5RkDA8MvCM0cwxDOeI6BgYmBlZkBKwhIc01hcPjI+FGBHcRdyA4RZgQRAC4HCwEAAHic7dFprsIgAEXhg8U61XmeWcBb1FuQP4w7ZQXK5boMm3yclFDSANAHmuKviBBeBPQ8ymyo8w3jOh/5r2ui5nN6v8sYNJb3WMdeWRvLji0DhozKdxM6psyYs2DJijUbtuzYc+DIiTMXrty4k8oGLb+n0xCe37ekM7Z66j1DbUy3l6PpHnLfdLO5NdSBoQ4NdWSoY9ON54mhdqa/y1NDnRnq3FAXhro01JWhrg11Y6hbQ90Z6t5QD4Z6NNSToZ4N9WKoV0O9GerdUJORPqkhTd54nJ1YDXBU1RV+576/JBs2bPYPkrDZt5vsJrv53V/I5mclhGDCTwgGBQQSTEji4hCkYIAGd4TGIWFAhV0RQTpWmQp1xv6hA4OTOlNr2zFANbHUYbq2OtNCpViRqsk+e+7bTQAhzti8vPfuPffcc88959zznbcMMPjHD/KDDGEY0ABpYX384NhlomIYlo4JISGEY9mMh2FSidYiqkEUphtNYDSY/dXg9023l4DdxlqUl0chuZRhncJKrsCQHIwcGuwfnhMIzBnuH4Sym+1D2zaGjheXlhYfD238z80mKYMmvJ5XeOTzd8z9eujbMxJNhu4C9xPE/bCMiDuSNIWgkTQwBE55hLSAE7ZwhrHLnAHZOGV/kmBGTiNjZxzI77Hb7Hqjz68TjT6vh+5JT/cCIkqS0D6CqPf5jX4Qjdx5j6vlDfZM4aZFdbVXIxtOlJaP/WottMnH6CJQ3bTiue3PrY23HjnChtuamxwvvzFjxkPrNj3z0tG9T561HDYf6OgmRWvlY3JQHoQb8ltV2Yet7YfWctEjR1AtxS/cSX6U4alf6NJEBQ7YKg9wrXQKd0IeZCb2ux75Uhh1Un+Nz+9LTOE7PK777nN5xqdTneTBhCbx446mZrhnUkrCz2YhA9dSMxaG0SYmT8hi9ZPu1E94PJYQSH6LRmhxec7Q7ZeXntgQuVpbh+a4qWNsckVyTdn0P7o7DpgPW84+uRcq0BITflBikGdUjAZ9wYBVI3mtrNvr9kpg1UsaK6t3690aoorC1lg0GpMH2HAMtkZjsSi5Ig9ESVosOh7GQfLjKNLvKpMKkLSKNFAka710GdgSi8oDMSoNhqjkKBXTgn3swtaxyzGkUzIzae9RtLdWkSlZ1KDX6EzgllzV4NV4SoDFSOGD4+HCeQUF8wrZ5Hs8zIb5EaVxy8DYFTbMCJPnLIWZxugZE2NlivC0gc1qEQUR8jEKgZcAXeH18BiCgl5nlHh0CrjB4Hb5fX4gb0J7c9PuHVsfgkx2n/vTY/JV8kn8PGxf7faOZ8qX8JVByuIf4whk9sqXli2hvPJV9hrp0hY7l8r2x37ydaVsb4xvXv/47v2NjfCl8m5oRDJclFMoE1yk0Uh1Te4/m8lFXe9qBZD0EkheicebXvzI2PLCuoKCukLuhPIeKwaHPEouxw3kMqaIUXDQ1p0mip+MyCORSCQaoUsnY1VZ38nUTrG21WvVo4f1OsEJFhvSfAFwGfT8VHRMeAVUpwLOoLzjT/REIj3O3FhuURE+nERF+0pTId5Fyxv5sfwGyg4O+my4vZv0sZm7oeQlFZORiB+tG0MweVNraeitl7yxiPIHTk4/diVxs94o5lEYishB2iAtkchEnsActoEpx44Fo8XnsQMaA22BlqC20RmhBKzYojZyYaxg+JggMc4HHY2m+L9EkWSYljirOisrO7d3VorxzyZ6Vc4lJqITAu1b2wOBdrLElAP+bFc2eGaZFVbkmJktv5uT6Jlz5D/MnBFor6ig/JPnRViBsV3LNKGGqB1ChJ0tgQywlVLFJIuQgTFttwkiKxhyQdAZMdMYtSaoAewqfvXVYPAbDT6/1mez85YS8FSDywQ6NfAnef6FNEGMilnppyvn5rB6tTyq1pOceRWnp2WJEZFXHeX5oyoem1nTTgdqc4heDY7bOeKz63vnz+/dRx+s31Ht2JGanQ5seirfWJL9tjozU/12TnEjn5oux9OzU3ckGbBzBwNOyk69JykKH0n/0LM9A72tuwM3zQpIRu4AxiToseEpgPOmbROyFe9/X2yeUvoUsCyEvjcgs7fpWP3/aKlFN0+6HFUe6D9HFz/XPwBlN9tTqNyZjFJ8UO2RUT5/h4CptCctEyeisnOyXjALEp7dXKaQKf6O7IMnGjNNACRMLxqdYJX8eMLvmmd68D+ayBLyKKYZwYxDt/GNhzETDJ05Qxlyi3pi3/Z93ndYVSumgj0V/KkIFlO6+1K3fF2+3g0q+YtuSIf0bvmLqV09nnobI6hwcjIP8aPCKayjsF5JBY3LaKAeRLSyYB1h81oTwe9SlPMkXB7G0mfL9q71gaqqwPqu67QRKS1+ObTx+sbQy9QV2OQHEScGkdFBeT7v7qisqqrs6N52i78/R+6S0qQONVj26agOVoswCyQWIV5D86vH53bxNUeXV0K+XZaHv/nm/KsHhOvylwsWnJX/HE8l/4WCv5x+l5n08z6UU8bUMa3MBpSmM7F63AxntdC9eBCKEZW9Hr+ABNqtxgAQrSbMtmrW7lKQuoSgBhSrTazWVU2QAKWY8wiiuhqFmQgWJBgoXiuWIm42N7hqZbBsgXz52O5P5uSvaNgFGnOuvsRw8I8Laha91wMvDuxqWFheN7/8GVtTltdS83DQsXRmqc5ZtcJXEVrlV2doTWk5+Yunm71dG5f55m/qY0MjI93vv9/NfpxXV9sUXrxy2fbNy1or65cOlDRnOoKFeeXcbw42H/bNDT5Qs3flgs31gWC1lD1nfUV/X7NdCnSUdHY2e8afzfKsqZ5ZljfDqjLOmk3UebNXB+aHArPYDRs+/HDDxeT5DiP+sFg7OpRaVQMGBV89PpeBdj22hCE0Uub0UqwLrNWsG0cuyadgLXTeR5rbO4+3c/vl15cur2nRq+TXCQDcS3SO+s6ak+e5/eMS+1dw3btu3YG2tvFL8XdIZvdjdW6TO/4B7IdrZWVPmctm5/59AgsPItTSbCiIBr2OqIGzmu20SMKAS7yqwGBUfGfgjDYlLLDeF0SfcLB2LSx8flT+08/kzz6yOj96rft4rpTjdPQcmLd47uKibbDq7ZSz/XtbH2nN717Nd62rU+c8Icevvv7I09wA6WvjVcafb+FsbNG+ZQ80Rn6ZZsvrP7teP2dzTdoETvNhjCmsr8FID2sJ69VYvdUcxk4AzYRlKcaE38eXNRlfW9H1as9i6acLHp1XpuNB5K7DIvkX08y1ZYvh3KfWaiCzH+ztrSDmD7LuX73x/mJelB8Yj39t8nhNQJJ2CAthpoFGLsGgtSOCJooCGoaJAMTjSWHVZ08YAa1Fg9lPI5U6DOsGVjDasJeZZ+YyhfCwfOzCxlBA69M9XLXtza7H/rav+9Tjq5xNi0wpKQIRNO4Lrzz7yp5QVYM6Jd/oc1Uvn/mQhhuWh6ENXoS2YTZ8QT42bF5d/559zp5r0Uff2VnR2tdf2/WCOd2cO0Mw6qpWPnvxpV0nrt5fZd2yItc199GWe8vlNfNDq+CH/7yAAnB9hn7T4QO4c1g9ScxsZgmzntnE/IDGndtHMw69lFwoCnYsMGx+rBp8JSBqdLzBr9QRPq/PbhWMWFtQZp1xguy/haw3TEHm3TWAnxFWQQWgt7M5OV0lCz1VRYucpWliy7z6Zd4urwPIyeZQqli2Lgg7szJV09PysATbOQtYIrB2YzbkJYkGgJ0m4AjPUap1pvYu1K9qr97z0Yl3p332b2LYB78ncYIlRkau/8GObSsOlZancACE5d5ily+c2+7h5Yj4lqhVmXXB+iXLfvdqSgqfKtQvfHDV0OnvQR1qhw42XS/vkvsh/hXcrDFP0a+SJNIomEfD1nsrYGO+1bgTOJhM8Hv6ek+7vVglxuSRwoKn17S937bm6YJCeSSG0Op1n+7tE37tcZ/p7dsTv4EUrGpDbWueKigsLHhqTVsoEj+JU0kaSjnj9tz8/gryQWwJ9BcJXBC/7smO+I/IFURJetFPrdt5WcoL6DbEJaygI8CTHfQTjf40ofD+DwalTqIAAHicY2BkYGAA4jC5t2/j+W2+MnCzM4DAtTC+5cg0OyNYnIOBCUQBAAceB90AeJxjYGRgYGcAARD5/z87IwMjAypQBAAtgwI4AHicY2BgYGAfYAwAOkQA4QAAAAAAAA4AaAB+AMwA4AECAUIBbAGYAcICGAJYArQC4AMwA7AD3gQwBJYE3AUkBWYFigYgBmYGtAbqB1gIEghYCG4IhHicY2BkYGBQZChlYGcAASYg5gJCBob/YD4DABfTAbQAeJxdkE1qg0AYhl8Tk9AIoVDaVSmzahcF87PMARLIMoFAl0ZHY1BHdBJIT9AT9AQ9RQ9Qeqy+yteNMzDzfM+88w0K4BY/cNAMB6N2bUaPPBLukybCLvleeAAPj8JD+hfhMV7hC3u4wxs7OO4NzQSZcI/8Ltwnfwi75E/hAR7wJTyk/xYeY49fYQ/PztM+jbTZ7LY6OWdBJdX/pqs6NYWa+zMxa13oKrA6Uoerqi/JwtpYxZXJ1coUVmeZUWVlTjq0/tHacjmdxuL90OR8O0UEDYMNdtiSEpz5XQGqzlm30kzUdAYFFOb8R7NOZk0q2lwAyz1i7oAr1xoXvrOgtYhZx8wY5KRV269JZ5yGpmzPTjQhvY9je6vEElPOuJP3mWKnP5M3V+YAAAB4nG2PyXLCMBBE3YCNDWEL2ffk7o8S8oCnkCVHC5C/jzBQlUP6IHVPzYyekl5y0iL5X5/ooY8BUmQYIkeBEca4wgRTzDDHAtdY4ga3uMM9HvCIJzzjBa94wzs+8ImvZNAq8TM+HqVkKxWlrQiOxjujQkNlEzyNzl6Z/cU2XF06at7U83VQyklLpEvSnuzsb+HAPnPfQVgaupa1Jlu4sPLsFblcitaz0dHU0ZF1qatjZ1+aTXYCmp6u0gSvWNPyHLtFZ+ZeXWVSaEkqs3T8S74WklbGbNNNq4LL4+CWKtZDv2cfX8l8aFbKFhEnJnJ+IULFpqwoQnNHlHaVQtPBl+ypmbSWdmyC61KS/AKZC3Y+AA==) format("woff"),url(data:application/x-font-ttf;charset=utf-8;base64,AAEAAAALAIAAAwAwR1NVQiCLJXoAAAE4AAAAVE9TLzJRiV3RAAABjAAAAFZjbWFwOfT3xgAAAmgAAAMiZ2x5ZgMJ0sMAAAXQAAARCGhlYWQSy2hLAAAA4AAAADZoaGVhDgMHIQAAALwAAAAkaG10eOAAAAAAAAHkAAAAhGxvY2E9NEHGAAAFjAAAAERtYXhwATIAgQAAARgAAAAgbmFtZdXH9aAAABbYAAACCnBvc3RAAl/0AAAY5AAAAZ4AAQAABwAAAAAABwAAAP//BwEAAQAAAAAAAAAAAAAAAAAAACEAAQAAAAEAAFYfTwlfDzz1AAsHAAAAAADWVg6nAAAAANZWDqcAAAAABwEHAAAAAAgAAgAAAAAAAAABAAAAIQB1AAcAAAAAAAIAAAAKAAoAAAD/AAAAAAAAAAEAAAAKADAAPgACREZMVAAObGF0bgAaAAQAAAAAAAAAAQAAAAQAAAAAAAAAAQAAAAFsaWdhAAgAAAABAAAAAQAEAAQAAAABAAgAAQAGAAAAAQAAAAEGygGQAAUAAARxBOYAAAD6BHEE5gAAA1wAVwHOAAACAAUDAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFBmRWQAQPEB8SAHAAAAAKEHAAAAAAAAAQAAAAAAAAAAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAAAAAUAAAADAAAALAAAAAQAAAGSAAEAAAAAAIwAAwABAAAALAADAAoAAAGSAAQAYAAAAAQABAABAADxIP//AADxAf//AAAAAQAEAAAAAQACAAMABAAFAAYABwAIAAkACgALAAwADQAOAA8AEAARABIAEwAUABUAFgAXABgAGQAaABsAHAAdAB4AHwAgAAABBgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMAAAAAAGQAAAAAAAAACAAAPEBAADxAQAAAAEAAPECAADxAgAAAAIAAPEDAADxAwAAAAMAAPEEAADxBAAAAAQAAPEFAADxBQAAAAUAAPEGAADxBgAAAAYAAPEHAADxBwAAAAcAAPEIAADxCAAAAAgAAPEJAADxCQAAAAkAAPEKAADxCgAAAAoAAPELAADxCwAAAAsAAPEMAADxDAAAAAwAAPENAADxDQAAAA0AAPEOAADxDgAAAA4AAPEPAADxDwAAAA8AAPEQAADxEAAAABAAAPERAADxEQAAABEAAPESAADxEgAAABIAAPETAADxEwAAABMAAPEUAADxFAAAABQAAPEVAADxFQAAABUAAPEWAADxFgAAABYAAPEXAADxFwAAABcAAPEYAADxGAAAABgAAPEZAADxGQAAABkAAPEaAADxGgAAABoAAPEbAADxGwAAABsAAPEcAADxHAAAABwAAPEdAADxHQAAAB0AAPEeAADxHgAAAB4AAPEfAADxHwAAAB8AAPEgAADxIAAAACAAAAAAAAAADgBoAH4AzADgAQIBQgFsAZgBwgIYAlgCtALgAzADsAPeBDAElgTcBSQFZgWKBiAGZga0BuoHWAgSCFgIbgiEAAEAAAAABYsFiwACAAABEQECVQM2BYv76gILAAADAAAAAAZrBmsAAgAbADQAAAkCEyIHDgEHBhAXHgEXFiA3PgE3NhAnLgEnJgMiJy4BJyY0Nz4BNzYyFx4BFxYUBw4BBwYC6wHA/kCVmIuGzjk7OznOhosBMIuGzjk7OznOhouYeW9rpi0vLy2ma2/yb2umLS8vLaZrbwIwAVABUAGbOznOhov+0IuGzjk7OznOhosBMIuGzjk7+sAvLaZrb/Jva6YtLy8tpmtv8m9rpi0vAAACAAAAAAVABYsAAwAHAAABIREpAREhEQHAASv+1QJVASsBdQQW++oEFgAAAAQAAAAABiEGIAAHABcAJwAqAAABNCcmJxUXNjcUBxc2NTQnLgEnFR4BFxYBBwEhESEBEQEGBxU2Nxc3AQcXBNA0MlW4A7spcU1FQ+6VbKovMfu0XwFh/p8BKwF1AT5QWZl6mV/9YJycA4BhUlAqpbgYGGNicZKknYyHvSKaIJNlaQIsX/6f/kD+iwH2/sI9G5ojZJhfBJacnAAAAAEAAAAABKsF1gAFAAABESEBEQECCwEqAXb+igRg/kD+iwSq/osAAAACAAAAAAVmBdYACAAOAAABNCcmJxE2NzYBESEBEQEFZTQyVFQyNPwQASsBdf6LA4BhUlAq/aYqUFIBQf5A/osEqv6LAAMAAAAABiAGDwAFAA4AIgAAExEhAREBBTQnJicRNjc2AxUeARcWFAcOAQcVPgE3NhAnLgHgASsBdf6LAsU0MlVVMjS7bKovMTEvqmyV7kNFRUPuBGD+QP6LBKr+i+BhUlAq/aYqUFIC8Jogk2Vp6GllkyCaIr2HjAE6jIe9AAAABAAAAAAFiwWLAAUACwARABcAAAEjESE1IwMzNTM1IQEjFSERIwMVMxUzEQILlgF24JaW4P6KA4DgAXaW4OCWAuv+ipYCCuCW/ICWAXYCoJbgAXYABAAAAAAFiwWLAAUACwARABcAAAEzFTMRIRMjFSERIwEzNTM1IRM1IxEhNQF14Jb+iuDgAXaWAcCW4P6KlpYBdgJV4AF2AcCWAXb76uCWAcDg/oqWAAAAAAIAAAAABdYF1gATABcAAAEhIg4BFREUHgEzITI+ATURNC4BAyERIQVA/IApRCgoRCkDgClEKChEKfyAA4AF1ShEKfyAKUQoKEQpA4ApRCj76wOAAAYAAAAABmsGawAIAA0AFQAeACMALAAACQEmIyIHBgcBJS4BJwEFIQE2NzY1NAUBBgcGFRQXIQUeARcBMwEWMzI3NjcBAr4BZFJQhHt2YwESA44z7Z/+7gLl/dABel0zNfwS/t1dMzUPAjD95DPtnwESeP7dU0+Ee3Zj/u4D8AJoEy0rUf4nd6P6PP4nS/1zZn+Ej0tLAfhmf4SPS0pLo/o8Adn+CBMtK1EB2QAFAAAAAAZrBdYAEwAXABsAHwAjAAABISIOARURFB4BMyEyPgE1ETQuAQEhFSEBITUhBSE1ITUhNSEF1ftWKUUoKEUpBKopRSgoRfstASr+1gLq/RYC6gHA/tYBKv0WAuoF1ShEKfyAKUQoKEQpA4ApRCj9q5X+1ZWVlZaVAAAAAAMAAAAABiAF1gATACsAQwAAASEiDgEVERQeATMhMj4BNRE0LgEBIzUjFTM1MxUUBisBIiY1ETQ2OwEyFhUFIzUjFTM1MxUUBisBIiY1ETQ2OwEyFhUFi/vqKEUoKEUoBBYoRSgoRf2CcJWVcCsf4B8sLB/gHysCC3CVlXAsH+AfKysf4B8sBdUoRCn8gClEKChEKQOAKUQo/fYl4CVKHywsHwEqHywsH0ol4CVKHywsHwEqHywsHwAGAAAAAAYgBPYAAwAHAAsADwATABcAABMzNSMRMzUjETM1IwEhNSERITUhERUhNeCVlZWVlZUBKwQV++sEFfvrBBUDNZb+QJUBwJX+QJb+QJUCVZWVAAAAAQAAAAAGIQZsADEAAAEiBgcBNjQnAR4BMzI+ATQuASIOARUUFwEuASMiDgEUHgEzMjY3AQYVFB4BMj4BNC4BBUAqSx797AcHAg8eTys9Zzw8Z3pnPAf98R5PKz1nPDxnPStPHgIUBjtkdmQ7O2QCTx4cATcbMhsBNB0gPGd6Zzw8Zz0ZG/7NHCA8Z3pnPCAc/soZGDtkOjpkdmQ7AAAAAAIAAAAABlkGawBDAFAAAAE2NCc3PgEnAy4BDwEmLwEuASMhIgYPAQYHJyYGBwMGFh8BBhQXBw4BFxMeAT8BFh8BHgEzITI2PwE2NxcWNjcTNiYnBSIuATQ+ATIeARQOAQWrBQWeCgYHlgcaDLo8QhwDFQ7+1g4VAhxEOroNGgeVBwULnQUFnQsFB5UHGg26O0McAhUOASoOFQIcRDq6DRoHlQcFC/04R3hGRniOeEZGeAM3Kj4qewkbDAEDDAkFSy4bxg4SEg7GHC1LBQkM/v0MGwl7Kj4qewkbDP79DAkFSy4bxg4SEg7GHC1LBQkMAQMMGwlBRniOeEZGeI54RgABAAAAAAZrBmsAGAAAExQXHgEXFiA3PgE3NhAnLgEnJiAHDgEHBpU7Oc6GiwEwi4bOOTs7Oc6Gi/7Qi4bOOTsDgJiLhs45Ozs5zoaLATCLhs45Ozs5zoaLAAAAAAIAAAAABmsGawAYADEAAAEiBw4BBwYQFx4BFxYgNz4BNzYQJy4BJyYDIicuAScmNDc+ATc2MhceARcWFAcOAQcGA4CYi4bOOTs7Oc6GiwEwi4bOOTs7Oc6Gi5h5b2umLS8vLaZrb/Jva6YtLy8tpmtvBms7Oc6Gi/7Qi4bOOTs7Oc6GiwEwi4bOOTv6wC8tpmtv8m9rpi0vLy2ma2/yb2umLS8AAwAAAAAGawZrABgAMQA+AAABIgcOAQcGEBceARcWIDc+ATc2ECcuAScmAyInLgEnJjQ3PgE3NjIXHgEXFhQHDgEHBhMUDgEiLgE0PgEyHgEDgJiKhs85Ozs5z4aKATCKhs85Ozs5z4aKmHlva6YtLy8tpmtv8m9rpi0vLy2ma29nPGd6Zzw8Z3pnPAZrOznPhor+0IqGzzk7OznPhooBMIqGzzk7+sAvLaZrb/Jva6YtLy8tpmtv8m9rpi0vAlU9Zzw8Z3pnPDxnAAAABAAAAAAGIAYhABMAHwApAC0AAAEhIg4BFREUHgEzITI+ATURNC4BASM1IxUjETMVMzU7ASEyFhURFAYjITczNSMFi/vqKEUoKEUoBBYoRSgoRf2CcJVwcJVwlgEqHywsH/7WcJWVBiAoRSj76ihFKChFKAQWKEUo/ICVlQHAu7ssH/7WHyxw4AAAAAACAAAAAAZrBmsAGAAkAAABIgcOAQcGEBceARcWIDc+ATc2ECcuAScmEwcJAScJATcJARcBA4CYi4bOOTs7Oc6GiwEwi4bOOTs7Oc6Gi91p/vT+9GkBC/71aQEMAQxp/vUGazs5zoaL/tCLhs45Ozs5zoaLATCLhs45O/wJaQEL/vVpAQwBDGn+9QELaf70AAABAAAAAAXWBrYAJwAAAREJAREyFxYXFhQHBgcGIicmJyY1IxQXHgEXFjI3PgE3NjQnLgEnJgOA/osBdXpoZjs9PTtmaPRoZjs9lS8tpWtv9G9rpS0vLy2la28FiwEq/ov+iwEqPTtmaPNpZTw9PTxlaXl5b2umLS8vLaZrb/Nva6UuLwABAAAAAAU/BwAAFAAAAREjIgYdASEDIxEhESMRMzU0NjMyBT+dVjwBJSf+/s7//9Ctkwb0/vhISL3+2P0JAvcBKNq6zQAAAAAEAAAAAAaOBwAAMABFAGAAbAAAARQeAxUUBwYEIyImJyY1NDY3NiUuATU0NwYjIiY1NDY3PgEzIQcjHgEVFA4DJzI2NzY1NC4CIyIGBwYVFB4DEzI+AjU0LgEvASYvAiYjIg4DFRQeAgEzFSMVIzUjNTM1MwMfQFtaQDBI/uqfhOU5JVlKgwERIB8VLhaUy0g/TdNwAaKKg0pMMUVGMZImUBo1Ij9qQCpRGS8UKz1ZNjprWzcODxMeChwlThAgNWhvUzZGcX0Da9XVadTUaQPkJEVDUIBOWlN6c1NgPEdRii5SEipAKSQxBMGUUpo2QkBYP4xaSHNHO0A+IRs5ZjqGfVInITtlLmdnUjT8lxo0Xj4ZMCQYIwsXHTgCDiQ4XTtGazsdA2xs29ts2QADAAAAAAaABmwAAwAOACoAAAERIREBFgYrASImNDYyFgERIRE0JiMiBgcGFREhEhAvASEVIz4DMzIWAd3+tgFfAWdUAlJkZ6ZkBI/+t1FWP1UVC/63AgEBAUkCFCpHZz+r0ASP/CED3wEySWJik2Fh/N39yAISaXdFMx4z/dcBjwHwMDCQIDA4H+MAAAEAAAAABpQGAAAxAAABBgcWFRQCDgEEIyAnFjMyNy4BJxYzMjcuAT0BFhcuATU0NxYEFyY1NDYzMhc2NwYHNgaUQ18BTJvW/tKs/vHhIyvhsGmmHyEcKypwk0ROQk4seQFbxgi9hoxgbWAlaV0FaGJFDhyC/v3ut22RBIoCfWEFCxexdQQmAyyOU1hLlbMKJiSGvWYVOXM/CgAAAAEAAAAABYAHAAAiAAABFw4BBwYuAzURIzU+BDc+ATsBESEVIREUHgI3NgUwUBewWWitcE4hqEhyRDAUBQEHBPQBTf6yDSBDME4Bz+0jPgECOFx4eDoCINcaV11vVy0FB/5Y/P36HjQ1HgECAAEAAAAABoAGgABKAAABFAIEIyInNj8BHgEzMj4BNTQuASMiDgMVFBYXFj8BNjc2JyY1NDYzMhYVFAYjIiY3PgI1NCYjIgYVFBcDBhcmAjU0EiQgBBIGgM7+n9FvazsTNhRqPXm+aHfijmm2f1srUE0eCAgGAgYRM9Gpl6mJaz1KDgglFzYyPlYZYxEEzv7OAWEBogFhzgOA0f6fziBdR9MnOYnwlnLIfjpgfYZDaJ4gDCAfGAYXFD1al9mkg6ruVz0jdVkfMkJyVUkx/l5Ga1sBfOnRAWHOzv6fAAAHAAAAAAcBBM8AFwAhADgATwBmAHEAdAAAAREzNhcWFxYXFhcWBw4BBwYHBicmLwEmNxY2NzYuAQcRFAUWNzY/ATY3NjU2JyMGFxYfARYXFhcUFxY3Nj8BNjc2NzYnIwYXFh8BFhcWFRYXFjc2PwE2NzY3NicjBhcWHwEWFxYVFgUzPwEVMxEjBgsBARUnAxwcaC5MND0sTSsvCgdVREdTNWg1KgECq1JrCQcwYkABfhoSCxAKJBQXAX4dAQMCBgMnFxsBJBoSCxAKJBQWAQF+HgEEAgUEJxcbASMZEwsQCiQUFgEBfh4BBAIFBCcXGwH5Q+5B4arNDfHvAhaOAckC/QIBAwwPHzdcZXlZmC8xCAQBAQIDBMIDVkxCZDQF/pUHwgcTCyAUQEdPU8etCAgFCQZHTFxbwLoHEwsgFEBHT1PHrQgIBQkGR0xcW8C6BxMLIBRAR09Tx60ICAUJBkdMXFvAwGQBZQMMFf6D/oYB/fkBAAABAAAAAAYhBrYALAAAASIHDgEHBhURFB4BOwERITU0Nz4BNzYyFx4BFxYdASERMzI+ATURNCcuAScmA4CJfXi6MzU8Zz3g/tUpKJFeYdRhXpEoKf7V4D1nPDUzunh9BrU0M7t4fYn99j1nPAJVlWthXpAoKSkokF5ha5X9qzxnPQIKiX14uzM0AAAAAAIAAAAABUAFQAACAAYAAAkCIREzEQHAAnv9hQLrlQHAAcABwPyAA4AAAAAAAgAAAAAFQAVAAAMABgAAATMRIwkBEQHAlZUBBQJ7BUD8gAHA/kADgAAAAAAAABAAxgABAAAAAAABAAcAAAABAAAAAAACAAcABwABAAAAAAADAAcADgABAAAAAAAEAAcAFQABAAAAAAAFAAsAHAABAAAAAAAGAAcAJwABAAAAAAAKACsALgABAAAAAAALABMAWQADAAEECQABAA4AbAADAAEECQACAA4AegADAAEECQADAA4AiAADAAEECQAEAA4AlgADAAEECQAFABYApAADAAEECQAGAA4AugADAAEECQAKAFYAyAADAAEECQALACYBHlZpZGVvSlNSZWd1bGFyVmlkZW9KU1ZpZGVvSlNWZXJzaW9uIDEuMFZpZGVvSlNHZW5lcmF0ZWQgYnkgc3ZnMnR0ZiBmcm9tIEZvbnRlbGxvIHByb2plY3QuaHR0cDovL2ZvbnRlbGxvLmNvbQBWAGkAZABlAG8ASgBTAFIAZQBnAHUAbABhAHIAVgBpAGQAZQBvAEoAUwBWAGkAZABlAG8ASgBTAFYAZQByAHMAaQBvAG4AIAAxAC4AMABWAGkAZABlAG8ASgBTAEcAZQBuAGUAcgBhAHQAZQBkACAAYgB5ACAAcwB2AGcAMgB0AHQAZgAgAGYAcgBvAG0AIABGAG8AbgB0AGUAbABsAG8AIABwAHIAbwBqAGUAYwB0AC4AaAB0AHQAcAA6AC8ALwBmAG8AbgB0AGUAbABsAG8ALgBjAG8AbQAAAAIAAAAAAAAAEQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIQECAQMBBAEFAQYBBwEIAQkBCgELAQwBDQEOAQ8BEAERARIBEwEUARUBFgEXARgBGQEaARsBHAEdAR4BHwEgASEBIgAEcGxheQtwbGF5LWNpcmNsZQVwYXVzZQt2b2x1bWUtbXV0ZQp2b2x1bWUtbG93CnZvbHVtZS1taWQLdm9sdW1lLWhpZ2gQZnVsbHNjcmVlbi1lbnRlcg9mdWxsc2NyZWVuLWV4aXQGc3F1YXJlB3NwaW5uZXIJc3VidGl0bGVzCGNhcHRpb25zCGNoYXB0ZXJzBXNoYXJlA2NvZwZjaXJjbGUOY2lyY2xlLW91dGxpbmUTY2lyY2xlLWlubmVyLWNpcmNsZQJoZAZjYW5jZWwGcmVwbGF5CGZhY2Vib29rBWdwbHVzCGxpbmtlZGluB3R3aXR0ZXIGdHVtYmxyCXBpbnRlcmVzdBFhdWRpby1kZXNjcmlwdGlvbgVhdWRpbwluZXh0LWl0ZW0NcHJldmlvdXMtaXRlbQAAAAA=) format("truetype");font-weight:400;font-style:normal}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-play-control .vjs-icon-placeholder,.vjs-icon-play{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-play-control .vjs-icon-placeholder:before,.vjs-icon-play:before{content:"\\F101"}.vjs-icon-play-circle{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-play-circle:before{content:"\\F102"}.video-js .vjs-play-control.vjs-playing .vjs-icon-placeholder,.vjs-icon-pause{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-control.vjs-playing .vjs-icon-placeholder:before,.vjs-icon-pause:before{content:"\\F103"}.video-js .vjs-mute-control.vjs-vol-0 .vjs-icon-placeholder,.vjs-icon-volume-mute{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-0 .vjs-icon-placeholder:before,.vjs-icon-volume-mute:before{content:"\\F104"}.video-js .vjs-mute-control.vjs-vol-1 .vjs-icon-placeholder,.vjs-icon-volume-low{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-1 .vjs-icon-placeholder:before,.vjs-icon-volume-low:before{content:"\\F105"}.video-js .vjs-mute-control.vjs-vol-2 .vjs-icon-placeholder,.vjs-icon-volume-mid{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-2 .vjs-icon-placeholder:before,.vjs-icon-volume-mid:before{content:"\\F106"}.video-js .vjs-mute-control .vjs-icon-placeholder,.vjs-icon-volume-high{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control .vjs-icon-placeholder:before,.vjs-icon-volume-high:before{content:"\\F107"}.video-js .vjs-fullscreen-control .vjs-icon-placeholder,.vjs-icon-fullscreen-enter{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-fullscreen-control .vjs-icon-placeholder:before,.vjs-icon-fullscreen-enter:before{content:"\\F108"}.video-js.vjs-fullscreen .vjs-fullscreen-control .vjs-icon-placeholder,.vjs-icon-fullscreen-exit{font-family:VideoJS;font-weight:400;font-style:normal}.video-js.vjs-fullscreen .vjs-fullscreen-control .vjs-icon-placeholder:before,.vjs-icon-fullscreen-exit:before{content:"\\F109"}.vjs-icon-square{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-square:before{content:"\\F10A"}.vjs-icon-spinner{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-spinner:before{content:"\\F10B"}.video-js.video-js:lang(en-AU) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-GB) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-IE) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-NZ) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js .vjs-subs-caps-button .vjs-icon-placeholder,.video-js .vjs-subtitles-button .vjs-icon-placeholder,.vjs-icon-subtitles{font-family:VideoJS;font-weight:400;font-style:normal}.video-js.video-js:lang(en-AU) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-GB) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-IE) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-NZ) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js .vjs-subtitles-button .vjs-icon-placeholder:before,.vjs-icon-subtitles:before{content:"\\F10C"}.video-js .vjs-captions-button .vjs-icon-placeholder,.video-js:lang(en) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js:lang(fr-CA) .vjs-subs-caps-button .vjs-icon-placeholder,.vjs-icon-captions{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-captions-button .vjs-icon-placeholder:before,.video-js:lang(en) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js:lang(fr-CA) .vjs-subs-caps-button .vjs-icon-placeholder:before,.vjs-icon-captions:before{content:"\\F10D"}.video-js .vjs-chapters-button .vjs-icon-placeholder,.vjs-icon-chapters{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-chapters-button .vjs-icon-placeholder:before,.vjs-icon-chapters:before{content:"\\F10E"}.vjs-icon-share{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-share:before{content:"\\F10F"}.vjs-icon-cog{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-cog:before{content:"\\F110"}.video-js .vjs-play-progress,.video-js .vjs-volume-level,.vjs-icon-circle{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-progress:before,.video-js .vjs-volume-level:before,.vjs-icon-circle:before{content:"\\F111"}.vjs-icon-circle-outline{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-circle-outline:before{content:"\\F112"}.vjs-icon-circle-inner-circle{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-circle-inner-circle:before{content:"\\F113"}.vjs-icon-hd{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-hd:before{content:"\\F114"}.video-js .vjs-control.vjs-close-button .vjs-icon-placeholder,.vjs-icon-cancel{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-control.vjs-close-button .vjs-icon-placeholder:before,.vjs-icon-cancel:before{content:"\\F115"}.video-js .vjs-play-control.vjs-ended .vjs-icon-placeholder,.vjs-icon-replay{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-control.vjs-ended .vjs-icon-placeholder:before,.vjs-icon-replay:before{content:"\\F116"}.vjs-icon-facebook{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-facebook:before{content:"\\F117"}.vjs-icon-gplus{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-gplus:before{content:"\\F118"}.vjs-icon-linkedin{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-linkedin:before{content:"\\F119"}.vjs-icon-twitter{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-twitter:before{content:"\\F11A"}.vjs-icon-tumblr{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-tumblr:before{content:"\\F11B"}.vjs-icon-pinterest{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-pinterest:before{content:"\\F11C"}.video-js .vjs-descriptions-button .vjs-icon-placeholder,.vjs-icon-audio-description{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-descriptions-button .vjs-icon-placeholder:before,.vjs-icon-audio-description:before{content:"\\F11D"}.video-js .vjs-audio-button .vjs-icon-placeholder,.vjs-icon-audio{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-audio-button .vjs-icon-placeholder:before,.vjs-icon-audio:before{content:"\\F11E"}.vjs-icon-next-item{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-next-item:before{content:"\\F11F"}.vjs-icon-previous-item{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-previous-item:before{content:"\\F120"}.video-js{display:block;vertical-align:top;box-sizing:border-box;color:#fff;background-color:#000;position:relative;padding:0;font-size:10px;line-height:1;font-weight:400;font-style:normal;font-family:Arial,Helvetica,sans-serif;word-break:normal}.video-js:-moz-full-screen{position:absolute}.video-js:-webkit-full-screen{width:100%!important;height:100%!important}.video-js[tabindex="-1"]{outline:none}.video-js *,.video-js :after,.video-js :before{box-sizing:inherit}.video-js ul{font-family:inherit;font-size:inherit;line-height:inherit;list-style-position:outside;margin-left:0;margin-right:0;margin-top:0;margin-bottom:0}.video-js.vjs-4-3,.video-js.vjs-16-9,.video-js.vjs-fluid{width:100%;max-width:100%;height:0}.video-js.vjs-16-9{padding-top:56.25%}.video-js.vjs-4-3{padding-top:75%}.video-js.vjs-fill,.video-js .vjs-tech{width:100%;height:100%}.video-js .vjs-tech{position:absolute;top:0;left:0}body.vjs-full-window{padding:0;margin:0;height:100%;overflow-y:auto}.vjs-full-window .video-js.vjs-fullscreen{position:fixed;overflow:hidden;z-index:1000;left:0;top:0;bottom:0;right:0}.video-js.vjs-fullscreen{width:100%!important;height:100%!important;padding-top:0!important}.video-js.vjs-fullscreen.vjs-user-inactive{cursor:none}.vjs-hidden{display:none!important}.vjs-disabled{opacity:.5;cursor:default}.video-js .vjs-offscreen{height:1px;left:-9999px;position:absolute;top:0;width:1px}.vjs-lock-showing{display:block!important;opacity:1;visibility:visible}.vjs-no-js{padding:20px;color:#fff;background-color:#000;font-size:18px;font-family:Arial,Helvetica,sans-serif;text-align:center;width:300px;height:150px;margin:0 auto}.vjs-no-js a,.vjs-no-js a:visited{color:#66a8cc}.video-js .vjs-big-play-button{font-size:3em;line-height:1.5em;height:1.5em;width:3em;display:block;position:absolute;top:10px;left:10px;padding:0;cursor:pointer;opacity:1;border:.06666em solid #fff;background-color:#2b333f;background-color:rgba(43,51,63,.7);border-radius:.3em;transition:all .4s}.vjs-big-play-centered .vjs-big-play-button{top:50%;left:50%;margin-top:-.75em;margin-left:-1.5em}.video-js .vjs-big-play-button:focus,.video-js:hover .vjs-big-play-button{border-color:#fff;background-color:#73859f;background-color:rgba(115,133,159,.5);transition:all 0s}.vjs-controls-disabled .vjs-big-play-button,.vjs-error .vjs-big-play-button,.vjs-has-started .vjs-big-play-button,.vjs-using-native-controls .vjs-big-play-button{display:none}.vjs-has-started.vjs-paused.vjs-show-big-play-button-on-pause .vjs-big-play-button{display:block}.video-js button{background:none;border:none;color:inherit;display:inline-block;overflow:visible;font-size:inherit;line-height:inherit;text-transform:none;text-decoration:none;transition:none;-webkit-appearance:none;appearance:none}.vjs-control .vjs-button{width:100%;height:100%}.video-js .vjs-control.vjs-close-button{cursor:pointer;height:3em;position:absolute;right:0;top:.5em;z-index:2}.video-js .vjs-modal-dialog{background:rgba(0,0,0,.8);background:linear-gradient(180deg,rgba(0,0,0,.8),hsla(0,0%,100%,0));overflow:auto;box-sizing:content-box}.video-js .vjs-modal-dialog>*{box-sizing:border-box}.vjs-modal-dialog .vjs-modal-dialog-content{font-size:1.2em;line-height:1.5;padding:20px 24px;z-index:1}.vjs-menu-button{cursor:pointer}.vjs-menu-button.vjs-disabled{cursor:default}.vjs-workinghover .vjs-menu-button.vjs-disabled:hover .vjs-menu{display:none}.vjs-menu .vjs-menu-content{display:block;padding:0;margin:0;font-family:Arial,Helvetica,sans-serif;overflow:auto;box-sizing:content-box}.vjs-menu .vjs-menu-content>*{box-sizing:border-box}.vjs-scrubbing .vjs-menu-button:hover .vjs-menu{display:none}.vjs-menu li{list-style:none;margin:0;padding:.2em 0;line-height:1.4em;font-size:1.2em;text-align:center;text-transform:lowercase}.vjs-menu li.vjs-menu-item:focus,.vjs-menu li.vjs-menu-item:hover{background-color:#73859f;background-color:rgba(115,133,159,.5)}.vjs-menu li.vjs-selected,.vjs-menu li.vjs-selected:focus,.vjs-menu li.vjs-selected:hover{background-color:#fff;color:#2b333f}.vjs-menu li.vjs-menu-title{text-align:center;text-transform:uppercase;font-size:1em;line-height:2em;padding:0;margin:0 0 .3em 0;font-weight:700;cursor:default}.vjs-menu-button-popup .vjs-menu{display:none;position:absolute;bottom:0;width:10em;left:-3em;height:0;margin-bottom:1.5em;border-top-color:rgba(43,51,63,.7)}.vjs-menu-button-popup .vjs-menu .vjs-menu-content{background-color:#2b333f;background-color:rgba(43,51,63,.7);position:absolute;width:100%;bottom:1.5em;max-height:15em}.vjs-menu-button-popup .vjs-menu.vjs-lock-showing,.vjs-workinghover .vjs-menu-button-popup:hover .vjs-menu{display:block}.video-js .vjs-menu-button-inline{transition:all .4s;overflow:hidden}.video-js .vjs-menu-button-inline:before{width:2.222222222em}.video-js .vjs-menu-button-inline.vjs-slider-active,.video-js .vjs-menu-button-inline:focus,.video-js .vjs-menu-button-inline:hover,.video-js.vjs-no-flex .vjs-menu-button-inline{width:12em}.vjs-menu-button-inline .vjs-menu{opacity:0;height:100%;width:auto;position:absolute;left:4em;top:0;padding:0;margin:0;transition:all .4s}.vjs-menu-button-inline.vjs-slider-active .vjs-menu,.vjs-menu-button-inline:focus .vjs-menu,.vjs-menu-button-inline:hover .vjs-menu{display:block;opacity:1}.vjs-no-flex .vjs-menu-button-inline .vjs-menu{display:block;opacity:1;position:relative;width:auto}.vjs-no-flex .vjs-menu-button-inline.vjs-slider-active .vjs-menu,.vjs-no-flex .vjs-menu-button-inline:focus .vjs-menu,.vjs-no-flex .vjs-menu-button-inline:hover .vjs-menu{width:auto}.vjs-menu-button-inline .vjs-menu-content{width:auto;height:100%;margin:0;overflow:hidden}.video-js .vjs-control-bar{display:none;width:100%;position:absolute;bottom:0;left:0;right:0;height:3em;background-color:#2b333f;background-color:rgba(43,51,63,.7)}.vjs-has-started .vjs-control-bar{display:flex;visibility:visible;opacity:1;transition:visibility .1s,opacity .1s}.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{visibility:visible;opacity:0;transition:visibility 1s,opacity 1s}.vjs-controls-disabled .vjs-control-bar,.vjs-error .vjs-control-bar,.vjs-using-native-controls .vjs-control-bar{display:none!important}.vjs-audio.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{opacity:1;visibility:visible}.vjs-has-started.vjs-no-flex .vjs-control-bar{display:table}.video-js .vjs-control{position:relative;text-align:center;margin:0;padding:0;height:100%;width:4em;flex:none}.vjs-button>.vjs-icon-placeholder:before{font-size:1.8em;line-height:1.67}.video-js .vjs-control:focus,.video-js .vjs-control:focus:before,.video-js .vjs-control:hover:before{text-shadow:0 0 1em #fff}.video-js .vjs-control-text{border:0;clip:rect(0 0 0 0);height:1px;overflow:hidden;padding:0;position:absolute;width:1px}.vjs-no-flex .vjs-control{display:table-cell;vertical-align:middle}.video-js .vjs-custom-control-spacer{display:none}.video-js .vjs-progress-control{cursor:pointer;flex:auto;display:flex;align-items:center;min-width:4em;touch-action:none}.video-js .vjs-progress-control.disabled{cursor:default}.vjs-live .vjs-progress-control{display:none}.vjs-no-flex .vjs-progress-control{width:auto}.video-js .vjs-progress-holder{flex:auto;transition:all .2s;height:.3em}.video-js .vjs-progress-control .vjs-progress-holder{margin:0 10px}.video-js .vjs-progress-control:hover .vjs-progress-holder{font-size:1.6666666666666667em}.video-js .vjs-progress-control:hover .vjs-progress-holder.disabled{font-size:1em}.video-js .vjs-progress-holder .vjs-load-progress,.video-js .vjs-progress-holder .vjs-load-progress div,.video-js .vjs-progress-holder .vjs-play-progress{position:absolute;display:block;height:100%;margin:0;padding:0;width:0;left:0;top:0}.video-js .vjs-play-progress{background-color:#fff}.video-js .vjs-play-progress:before{font-size:.9em;position:absolute;right:-.5em;top:-.333333333333333em;z-index:1}.video-js .vjs-load-progress{background:#bfc7d3;background:rgba(115,133,159,.5)}.video-js .vjs-load-progress div{background:#fff;background:rgba(115,133,159,.75)}.video-js .vjs-time-tooltip{background-color:#fff;background-color:hsla(0,0%,100%,.8);border-radius:.3em;color:#000;float:right;font-family:Arial,Helvetica,sans-serif;font-size:1em;padding:6px 8px 8px 8px;pointer-events:none;position:absolute;top:-3.4em;visibility:hidden;z-index:1}.video-js .vjs-progress-holder:focus .vjs-time-tooltip{display:none}.video-js .vjs-progress-control:hover .vjs-progress-holder:focus .vjs-time-tooltip,.video-js .vjs-progress-control:hover .vjs-time-tooltip{display:block;font-size:.6em;visibility:visible}.video-js .vjs-progress-control.disabled:hover .vjs-time-tooltip{font-size:1em}.video-js .vjs-progress-control .vjs-mouse-display{display:none;position:absolute;width:1px;height:100%;background-color:#000;z-index:1}.vjs-no-flex .vjs-progress-control .vjs-mouse-display{z-index:0}.video-js .vjs-progress-control:hover .vjs-mouse-display{display:block}.video-js.vjs-user-inactive .vjs-progress-control .vjs-mouse-display{visibility:hidden;opacity:0;transition:visibility 1s,opacity 1s}.video-js.vjs-user-inactive.vjs-no-flex .vjs-progress-control .vjs-mouse-display{display:none}.vjs-mouse-display .vjs-time-tooltip{color:#fff;background-color:#000;background-color:rgba(0,0,0,.8)}.video-js .vjs-slider{position:relative;cursor:pointer;padding:0;margin:0 .45em 0 .45em;-webkit-touch-callout:none;-webkit-user-select:none;user-select:none;background-color:#73859f;background-color:rgba(115,133,159,.5)}.video-js .vjs-slider.disabled{cursor:default}.video-js .vjs-slider:focus{text-shadow:0 0 1em #fff;box-shadow:0 0 1em #fff}.video-js .vjs-mute-control{cursor:pointer;flex:none;padding-left:2em;padding-right:2em;padding-bottom:3em}.video-js .vjs-volume-control{cursor:pointer;margin-right:1em;display:flex}.video-js .vjs-volume-control.vjs-volume-horizontal{width:5em}.video-js .vjs-volume-panel .vjs-volume-control{visibility:visible;opacity:0;width:1px;height:1px;margin-left:-1px}.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical,.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-level{-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"}.video-js .vjs-volume-panel{transition:width 1s}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active,.video-js .vjs-volume-panel .vjs-volume-control:active,.video-js .vjs-volume-panel .vjs-volume-control:hover,.video-js .vjs-volume-panel:active .vjs-volume-control,.video-js .vjs-volume-panel:focus .vjs-volume-control,.video-js .vjs-volume-panel:hover .vjs-volume-control{visibility:visible;opacity:1;position:relative;transition:visibility .1s,opacity .1s,height .1s,width .1s,left 0s,top 0s}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-horizontal,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-horizontal{width:5em;height:3em}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-level{-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"}.video-js .vjs-volume-panel.vjs-volume-panel-horizontal.vjs-slider-active,.video-js .vjs-volume-panel.vjs-volume-panel-horizontal:active,.video-js .vjs-volume-panel.vjs-volume-panel-horizontal:hover{width:9em;transition:width .1s}.video-js .vjs-volume-panel.vjs-volume-panel-horizontal.vjs-mute-toggle-only{width:4em}.video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical{height:8em;width:3em;left:-3.5em;transition:visibility 1s,opacity 1s,height 1s 1s,width 1s 1s,left 1s 1s,top 1s 1s}.video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal{transition:visibility 1s,opacity 1s,height 1s 1s,width 1s,left 1s 1s,top 1s 1s}.video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal{width:5em;height:3em;visibility:visible;opacity:1;position:relative;transition:none}.video-js.vjs-no-flex .vjs-volume-control.vjs-volume-vertical,.video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical{position:absolute;bottom:3em;left:.5em}.video-js .vjs-volume-panel{display:flex}.video-js .vjs-volume-bar{margin:1.35em .45em}.vjs-volume-bar.vjs-slider-horizontal{width:5em;height:.3em}.vjs-volume-bar.vjs-slider-vertical{width:.3em;height:5em;margin:1.35em auto}.video-js .vjs-volume-level{position:absolute;bottom:0;left:0;background-color:#fff}.video-js .vjs-volume-level:before{position:absolute;font-size:.9em}.vjs-slider-vertical .vjs-volume-level{width:.3em}.vjs-slider-vertical .vjs-volume-level:before{top:-.5em;left:-.3em}.vjs-slider-horizontal .vjs-volume-level{height:.3em}.vjs-slider-horizontal .vjs-volume-level:before{top:-.3em;right:-.5em}.video-js .vjs-volume-panel.vjs-volume-panel-vertical{width:4em}.vjs-volume-bar.vjs-slider-vertical .vjs-volume-level{height:100%}.vjs-volume-bar.vjs-slider-horizontal .vjs-volume-level{width:100%}.video-js .vjs-volume-vertical{width:3em;height:8em;bottom:8em;background-color:#2b333f;background-color:rgba(43,51,63,.7)}.video-js .vjs-volume-horizontal .vjs-menu{left:-2em}.vjs-poster{display:inline-block;background-repeat:no-repeat;background-position:50% 50%;background-size:contain;background-color:#000;cursor:pointer;margin:0;position:absolute;top:0;right:0;bottom:0;left:0;height:100%}.vjs-poster,.vjs-poster img{vertical-align:middle;padding:0}.vjs-poster img{display:block;margin:0 auto;max-height:100%;width:100%}.vjs-has-started .vjs-poster{display:none}.vjs-audio.vjs-has-started .vjs-poster{display:block}.vjs-using-native-controls .vjs-poster{display:none}.video-js .vjs-live-control{display:flex;align-items:flex-start;flex:auto;font-size:1em;line-height:3em}.vjs-no-flex .vjs-live-control{display:table-cell;width:auto;text-align:left}.video-js .vjs-time-control{flex:none;font-size:1em;line-height:3em;min-width:2em;width:auto;padding-left:1em;padding-right:1em}.video-js .vjs-current-time,.vjs-live .vjs-time-control,.vjs-no-flex .vjs-current-time{display:none}.vjs-no-flex .vjs-remaining-time.vjs-time-control.vjs-control{width:0!important;white-space:nowrap}.video-js .vjs-duration,.vjs-no-flex .vjs-duration{display:none}.vjs-time-divider{display:none;line-height:3em}.vjs-live .vjs-time-divider{display:none}.video-js .vjs-play-control .vjs-icon-placeholder{cursor:pointer;flex:none}.vjs-text-track-display{position:absolute;bottom:3em;left:0;right:0;top:0;pointer-events:none}.video-js.vjs-user-inactive.vjs-playing .vjs-text-track-display{bottom:1em}.video-js .vjs-text-track{font-size:1.4em;text-align:center;margin-bottom:.1em;background-color:#000;background-color:rgba(0,0,0,.5)}.vjs-subtitles{color:#fff}.vjs-captions{color:#fc6}.vjs-tt-cue{display:block}video::-webkit-media-text-track-display{transform:translateY(-3em)}.video-js.vjs-user-inactive.vjs-playing video::-webkit-media-text-track-display{transform:translateY(-1.5em)}.video-js .vjs-fullscreen-control{cursor:pointer;flex:none}.vjs-playback-rate .vjs-playback-rate-value,.vjs-playback-rate>.vjs-menu-button{position:absolute;top:0;left:0;width:100%;height:100%}.vjs-playback-rate .vjs-playback-rate-value{pointer-events:none;font-size:1.5em;line-height:2;text-align:center}.vjs-playback-rate .vjs-menu{width:4em;left:0}.vjs-error .vjs-error-display .vjs-modal-dialog-content{font-size:1.4em;text-align:center}.vjs-error .vjs-error-display:before{color:#fff;content:"X";font-family:Arial,Helvetica,sans-serif;font-size:4em;left:0;line-height:1;margin-top:-.5em;position:absolute;text-shadow:.05em .05em .1em #000;text-align:center;top:50%;vertical-align:middle;width:100%}.vjs-loading-spinner{display:none;position:absolute;top:50%;left:50%;margin:-25px 0 0 -25px;opacity:.85;text-align:left;border:6px solid rgba(43,51,63,.7);box-sizing:border-box;background-clip:padding-box;width:50px;height:50px;border-radius:25px;visibility:hidden}.vjs-seeking .vjs-loading-spinner,.vjs-waiting .vjs-loading-spinner{display:block;-webkit-animation:vjs-spinner-show 0s linear .3s forwards;animation:vjs-spinner-show 0s linear .3s forwards}.vjs-loading-spinner:after,.vjs-loading-spinner:before{content:"";position:absolute;margin:-6px;box-sizing:inherit;width:inherit;height:inherit;border-radius:inherit;opacity:1;border:inherit;border-color:transparent;border-top-color:#fff}.vjs-seeking .vjs-loading-spinner:after,.vjs-seeking .vjs-loading-spinner:before,.vjs-waiting .vjs-loading-spinner:after,.vjs-waiting .vjs-loading-spinner:before{-webkit-animation:vjs-spinner-spin 1.1s cubic-bezier(.6,.2,0,.8) infinite,vjs-spinner-fade 1.1s linear infinite;animation:vjs-spinner-spin 1.1s cubic-bezier(.6,.2,0,.8) infinite,vjs-spinner-fade 1.1s linear infinite}.vjs-seeking .vjs-loading-spinner:before,.vjs-waiting .vjs-loading-spinner:before{border-top-color:#fff}.vjs-seeking .vjs-loading-spinner:after,.vjs-waiting .vjs-loading-spinner:after{border-top-color:#fff;-webkit-animation-delay:.44s;animation-delay:.44s}@keyframes vjs-spinner-show{to{visibility:visible}}@-webkit-keyframes vjs-spinner-show{to{visibility:visible}}@keyframes vjs-spinner-spin{to{transform:rotate(1turn)}}@-webkit-keyframes vjs-spinner-spin{to{-webkit-transform:rotate(1turn)}}@keyframes vjs-spinner-fade{0%{border-top-color:#73859f}20%{border-top-color:#73859f}35%{border-top-color:#fff}60%{border-top-color:#73859f}to{border-top-color:#73859f}}@-webkit-keyframes vjs-spinner-fade{0%{border-top-color:#73859f}20%{border-top-color:#73859f}35%{border-top-color:#fff}60%{border-top-color:#73859f}to{border-top-color:#73859f}}.vjs-chapters-button .vjs-menu ul{width:24em}.video-js .vjs-subs-caps-button+.vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder{vertical-align:middle;display:inline-block;margin-bottom:-.1em}.video-js .vjs-subs-caps-button+.vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder:before{font-family:VideoJS;content:"\\F10D";font-size:1.5em;line-height:inherit}.video-js .vjs-audio-button+.vjs-menu .vjs-main-desc-menu-item .vjs-menu-item-text .vjs-icon-placeholder{vertical-align:middle;display:inline-block;margin-bottom:-.1em}.video-js .vjs-audio-button+.vjs-menu .vjs-main-desc-menu-item .vjs-menu-item-text .vjs-icon-placeholder:before{font-family:VideoJS;content:" \\F11D";font-size:1.5em;line-height:inherit}.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-custom-control-spacer{flex:auto;display:block}.video-js.vjs-layout-tiny:not(.vjs-fullscreen).vjs-no-flex .vjs-custom-control-spacer{width:auto}.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-volume-panel,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-progress-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-subs-caps-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-volume-panel,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-subs-caps-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-volume-panel{display:none}.vjs-modal-dialog.vjs-text-track-settings{background-color:#2b333f;background-color:rgba(43,51,63,.75);color:#fff;height:70%}.vjs-text-track-settings .vjs-modal-dialog-content{display:table}.vjs-text-track-settings .vjs-track-settings-colors,.vjs-text-track-settings .vjs-track-settings-controls,.vjs-text-track-settings .vjs-track-settings-font{display:table-cell}.vjs-text-track-settings .vjs-track-settings-controls{text-align:right;vertical-align:bottom}@supports (display:grid){.vjs-text-track-settings .vjs-modal-dialog-content{display:grid;grid-template-columns:1fr 1fr;grid-template-rows:1fr auto}.vjs-text-track-settings .vjs-track-settings-colors{display:block;grid-column:1;grid-row:1}.vjs-text-track-settings .vjs-track-settings-font{grid-column:2;grid-row:1}.vjs-text-track-settings .vjs-track-settings-controls{grid-column:2;grid-row:2}}.vjs-track-setting>select{margin-right:5px}.vjs-text-track-settings fieldset{margin:5px;padding:3px;border:none}.vjs-text-track-settings fieldset span{display:inline-block}.vjs-text-track-settings legend{color:#fff;margin:0 0 5px 0}.vjs-text-track-settings .vjs-label{position:absolute;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px);display:block;margin:0 0 5px 0;padding:0;border:0;height:1px;width:1px;overflow:hidden}.vjs-track-settings-controls button:active,.vjs-track-settings-controls button:focus{outline-style:solid;outline-width:medium;background-image:linear-gradient(0deg,#fff 88%,#73859f)}.vjs-track-settings-controls button:hover{color:rgba(43,51,63,.75)}.vjs-track-settings-controls button{background-color:#fff;background-image:linear-gradient(-180deg,#fff 88%,#73859f);color:#2b333f;cursor:pointer;border-radius:2px}.vjs-track-settings-controls .vjs-default-button{margin-right:1em}@media print{.video-js>:not(.vjs-tech):not(.vjs-poster){visibility:hidden}}.vjs-resize-manager{position:absolute;top:0;left:0;width:100%;height:100%;border:none;z-index:-1000}.js-focus-visible .video-js :focus:not(.focus-visible),.video-js :focus:not(:focus-visible){outline:none}@media \\0screen{.vjs-user-inactive.vjs-playing .vjs-control-bar :before{content:""}}@media \\0screen{.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{visibility:hidden}}',""])},"40c3":function(t,e,n){var i=n("6b4c"),o=n("5168")("toStringTag"),r="Arguments"==i(function(){return arguments}()),a=function(t,e){try{return t[e]}catch(n){}};t.exports=function(t){var e,n,s;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=a(e=Object(t),o))?n:r?i(e):"Object"==(s=i(e))&&"function"==typeof e.callee?"Arguments":s}},4149:function(t,e,n){n("a29f"),n("589d")},"41a0":function(t,e,n){"use strict";var i=n("2aeb"),o=n("4630"),r=n("7f20"),a={};n("32e9")(a,n("2b4c")("iterator"),(function(){return this})),t.exports=function(t,e,n){t.prototype=i(a,{next:o(1,n)}),r(t,e+" Iterator")}},"454f":function(t,e,n){n("46a7");var i=n("584a").Object;t.exports=function(t,e,n){return i.defineProperty(t,e,n)}},"456d":function(t,e,n){var i=n("4bf8"),o=n("0d58");n("5eda")("keys",(function(){return function(t){return o(i(t))}}))},4588:function(t,e){var n=Math.ceil,i=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?i:n)(t)}},4598:function(t,e,n){"use strict";(function(t){n.d(e,"b",(function(){return l})),n.d(e,"a",(function(){return c}));var i=n("a142"),o=Date.now();function r(t){var e=Date.now(),n=Math.max(0,16-(e-o)),i=setTimeout(t,n);return o=e+n,i}var a=i["f"]?t:window,s=a.requestAnimationFrame||r;a.cancelAnimationFrame||a.clearTimeout;function l(t){return s.call(a,t)}function c(t){l((function(){l(t)}))}}).call(this,n("c8ba"))},"45f2":function(t,e,n){var i=n("d9f6").f,o=n("07e3"),r=n("5168")("toStringTag");t.exports=function(t,e,n){t&&!o(t=n?t:t.prototype,r)&&i(t,r,{configurable:!0,value:e})}},"460f":function(t,e,n){var i=n("824f");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("5f52ec8c",i,!0,{sourceMap:!1,shadowMode:!1})},4630:function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},"467f":function(t,e,n){"use strict";var i=n("2d83");t.exports=function(t,e,n){var o=n.config.validateStatus;!o||o(n.status)?t(n):e(i("Request failed with status code "+n.status,n.config,null,n.request,n))}},"46a7":function(t,e,n){var i=n("63b6");i(i.S+i.F*!n("8e60"),"Object",{defineProperty:n("d9f6").f})},"47ee":function(t,e,n){var i=n("c3a1"),o=n("9aa9"),r=n("355d");t.exports=function(t){var e=i(t),n=o.f;if(n){var a,s=n(t),l=r.f,c=0;while(s.length>c)l.call(t,a=s[c++])&&e.push(a)}return e}},"47fb":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'svg.line-chart{width:100%;height:100%;position:absolute;left:0;font-style:normal;-webkit-font-variant-ligatures:normal;font-variant-ligatures:normal;font-variant-caps:normal;font-variant-numeric:normal;font-variant-east-asian:normal;font-weight:400;font-stretch:normal;font-size:14px;line-height:20px;font-family:Helvetica Neue,Helvetica,Arial,sans-serif}svg.line-chart circle.station_circle{fill:#5e96d2;r:5.5;stroke:#fdfdfd;stroke-width:3;Pointer-events:none}svg.line-chart circle.station_circle.down{fill:#c92121}svg.line-chart path.station_link{stroke-width:3.5px;stroke:#5e96d2;Pointer-events:none}svg.line-chart path.station_link.down{stroke:#c92121}svg.line-chart path.station_link.down.loop_line{stroke-dasharray:4,3;stroke-width:1px}svg.line-chart text.station_text{-webkit-writing-mode:tb;writing-mode:tb;fill:#3e3e3e;letter-spacing:-.2px;text-shadow:0 0 2px #dadada;Pointer-events:none}svg.line-chart text.station_text.up{fill:#4556b6}svg.line-chart text.station_text.down{fill:#c94f21}svg.line-chart g.item:first-child>text,svg.line-chart g.item:nth-last-child(3)>text{stroke:#6f6e6e;fill:none}svg.line-chart g.item:first-child>text.up,svg.line-chart g.item:nth-last-child(3)>text.up{stroke:#4556b6}svg.line-chart g.item:first-child>text.down,svg.line-chart g.item:nth-last-child(3)>text.down{stroke:#c94f21}svg.line-chart g.gps-wrap>rect{width:30px;height:15px;rx:2px;cursor:pointer}svg.line-chart g.gps-wrap>rect[updown="0"]{stroke:#3e50b3;fill:#3e50b3}svg.line-chart g.gps-wrap>rect[updown="1"]{stroke:#c94f21;fill:#c94f21}svg.line-chart g.gps-wrap>rect.hover{stroke-width:2}svg.line-chart g.gps-wrap>text{font-size:12px;transform:translateY(12px);pointer-events:none}svg.line-chart g.gps-wrap>text[updown="0"],svg.line-chart g.gps-wrap>text[updown="1"]{fill:#fff}svg.line-chart g.gps-wrap>rect.abnormal[updown="0"],svg.line-chart g.gps-wrap>rect.abnormal[updown="1"]{width:40px;fill:#ff0;stroke:#ff0}svg.line-chart g.gps-wrap>text.abnormal[updown="0"],svg.line-chart g.gps-wrap>text.abnormal[updown="1"]{fill:#000}svg.line-chart .merge_hide{display:none!important}svg.line-chart g.merge-item rect{width:22px;height:22px;rx:15px;fill:#19a53a;cursor:pointer;stroke:#19a53a;stroke-dasharray:1,2;stroke-width:3px}svg.line-chart g.merge-item text{fill:#fff;pointer-events:none}.top-center-big-text{height:44px;position:absolute;left:50%;transform:translate(-50%);-webkit-transform:translate(-50%);color:#babdbd;font-size:30px;padding:20px 0;font-weight:700;font-family:Open Sans,sans-serif}.line-chart-outer-div,.line-chart-outer-div *{box-sizing:border-box}',""])},"481b":function(t,e){t.exports={}},"493d":function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("2638")),r=n("e5f6"),a=n("dc8a"),s=i(n("acaa")),l=(0,r.createNamespace)("icon"),c=l[0],u=l[1];function h(t){return!!t&&-1!==t.indexOf("/")}var d={medel:"medal","medel-o":"medal-o","calender-o":"calendar-o"};function f(t){return t&&d[t]||t}function A(t,e,n,i){var l,c=f(e.name),d=h(c);return t(e.tag,(0,o.default)([{class:[e.classPrefix,d?"":e.classPrefix+"-"+c],style:{color:e.color,fontSize:(0,r.addUnit)(e.size)}},(0,a.inherit)(i,!0)]),[n.default&&n.default(),d&&t("img",{class:u("image"),attrs:{src:c}}),t(s.default,{attrs:{dot:e.dot,info:null!=(l=e.badge)?l:e.info}})])}A.props={dot:Boolean,name:String,size:[Number,String],info:[Number,String],badge:[Number,String],color:String,tag:{type:String,default:"i"},classPrefix:{type:String,default:u()}};var p=c(A);e.default=p},"499e":function(t,e,n){"use strict";function i(t,e){for(var n=[],i={},o=0;o<e.length;o++){var r=e[o],a=r[0],s=r[1],l=r[2],c=r[3],u={id:t+":"+o,css:s,media:l,sourceMap:c};i[a]?i[a].parts.push(u):n.push(i[a]={id:a,parts:[u]})}return n}n.r(e),n.d(e,"default",(function(){return A}));var o="undefined"!==typeof document;if("undefined"!==typeof DEBUG&&DEBUG&&!o)throw new Error("vue-style-loader cannot be used in a non-browser environment. Use { target: 'node' } in your Webpack config to indicate a server-rendering environment.");var r={},a=o&&(document.head||document.getElementsByTagName("head")[0]),s=null,l=0,c=!1,u=function(){},h=null,d="data-vue-ssr-id",f="undefined"!==typeof navigator&&/msie [6-9]\b/.test(navigator.userAgent.toLowerCase());function A(t,e,n,o){c=n,h=o||{};var a=i(t,e);return p(a),function(e){for(var n=[],o=0;o<a.length;o++){var s=a[o],l=r[s.id];l.refs--,n.push(l)}e?(a=i(t,e),p(a)):a=[];for(o=0;o<n.length;o++){l=n[o];if(0===l.refs){for(var c=0;c<l.parts.length;c++)l.parts[c]();delete r[l.id]}}}}function p(t){for(var e=0;e<t.length;e++){var n=t[e],i=r[n.id];if(i){i.refs++;for(var o=0;o<i.parts.length;o++)i.parts[o](n.parts[o]);for(;o<n.parts.length;o++)i.parts.push(v(n.parts[o]));i.parts.length>n.parts.length&&(i.parts.length=n.parts.length)}else{var a=[];for(o=0;o<n.parts.length;o++)a.push(v(n.parts[o]));r[n.id]={id:n.id,refs:1,parts:a}}}}function g(){var t=document.createElement("style");return t.type="text/css",a.appendChild(t),t}function v(t){var e,n,i=document.querySelector("style["+d+'~="'+t.id+'"]');if(i){if(c)return u;i.parentNode.removeChild(i)}if(f){var o=l++;i=s||(s=g()),e=y.bind(null,i,o,!1),n=y.bind(null,i,o,!0)}else i=g(),e=b.bind(null,i),n=function(){i.parentNode.removeChild(i)};return e(t),function(i){if(i){if(i.css===t.css&&i.media===t.media&&i.sourceMap===t.sourceMap)return;e(t=i)}else n()}}var m=function(){var t=[];return function(e,n){return t[e]=n,t.filter(Boolean).join("\n")}}();function y(t,e,n,i){var o=n?"":i.css;if(t.styleSheet)t.styleSheet.cssText=m(e,o);else{var r=document.createTextNode(o),a=t.childNodes;a[e]&&t.removeChild(a[e]),a.length?t.insertBefore(r,a[e]):t.appendChild(r)}}function b(t,e){var n=e.css,i=e.media,o=e.sourceMap;if(i&&t.setAttribute("media",i),h.ssrId&&t.setAttribute(d,e.id),o&&(n+="\n/*# sourceURL="+o.sources[0]+" */",n+="\n/*# sourceMappingURL=data:application/json;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(o))))+" */"),t.styleSheet)t.styleSheet.cssText=n;else{while(t.firstChild)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(n))}}},"4a7b":function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e){e=e||{};var n={},o=["url","method","params","data"],r=["headers","auth","proxy"],a=["baseURL","url","transformRequest","transformResponse","paramsSerializer","timeout","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","maxContentLength","validateStatus","maxRedirects","httpAgent","httpsAgent","cancelToken","socketPath"];i.forEach(o,(function(t){"undefined"!==typeof e[t]&&(n[t]=e[t])})),i.forEach(r,(function(o){i.isObject(e[o])?n[o]=i.deepMerge(t[o],e[o]):"undefined"!==typeof e[o]?n[o]=e[o]:i.isObject(t[o])?n[o]=i.deepMerge(t[o]):"undefined"!==typeof t[o]&&(n[o]=t[o])})),i.forEach(a,(function(i){"undefined"!==typeof e[i]?n[i]=e[i]:"undefined"!==typeof t[i]&&(n[i]=t[i])}));var s=o.concat(r).concat(a),l=Object.keys(e).filter((function(t){return-1===s.indexOf(t)}));return i.forEach(l,(function(i){"undefined"!==typeof e[i]?n[i]=e[i]:"undefined"!==typeof t[i]&&(n[i]=t[i])})),n}},"4bf8":function(t,e,n){var i=n("be13");t.exports=function(t){return Object(i(t))}},"4c91":function(t,e,n){"use strict";function i(t,e){return e?"string"===typeof e?" "+t+"--"+e:Array.isArray(e)?e.reduce((function(e,n){return e+i(t,n)}),""):Object.keys(e).reduce((function(n,o){return n+(e[o]?i(t,o):"")}),""):""}function o(t){return function(e,n){return e&&"string"!==typeof e&&(n=e,e=""),e=e?t+"__"+e:t,""+e+i(e,n)}}e.__esModule=!0,e.createBEM=o},"4ea4":function(t,e){function n(t){return t&&t.__esModule?t:{default:t}}t.exports=n,t.exports["default"]=t.exports,t.exports.__esModule=!0},"4ee1":function(t,e,n){var i=n("5168")("iterator"),o=!1;try{var r=[7][i]();r["return"]=function(){o=!0},Array.from(r,(function(){throw 2}))}catch(a){}t.exports=function(t,e){if(!e&&!o)return!1;var n=!1;try{var r=[7],s=r[i]();s.next=function(){return{done:n=!0}},r[i]=function(){return s},t(r)}catch(a){}return n}},"504c":function(t,e,n){var i=n("9e1e"),o=n("0d58"),r=n("6821"),a=n("52a7").f;t.exports=function(t){return function(e){var n,s=r(e),l=o(s),c=l.length,u=0,h=[];while(c>u)n=l[u++],i&&!a.call(s,n)||h.push(t?[n,s[n]]:s[n]);return h}}},"50ed":function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},5147:function(t,e,n){var i=n("2b4c")("match");t.exports=function(t){var e=/./;try{"/./"[t](e)}catch(n){try{return e[i]=!1,!"/./"[t](e)}catch(o){}}return!0}},5168:function(t,e,n){var i=n("dbdb")("wks"),o=n("62a0"),r=n("e53d").Symbol,a="function"==typeof r,s=t.exports=function(t){return i[t]||(i[t]=a&&r[t]||(a?r:o)("Symbol."+t))};s.store=i},"520a":function(t,e,n){"use strict";var i=n("0bfb"),o=RegExp.prototype.exec,r=String.prototype.replace,a=o,s="lastIndex",l=function(){var t=/a/,e=/b*/g;return o.call(t,"a"),o.call(e,"a"),0!==t[s]||0!==e[s]}(),c=void 0!==/()??/.exec("")[1],u=l||c;u&&(a=function(t){var e,n,a,u,h=this;return c&&(n=new RegExp("^"+h.source+"$(?!\\s)",i.call(h))),l&&(e=h[s]),a=o.call(h,t),l&&a&&(h[s]=h.global?a.index+a[0].length:e),c&&a&&a.length>1&&r.call(a[0],n,(function(){for(u=1;u<arguments.length-2;u++)void 0===arguments[u]&&(a[u]=void 0)})),a}),t.exports=a},5270:function(t,e,n){"use strict";var i=n("c532"),o=n("c401"),r=n("2e67"),a=n("2444");function s(t){t.cancelToken&&t.cancelToken.throwIfRequested()}t.exports=function(t){s(t),t.headers=t.headers||{},t.data=o(t.data,t.headers,t.transformRequest),t.headers=i.merge(t.headers.common||{},t.headers[t.method]||{},t.headers),i.forEach(["delete","get","head","post","put","patch","common"],(function(e){delete t.headers[e]}));var e=t.adapter||a.adapter;return e(t).then((function(e){return s(t),e.data=o(e.data,e.headers,t.transformResponse),e}),(function(e){return r(e)||(s(t),e&&e.response&&(e.response.data=o(e.response.data,e.response.headers,t.transformResponse))),Promise.reject(e)}))}},"52a7":function(t,e){e.f={}.propertyIsEnumerable},5329:function(t,e,n){"use strict";function i(t){return"string"===typeof t?document.querySelector(t):t()}function o(t){var e=void 0===t?{}:t,n=e.ref,o=e.afterPortal;return{props:{getContainer:[String,Function]},watch:{getContainer:"portal"},mounted:function(){this.getContainer&&this.portal()},methods:{portal:function(){var t,e=this.getContainer,r=n?this.$refs[n]:this.$el;e?t=i(e):this.$parent&&(t=this.$parent.$el),t&&t!==r.parentNode&&t.appendChild(r),o&&o.call(this)}}}}e.__esModule=!0,e.PortalMixin=o},"53a8":function(t,e){t.exports=i;var n=Object.prototype.hasOwnProperty;function i(){for(var t={},e=0;e<arguments.length;e++){var i=arguments[e];for(var o in i)n.call(i,o)&&(t[o]=i[o])}return t}},"53e2":function(t,e,n){var i=n("07e3"),o=n("241e"),r=n("5559")("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=o(t),i(t,r)?t[r]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},"546b":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".quill-editor{width:100%;height:100%}.ql-toolbar.ql-snow{position:absolute;top:-70px;height:70px;width:300px;padding:0;background:#fff}.ql-toolbar.ql-snow .ql-formats{margin:0}.ql-editor{padding:0}",""])},"549b":function(t,e,n){"use strict";var i=n("d864"),o=n("63b6"),r=n("241e"),a=n("b0dc"),s=n("3702"),l=n("b447"),c=n("20fd"),u=n("7cd6");o(o.S+o.F*!n("4ee1")((function(t){Array.from(t)})),"Array",{from:function(t){var e,n,o,h,d=r(t),f="function"==typeof this?this:Array,A=arguments.length,p=A>1?arguments[1]:void 0,g=void 0!==p,v=0,m=u(d);if(g&&(p=i(p,A>2?arguments[2]:void 0,2)),void 0==m||f==Array&&s(m))for(e=l(d.length),n=new f(e);e>v;v++)c(n,v,g?p(d[v],v):d[v]);else for(h=m.call(d),n=new f;!(o=h.next()).done;v++)c(n,v,g?a(h,p,[o.value,v],!0):o.value);return n.length=v,n}})},5537:function(t,e,n){var i=n("8378"),o=n("7726"),r="__core-js_shared__",a=o[r]||(o[r]={});(t.exports=function(t,e){return a[t]||(a[t]=void 0!==e?e:{})})("versions",[]).push({version:i.version,mode:n("2d00")?"pure":"global",copyright:"© 2020 Denis Pushkarev (zloirock.ru)"})},5559:function(t,e,n){var i=n("dbdb")("keys"),o=n("62a0");t.exports=function(t){return i[t]||(i[t]=o(t))}},"55c0":function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=n("e5f6"),r=n("1be6"),a=n("e8a2"),s=i(n("493d")),l=i(n("b988")),c=(0,o.createNamespace)("toast"),u=c[0],h=c[1],d=u({mixins:[(0,a.PopupMixin)()],props:{icon:String,className:null,iconPrefix:String,loadingType:String,forbidClick:Boolean,closeOnClick:Boolean,message:[Number,String],type:{type:String,default:"text"},position:{type:String,default:"middle"},transition:{type:String,default:"van-fade"},lockScroll:{type:Boolean,default:!1}},data:function(){return{clickable:!1}},mounted:function(){this.toggleClickable()},destroyed:function(){this.toggleClickable()},watch:{value:"toggleClickable",forbidClick:"toggleClickable"},methods:{onClick:function(){this.closeOnClick&&this.close()},toggleClickable:function(){var t=this.value&&this.forbidClick;this.clickable!==t&&(this.clickable=t,(0,r.lockClick)(t))},onAfterEnter:function(){this.$emit("opened"),this.onOpened&&this.onOpened()},onAfterLeave:function(){this.$emit("closed")},genIcon:function(){var t=this.$createElement,e=this.icon,n=this.type,i=this.iconPrefix,o=this.loadingType,r=e||"success"===n||"fail"===n;return r?t(s.default,{class:h("icon"),attrs:{classPrefix:i,name:e||n}}):"loading"===n?t(l.default,{class:h("loading"),attrs:{type:o}}):void 0},genMessage:function(){var t=this.$createElement,e=this.type,n=this.message;if((0,o.isDef)(n)&&""!==n)return"html"===e?t("div",{class:h("text"),domProps:{innerHTML:n}}):t("div",{class:h("text")},[n])}},render:function(){var t,e=arguments[0];return e("transition",{attrs:{name:this.transition},on:{afterEnter:this.onAfterEnter,afterLeave:this.onAfterLeave}},[e("div",{directives:[{name:"show",value:this.value}],class:[h([this.position,(t={},t[this.type]=!this.icon,t)]),this.className],on:{click:this.onClick}},[this.genIcon(),this.genMessage()])])}});e.default=d},"55dd":function(t,e,n){"use strict";var i=n("5ca1"),o=n("d8e8"),r=n("4bf8"),a=n("79e5"),s=[].sort,l=[1,2,3];i(i.P+i.F*(a((function(){l.sort(void 0)}))||!a((function(){l.sort(null)}))||!n("2f21")(s)),"Array",{sort:function(t){return void 0===t?s.call(r(this)):s.call(r(this),o(t))}})},"584a":function(t,e){var n=t.exports={version:"2.6.12"};"number"==typeof __e&&(__e=n)},"588d":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".lbc-video iframe{width:100%;height:100%}",""])},"589d":function(t,e,n){var i=n("5a42");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("75d72fce",i,!0,{sourceMap:!1,shadowMode:!1})},"598e":function(t,e,n){n("a29f"),n("9415")},"5a42":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-swipe{position:relative;overflow:hidden;cursor:grab;-webkit-user-select:none;user-select:none}.van-swipe__track{display:-webkit-box;display:-webkit-flex;display:flex;height:100%}.van-swipe__track--vertical{-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column}.van-swipe__indicators{position:absolute;bottom:12px;left:50%;display:-webkit-box;display:-webkit-flex;display:flex;-webkit-transform:translateX(-50%);transform:translateX(-50%)}.van-swipe__indicators--vertical{top:50%;bottom:auto;left:12px;-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.van-swipe__indicators--vertical .van-swipe__indicator:not(:last-child){margin-bottom:6px}.van-swipe__indicator{width:6px;height:6px;background-color:#ebedf0;border-radius:100%;opacity:.3;-webkit-transition:opacity .2s,background-color .2s;transition:opacity .2s,background-color .2s}.van-swipe__indicator:not(:last-child){margin-right:6px}.van-swipe__indicator--active{background-color:#1989fa;opacity:1}",""])},"5b4e":function(t,e,n){var i=n("36c3"),o=n("b447"),r=n("0fc9");t.exports=function(t){return function(e,n,a){var s,l=i(e),c=o(l.length),u=r(a,c);if(t&&n!=n){while(c>u)if(s=l[u++],s!=s)return!0}else for(;c>u;u++)if((t||u in l)&&l[u]===n)return t||u||0;return!t&&-1}}},"5c3a":function(t,e,n){(function(t,e){e(n("c1df"))})(0,(function(t){"use strict";
  20 +function i(t){return t&&"object"===typeof t&&"default"in t?t["default"]:t}var r=i(n("be09")),o=i(n("ef34")),a=i(n("1b8d")),s=i(n("8c10")),l=i(n("eec7")),u=i(n("2b8c")),c="6.13.0",h=r.navigator&&r.navigator.userAgent||"",d=/AppleWebKit\/([\d.]+)/i.exec(h),f=d?parseFloat(d.pop()):null,p=/iPad/i.test(h),v=/iPhone/i.test(h)&&!p,m=/iPod/i.test(h),g=v||p||m,y=function(){var t=h.match(/OS (\d+)_/i);return t&&t[1]?t[1]:null}(),_=/Android/i.test(h),b=function(){var t=h.match(/Android (\d+)(?:\.(\d+))?(?:\.(\d+))*/i);if(!t)return null;var e=t[1]&&parseFloat(t[1]),n=t[2]&&parseFloat(t[2]);return e&&n?parseFloat(t[1]+"."+t[2]):e||null}(),w=_&&/webkit/i.test(h)&&b<2.3,A=_&&b<5&&f<537,x=/Firefox/i.test(h),k=/Edge/i.test(h),j=!k&&(/Chrome/i.test(h)||/CriOS/i.test(h)),C=function(){var t=h.match(/(Chrome|CriOS)\/(\d+)/);return t&&t[2]?parseFloat(t[2]):null}(),T=/MSIE\s8\.0/.test(h),E=function(){var t=/MSIE\s(\d+)\.\d/.exec(h),e=t&&parseFloat(t[1]);return!e&&/Trident\/7.0/i.test(h)&&/rv:11.0/.test(h)&&(e=11),e}(),S=/Safari/i.test(h)&&!j&&!_&&!k,O=(S||g)&&!j,q=nt()&&("ontouchstart"in r||r.navigator.maxTouchPoints||r.DocumentTouch&&r.document instanceof r.DocumentTouch),N=nt()&&"backgroundSize"in r.document.createElement("video").style,D=(Object.freeze||Object)({IS_IPAD:p,IS_IPHONE:v,IS_IPOD:m,IS_IOS:g,IOS_VERSION:y,IS_ANDROID:_,ANDROID_VERSION:b,IS_OLD_ANDROID:w,IS_NATIVE_ANDROID:A,IS_FIREFOX:x,IS_EDGE:k,IS_CHROME:j,CHROME_VERSION:C,IS_IE8:T,IE_VERSION:E,IS_SAFARI:S,IS_ANY_SAFARI:O,TOUCH_ENABLED:q,BACKGROUND_SIZE_SUPPORTED:N}),M="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},P=function(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")},L=function(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)},B=function(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e},I=function(t,e){return t.raw=e,t},R=Object.prototype.toString,F=function(t){return H(t)?Object.keys(t):[]};function z(t,e){F(t).forEach((function(n){return e(t[n],n)}))}function V(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return F(t).reduce((function(n,i){return e(n,t[i],i)}),n)}function Y(t){for(var e=arguments.length,n=Array(e>1?e-1:0),i=1;i<e;i++)n[i-1]=arguments[i];return Object.assign?Object.assign.apply(Object,[t].concat(n)):(n.forEach((function(e){e&&z(e,(function(e,n){t[n]=e}))})),t)}function H(t){return!!t&&"object"===("undefined"===typeof t?"undefined":M(t))}function U(t){return H(t)&&"[object Object]"===R.call(t)&&t.constructor===Object}var W=[],G=function(t,e){return function(n,i,o,a){var s=e.levels[i],l=new RegExp("^("+s+")$");if("log"!==n&&o.unshift(n.toUpperCase()+":"),o.unshift(t+":"),W&&W.push([].concat(o)),r.console){var u=r.console[n];u||"debug"!==n||(u=r.console.info||r.console.log),u&&s&&l.test(n)&&(a&&(o=o.map((function(t){if(H(t)||Array.isArray(t))try{return JSON.stringify(t)}catch(e){return String(t)}return String(t)})).join(" ")),u.apply?u[Array.isArray(o)?"apply":"call"](r.console,o):u(o))}}};function Q(t){var e="info",n=void 0,i=function t(){for(var i=t.stringify||E&&E<11,r=arguments.length,o=Array(r),a=0;a<r;a++)o[a]=arguments[a];n("log",e,o,i)};return n=G(t,i),i.createLogger=function(e){return Q(t+": "+e)},i.levels={all:"debug|log|warn|error",off:"",debug:"debug|log|warn|error",info:"log|warn|error",warn:"warn|error",error:"error",DEFAULT:e},i.level=function(t){if("string"===typeof t){if(!i.levels.hasOwnProperty(t))throw new Error('"'+t+'" in not a valid log level');e=t}return e},i.history=function(){return W?[].concat(W):[]},i.history.filter=function(t){return(W||[]).filter((function(e){return new RegExp(".*"+t+".*").test(e[0])}))},i.history.clear=function(){W&&(W.length=0)},i.history.disable=function(){null!==W&&(W.length=0,W=null)},i.history.enable=function(){null===W&&(W=[])},i.error=function(){for(var t=arguments.length,i=Array(t),r=0;r<t;r++)i[r]=arguments[r];return n("error",e,i)},i.warn=function(){for(var t=arguments.length,i=Array(t),r=0;r<t;r++)i[r]=arguments[r];return n("warn",e,i)},i.debug=function(){for(var t=arguments.length,i=Array(t),r=0;r<t;r++)i[r]=arguments[r];return n("debug",e,i)},i}var Z=Q("VIDEOJS"),K=Z.createLogger;function J(t,e){if(!t||!e)return"";if("function"===typeof r.getComputedStyle){var n=r.getComputedStyle(t);return n?n[e]:""}return t.currentStyle[e]||""}var X=I(["Setting attributes in the second argument of createEl()\n has been deprecated. Use the third argument instead.\n createEl(type, properties, attributes). Attempting to set "," to ","."],["Setting attributes in the second argument of createEl()\n has been deprecated. Use the third argument instead.\n createEl(type, properties, attributes). Attempting to set "," to ","."]);function $(t){return"string"===typeof t&&/\S/.test(t)}function tt(t){if(/\s/.test(t))throw new Error("class has illegal whitespace characters")}function et(t){return new RegExp("(^|\\s)"+t+"($|\\s)")}function nt(){return o===r.document&&"undefined"!==typeof o.createElement}function it(t){return H(t)&&1===t.nodeType}function rt(){try{return r.parent!==r.self}catch(t){return!0}}function ot(t){return function(e,n){if(!$(e))return o[t](null);$(n)&&(n=o.querySelector(n));var i=it(n)?n:o;return i[t]&&i[t](e)}}function at(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"div",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=arguments[3],r=o.createElement(t);return Object.getOwnPropertyNames(e).forEach((function(t){var n=e[t];-1!==t.indexOf("aria-")||"role"===t||"type"===t?(Z.warn(a(X,t,n)),r.setAttribute(t,n)):"textContent"===t?st(r,n):r[t]=n})),Object.getOwnPropertyNames(n).forEach((function(t){r.setAttribute(t,n[t])})),i&&Ct(r,i),r}function st(t,e){return"undefined"===typeof t.textContent?t.innerText=e:t.textContent=e,t}function lt(t,e){e.firstChild?e.insertBefore(t,e.firstChild):e.appendChild(t)}function ut(t,e){return tt(e),t.classList?t.classList.contains(e):et(e).test(t.className)}function ct(t,e){return t.classList?t.classList.add(e):ut(t,e)||(t.className=(t.className+" "+e).trim()),t}function ht(t,e){return t.classList?t.classList.remove(e):(tt(e),t.className=t.className.split(/\s+/).filter((function(t){return t!==e})).join(" ")),t}function dt(t,e,n){var i=ut(t,e);if("function"===typeof n&&(n=n(t,e)),"boolean"!==typeof n&&(n=!i),n!==i)return n?ct(t,e):ht(t,e),t}function ft(t,e){Object.getOwnPropertyNames(e).forEach((function(n){var i=e[n];null===i||"undefined"===typeof i||!1===i?t.removeAttribute(n):t.setAttribute(n,!0===i?"":i)}))}function pt(t){var e={},n=",autoplay,controls,playsinline,loop,muted,default,defaultMuted,";if(t&&t.attributes&&t.attributes.length>0)for(var i=t.attributes,r=i.length-1;r>=0;r--){var o=i[r].name,a=i[r].value;"boolean"!==typeof t[o]&&-1===n.indexOf(","+o+",")||(a=null!==a),e[o]=a}return e}function vt(t,e){return t.getAttribute(e)}function mt(t,e,n){t.setAttribute(e,n)}function gt(t,e){t.removeAttribute(e)}function yt(){o.body.focus(),o.onselectstart=function(){return!1}}function _t(){o.onselectstart=function(){return!0}}function bt(t){if(t&&t.getBoundingClientRect&&t.parentNode){var e=t.getBoundingClientRect(),n={};return["bottom","height","left","right","top","width"].forEach((function(t){void 0!==e[t]&&(n[t]=e[t])})),n.height||(n.height=parseFloat(J(t,"height"))),n.width||(n.width=parseFloat(J(t,"width"))),n}}function wt(t){var e=void 0;if(t.getBoundingClientRect&&t.parentNode&&(e=t.getBoundingClientRect()),!e)return{left:0,top:0};var n=o.documentElement,i=o.body,a=n.clientLeft||i.clientLeft||0,s=r.pageXOffset||i.scrollLeft,l=e.left+s-a,u=n.clientTop||i.clientTop||0,c=r.pageYOffset||i.scrollTop,h=e.top+c-u;return{left:Math.round(l),top:Math.round(h)}}function At(t,e){var n={},i=wt(t),r=t.offsetWidth,o=t.offsetHeight,a=i.top,s=i.left,l=e.pageY,u=e.pageX;return e.changedTouches&&(u=e.changedTouches[0].pageX,l=e.changedTouches[0].pageY),n.y=Math.max(0,Math.min(1,(a-l+o)/o)),n.x=Math.max(0,Math.min(1,(u-s)/r)),n}function xt(t){return H(t)&&3===t.nodeType}function kt(t){while(t.firstChild)t.removeChild(t.firstChild);return t}function jt(t){return"function"===typeof t&&(t=t()),(Array.isArray(t)?t:[t]).map((function(t){return"function"===typeof t&&(t=t()),it(t)||xt(t)?t:"string"===typeof t&&/\S/.test(t)?o.createTextNode(t):void 0})).filter((function(t){return t}))}function Ct(t,e){return jt(e).forEach((function(e){return t.appendChild(e)})),t}function Tt(t,e){return Ct(kt(t),e)}function Et(t){return void 0===t.button&&void 0===t.buttons||(0===t.button&&void 0===t.buttons||(9===E||0===t.button&&1===t.buttons))}var St=ot("querySelector"),Ot=ot("querySelectorAll"),qt=(Object.freeze||Object)({isReal:nt,isEl:it,isInFrame:rt,createEl:at,textContent:st,prependTo:lt,hasClass:ut,addClass:ct,removeClass:ht,toggleClass:dt,setAttributes:ft,getAttributes:pt,getAttribute:vt,setAttribute:mt,removeAttribute:gt,blockTextSelection:yt,unblockTextSelection:_t,getBoundingClientRect:bt,findPosition:wt,getPointerPosition:At,isTextNode:xt,emptyEl:kt,normalizeContent:jt,appendContent:Ct,insertContent:Tt,isSingleLeftClick:Et,$:St,$$:Ot}),Nt=1;function Dt(){return Nt++}var Mt={},Pt="vdata"+(new Date).getTime();function Lt(t){var e=t[Pt];return e||(e=t[Pt]=Dt()),Mt[e]||(Mt[e]={}),Mt[e]}function Bt(t){var e=t[Pt];return!!e&&!!Object.getOwnPropertyNames(Mt[e]).length}function It(t){var e=t[Pt];if(e){delete Mt[e];try{delete t[Pt]}catch(n){t.removeAttribute?t.removeAttribute(Pt):t[Pt]=null}}}function Rt(t,e){var n=Lt(t);0===n.handlers[e].length&&(delete n.handlers[e],t.removeEventListener?t.removeEventListener(e,n.dispatcher,!1):t.detachEvent&&t.detachEvent("on"+e,n.dispatcher)),Object.getOwnPropertyNames(n.handlers).length<=0&&(delete n.handlers,delete n.dispatcher,delete n.disabled),0===Object.getOwnPropertyNames(n).length&&It(t)}function Ft(t,e,n,i){n.forEach((function(n){t(e,n,i)}))}function zt(t){function e(){return!0}function n(){return!1}if(!t||!t.isPropagationStopped){var i=t||r.event;for(var a in t={},i)"layerX"!==a&&"layerY"!==a&&"keyLocation"!==a&&"webkitMovementX"!==a&&"webkitMovementY"!==a&&("returnValue"===a&&i.preventDefault||(t[a]=i[a]));if(t.target||(t.target=t.srcElement||o),t.relatedTarget||(t.relatedTarget=t.fromElement===t.target?t.toElement:t.fromElement),t.preventDefault=function(){i.preventDefault&&i.preventDefault(),t.returnValue=!1,i.returnValue=!1,t.defaultPrevented=!0},t.defaultPrevented=!1,t.stopPropagation=function(){i.stopPropagation&&i.stopPropagation(),t.cancelBubble=!0,i.cancelBubble=!0,t.isPropagationStopped=e},t.isPropagationStopped=n,t.stopImmediatePropagation=function(){i.stopImmediatePropagation&&i.stopImmediatePropagation(),t.isImmediatePropagationStopped=e,t.stopPropagation()},t.isImmediatePropagationStopped=n,null!==t.clientX&&void 0!==t.clientX){var s=o.documentElement,l=o.body;t.pageX=t.clientX+(s&&s.scrollLeft||l&&l.scrollLeft||0)-(s&&s.clientLeft||l&&l.clientLeft||0),t.pageY=t.clientY+(s&&s.scrollTop||l&&l.scrollTop||0)-(s&&s.clientTop||l&&l.clientTop||0)}t.which=t.charCode||t.keyCode,null!==t.button&&void 0!==t.button&&(t.button=1&t.button?0:4&t.button?1:2&t.button?2:0)}return t}var Vt=!1;(function(){try{var t=Object.defineProperty({},"passive",{get:function(){Vt=!0}});r.addEventListener("test",null,t),r.removeEventListener("test",null,t)}catch(e){}})();var Yt=["touchstart","touchmove"];function Ht(t,e,n){if(Array.isArray(e))return Ft(Ht,t,e,n);var i=Lt(t);if(i.handlers||(i.handlers={}),i.handlers[e]||(i.handlers[e]=[]),n.guid||(n.guid=Dt()),i.handlers[e].push(n),i.dispatcher||(i.disabled=!1,i.dispatcher=function(e,n){if(!i.disabled){e=zt(e);var r=i.handlers[e.type];if(r)for(var o=r.slice(0),a=0,s=o.length;a<s;a++){if(e.isImmediatePropagationStopped())break;try{o[a].call(t,e,n)}catch(l){Z.error(l)}}}}),1===i.handlers[e].length)if(t.addEventListener){var r=!1;Vt&&Yt.indexOf(e)>-1&&(r={passive:!0}),t.addEventListener(e,i.dispatcher,r)}else t.attachEvent&&t.attachEvent("on"+e,i.dispatcher)}function Ut(t,e,n){if(Bt(t)){var i=Lt(t);if(i.handlers){if(Array.isArray(e))return Ft(Ut,t,e,n);var r=function(t,e){i.handlers[e]=[],Rt(t,e)};if(void 0!==e){var o=i.handlers[e];if(o)if(n){if(n.guid)for(var a=0;a<o.length;a++)o[a].guid===n.guid&&o.splice(a--,1);Rt(t,e)}else r(t,e)}else for(var s in i.handlers)Object.prototype.hasOwnProperty.call(i.handlers||{},s)&&r(t,s)}}}function Wt(t,e,n){var i=Bt(t)?Lt(t):{},r=t.parentNode||t.ownerDocument;if("string"===typeof e?e={type:e,target:t}:e.target||(e.target=t),e=zt(e),i.dispatcher&&i.dispatcher.call(t,e,n),r&&!e.isPropagationStopped()&&!0===e.bubbles)Wt.call(null,r,e,n);else if(!r&&!e.defaultPrevented){var o=Lt(e.target);e.target[e.type]&&(o.disabled=!0,"function"===typeof e.target[e.type]&&e.target[e.type](),o.disabled=!1)}return!e.defaultPrevented}function Gt(t,e,n){if(Array.isArray(e))return Ft(Gt,t,e,n);var i=function i(){Ut(t,e,i),n.apply(this,arguments)};i.guid=n.guid=n.guid||Dt(),Ht(t,e,i)}var Qt=(Object.freeze||Object)({fixEvent:zt,on:Ht,off:Ut,trigger:Wt,one:Gt}),Zt=!1,Kt=void 0,Jt=function(){if(nt()&&!1!==Kt.options.autoSetup){var t=o.getElementsByTagName("video"),e=o.getElementsByTagName("audio"),n=o.getElementsByTagName("video-js"),i=[];if(t&&t.length>0)for(var r=0,a=t.length;r<a;r++)i.push(t[r]);if(e&&e.length>0)for(var s=0,l=e.length;s<l;s++)i.push(e[s]);if(n&&n.length>0)for(var u=0,c=n.length;u<c;u++)i.push(n[u]);if(i&&i.length>0)for(var h=0,d=i.length;h<d;h++){var f=i[h];if(!f||!f.getAttribute){Xt(1);break}if(void 0===f.player){var p=f.getAttribute("data-setup");null!==p&&Kt(f)}}else Zt||Xt(1)}};function Xt(t,e){e&&(Kt=e),r.setTimeout(Jt,t)}nt()&&"complete"===o.readyState?Zt=!0:Gt(r,"load",(function(){Zt=!0}));var $t=function(t){var e=o.createElement("style");return e.className=t,e},te=function(t,e){t.styleSheet?t.styleSheet.cssText=e:t.textContent=e},ee=function(t,e,n){e.guid||(e.guid=Dt());var i=function(){return e.apply(t,arguments)};return i.guid=n?n+"_"+e.guid:e.guid,i},ne=function(t,e){var n=Date.now(),i=function(){var i=Date.now();i-n>=e&&(t.apply(void 0,arguments),n=i)};return i},ie=function(t,e,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:r,o=void 0,a=function(){i.clearTimeout(o),o=null},s=function(){var r=this,a=arguments,s=function(){o=null,s=null,n||t.apply(r,a)};!o&&n&&t.apply(r,a),i.clearTimeout(o),o=i.setTimeout(s,e)};return s.cancel=a,s},re=function(){};re.prototype.allowedEvents_={},re.prototype.on=function(t,e){var n=this.addEventListener;this.addEventListener=function(){},Ht(this,t,e),this.addEventListener=n},re.prototype.addEventListener=re.prototype.on,re.prototype.off=function(t,e){Ut(this,t,e)},re.prototype.removeEventListener=re.prototype.off,re.prototype.one=function(t,e){var n=this.addEventListener;this.addEventListener=function(){},Gt(this,t,e),this.addEventListener=n},re.prototype.trigger=function(t){var e=t.type||t;"string"===typeof t&&(t={type:e}),t=zt(t),this.allowedEvents_[e]&&this["on"+e]&&this["on"+e](t),Wt(this,t)},re.prototype.dispatchEvent=re.prototype.trigger;var oe=function(t){return t instanceof re||!!t.eventBusEl_&&["on","one","off","trigger"].every((function(e){return"function"===typeof t[e]}))},ae=function(t){return"string"===typeof t&&/\S/.test(t)||Array.isArray(t)&&!!t.length},se=function(t){if(!t.nodeName&&!oe(t))throw new Error("Invalid target; must be a DOM node or evented object.")},le=function(t){if(!ae(t))throw new Error("Invalid event type; must be a non-empty string or array.")},ue=function(t){if("function"!==typeof t)throw new Error("Invalid listener; must be a function.")},ce=function(t,e){var n=e.length<3||e[0]===t||e[0]===t.eventBusEl_,i=void 0,r=void 0,o=void 0;return n?(i=t.eventBusEl_,e.length>=3&&e.shift(),r=e[0],o=e[1]):(i=e[0],r=e[1],o=e[2]),se(i),le(r),ue(o),o=ee(t,o),{isTargetingSelf:n,target:i,type:r,listener:o}},he=function(t,e,n,i){se(t),t.nodeName?Qt[e](t,n,i):t[e](n,i)},de={on:function(){for(var t=this,e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];var r=ce(this,n),o=r.isTargetingSelf,a=r.target,s=r.type,l=r.listener;if(he(a,"on",s,l),!o){var u=function(){return t.off(a,s,l)};u.guid=l.guid;var c=function(){return t.off("dispose",u)};c.guid=l.guid,he(this,"on","dispose",u),he(a,"on","dispose",c)}},one:function(){for(var t=this,e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];var r=ce(this,n),o=r.isTargetingSelf,a=r.target,s=r.type,l=r.listener;if(o)he(a,"one",s,l);else{var u=function e(){for(var n=arguments.length,i=Array(n),r=0;r<n;r++)i[r]=arguments[r];t.off(a,s,e),l.apply(null,i)};u.guid=l.guid,he(a,"one",s,u)}},off:function(t,e,n){if(!t||ae(t))Ut(this.eventBusEl_,t,e);else{var i=t,r=e;se(i),le(r),ue(n),n=ee(this,n),this.off("dispose",n),i.nodeName?(Ut(i,r,n),Ut(i,"dispose",n)):oe(i)&&(i.off(r,n),i.off("dispose",n))}},trigger:function(t,e){return Wt(this.eventBusEl_,t,e)}};function fe(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=e.eventBusKey;if(n){if(!t[n].nodeName)throw new Error('The eventBusKey "'+n+'" does not refer to an element.');t.eventBusEl_=t[n]}else t.eventBusEl_=at("span",{className:"vjs-event-bus"});return Y(t,de),t.on("dispose",(function(){t.off(),r.setTimeout((function(){t.eventBusEl_=null}),0)})),t}var pe={state:{},setState:function(t){var e=this;"function"===typeof t&&(t=t());var n=void 0;return z(t,(function(t,i){e.state[i]!==t&&(n=n||{},n[i]={from:e.state[i],to:t}),e.state[i]=t})),n&&oe(this)&&this.trigger({changes:n,type:"statechanged"}),n}};function ve(t,e){return Y(t,pe),t.state=Y({},t.state,e),"function"===typeof t.handleStateChanged&&oe(t)&&t.on("statechanged",t.handleStateChanged),t}function me(t){return"string"!==typeof t?t:t.charAt(0).toUpperCase()+t.slice(1)}function ge(t,e){return me(t)===me(e)}function ye(){for(var t={},e=arguments.length,n=Array(e),i=0;i<e;i++)n[i]=arguments[i];return n.forEach((function(e){e&&z(e,(function(e,n){U(e)?(U(t[n])||(t[n]={}),t[n]=ye(t[n],e)):t[n]=e}))})),t}var _e=function(){function t(e,n,i){if(P(this,t),!e&&this.play?this.player_=e=this:this.player_=e,this.options_=ye({},this.options_),n=this.options_=ye(this.options_,n),this.id_=n.id||n.el&&n.el.id,!this.id_){var r=e&&e.id&&e.id()||"no_player";this.id_=r+"_component_"+Dt()}this.name_=n.name||null,n.el?this.el_=n.el:!1!==n.createEl&&(this.el_=this.createEl()),!1!==n.evented&&fe(this,{eventBusKey:this.el_?"el_":null}),ve(this,this.constructor.defaultState),this.children_=[],this.childIndex_={},this.childNameIndex_={},!1!==n.initChildren&&this.initChildren(),this.ready(i),!1!==n.reportTouchActivity&&this.enableTouchActivity()}return t.prototype.dispose=function(){if(this.trigger({type:"dispose",bubbles:!1}),this.children_)for(var t=this.children_.length-1;t>=0;t--)this.children_[t].dispose&&this.children_[t].dispose();this.children_=null,this.childIndex_=null,this.childNameIndex_=null,this.el_&&(this.el_.parentNode&&this.el_.parentNode.removeChild(this.el_),It(this.el_),this.el_=null),this.player_=null},t.prototype.player=function(){return this.player_},t.prototype.options=function(t){return Z.warn("this.options() has been deprecated and will be moved to the constructor in 6.0"),t?(this.options_=ye(this.options_,t),this.options_):this.options_},t.prototype.el=function(){return this.el_},t.prototype.createEl=function(t,e,n){return at(t,e,n)},t.prototype.localize=function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t,i=this.player_.language&&this.player_.language(),r=this.player_.languages&&this.player_.languages(),o=r&&r[i],a=i&&i.split("-")[0],s=r&&r[a],l=n;return o&&o[t]?l=o[t]:s&&s[t]&&(l=s[t]),e&&(l=l.replace(/\{(\d+)\}/g,(function(t,n){var i=e[n-1],r=i;return"undefined"===typeof i&&(r=t),r}))),l},t.prototype.contentEl=function(){return this.contentEl_||this.el_},t.prototype.id=function(){return this.id_},t.prototype.name=function(){return this.name_},t.prototype.children=function(){return this.children_},t.prototype.getChildById=function(t){return this.childIndex_[t]},t.prototype.getChild=function(t){if(t)return t=me(t),this.childNameIndex_[t]},t.prototype.addChild=function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.children_.length,r=void 0,o=void 0;if("string"===typeof e){o=me(e);var a=n.componentClass||o;n.name=o;var s=t.getComponent(a);if(!s)throw new Error("Component "+a+" does not exist");if("function"!==typeof s)return null;r=new s(this.player_||this,n)}else r=e;if(this.children_.splice(i,0,r),"function"===typeof r.id&&(this.childIndex_[r.id()]=r),o=o||r.name&&me(r.name()),o&&(this.childNameIndex_[o]=r),"function"===typeof r.el&&r.el()){var l=this.contentEl().children,u=l[i]||null;this.contentEl().insertBefore(r.el(),u)}return r},t.prototype.removeChild=function(t){if("string"===typeof t&&(t=this.getChild(t)),t&&this.children_){for(var e=!1,n=this.children_.length-1;n>=0;n--)if(this.children_[n]===t){e=!0,this.children_.splice(n,1);break}if(e){this.childIndex_[t.id()]=null,this.childNameIndex_[t.name()]=null;var i=t.el();i&&i.parentNode===this.contentEl()&&this.contentEl().removeChild(t.el())}}},t.prototype.initChildren=function(){var e=this,n=this.options_.children;if(n){var i=this.options_,r=function(t){var n=t.name,r=t.opts;if(void 0!==i[n]&&(r=i[n]),!1!==r){!0===r&&(r={}),r.playerOptions=e.options_.playerOptions;var o=e.addChild(n,r);o&&(e[n]=o)}},o=void 0,a=t.getComponent("Tech");o=Array.isArray(n)?n:Object.keys(n),o.concat(Object.keys(this.options_).filter((function(t){return!o.some((function(e){return"string"===typeof e?t===e:t===e.name}))}))).map((function(t){var i=void 0,r=void 0;return"string"===typeof t?(i=t,r=n[i]||e.options_[i]||{}):(i=t.name,r=t),{name:i,opts:r}})).filter((function(e){var n=t.getComponent(e.opts.componentClass||me(e.name));return n&&!a.isTech(n)})).forEach(r)}},t.prototype.buildCSSClass=function(){return""},t.prototype.ready=function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(t)return this.isReady_?void(e?t.call(this):this.setTimeout(t,1)):(this.readyQueue_=this.readyQueue_||[],void this.readyQueue_.push(t))},t.prototype.triggerReady=function(){this.isReady_=!0,this.setTimeout((function(){var t=this.readyQueue_;this.readyQueue_=[],t&&t.length>0&&t.forEach((function(t){t.call(this)}),this),this.trigger("ready")}),1)},t.prototype.$=function(t,e){return St(t,e||this.contentEl())},t.prototype.$$=function(t,e){return Ot(t,e||this.contentEl())},t.prototype.hasClass=function(t){return ut(this.el_,t)},t.prototype.addClass=function(t){ct(this.el_,t)},t.prototype.removeClass=function(t){ht(this.el_,t)},t.prototype.toggleClass=function(t,e){dt(this.el_,t,e)},t.prototype.show=function(){this.removeClass("vjs-hidden")},t.prototype.hide=function(){this.addClass("vjs-hidden")},t.prototype.lockShowing=function(){this.addClass("vjs-lock-showing")},t.prototype.unlockShowing=function(){this.removeClass("vjs-lock-showing")},t.prototype.getAttribute=function(t){return vt(this.el_,t)},t.prototype.setAttribute=function(t,e){mt(this.el_,t,e)},t.prototype.removeAttribute=function(t){gt(this.el_,t)},t.prototype.width=function(t,e){return this.dimension("width",t,e)},t.prototype.height=function(t,e){return this.dimension("height",t,e)},t.prototype.dimensions=function(t,e){this.width(t,!0),this.height(e)},t.prototype.dimension=function(t,e,n){if(void 0!==e)return null!==e&&e===e||(e=0),-1!==(""+e).indexOf("%")||-1!==(""+e).indexOf("px")?this.el_.style[t]=e:this.el_.style[t]="auto"===e?"":e+"px",void(n||this.trigger("componentresize"));if(!this.el_)return 0;var i=this.el_.style[t],r=i.indexOf("px");return-1!==r?parseInt(i.slice(0,r),10):parseInt(this.el_["offset"+me(t)],10)},t.prototype.currentDimension=function(t){var e=0;if("width"!==t&&"height"!==t)throw new Error("currentDimension only accepts width or height value");if("function"===typeof r.getComputedStyle){var n=r.getComputedStyle(this.el_);e=n.getPropertyValue(t)||n[t]}if(e=parseFloat(e),0===e){var i="offset"+me(t);e=this.el_[i]}return e},t.prototype.currentDimensions=function(){return{width:this.currentDimension("width"),height:this.currentDimension("height")}},t.prototype.currentWidth=function(){return this.currentDimension("width")},t.prototype.currentHeight=function(){return this.currentDimension("height")},t.prototype.focus=function(){this.el_.focus()},t.prototype.blur=function(){this.el_.blur()},t.prototype.emitTapEvents=function(){var t=0,e=null,n=10,i=200,r=void 0;this.on("touchstart",(function(n){1===n.touches.length&&(e={pageX:n.touches[0].pageX,pageY:n.touches[0].pageY},t=(new Date).getTime(),r=!0)})),this.on("touchmove",(function(t){if(t.touches.length>1)r=!1;else if(e){var i=t.touches[0].pageX-e.pageX,o=t.touches[0].pageY-e.pageY,a=Math.sqrt(i*i+o*o);a>n&&(r=!1)}}));var o=function(){r=!1};this.on("touchleave",o),this.on("touchcancel",o),this.on("touchend",(function(n){if(e=null,!0===r){var o=(new Date).getTime()-t;o<i&&(n.preventDefault(),this.trigger("tap"))}}))},t.prototype.enableTouchActivity=function(){if(this.player()&&this.player().reportUserActivity){var t=ee(this.player(),this.player().reportUserActivity),e=void 0;this.on("touchstart",(function(){t(),this.clearInterval(e),e=this.setInterval(t,250)}));var n=function(n){t(),this.clearInterval(e)};this.on("touchmove",t),this.on("touchend",n),this.on("touchcancel",n)}},t.prototype.setTimeout=function(t,e){var n,i,o=this;return t=ee(this,t),n=r.setTimeout((function(){o.off("dispose",i),t()}),e),i=function(){return o.clearTimeout(n)},i.guid="vjs-timeout-"+n,this.on("dispose",i),n},t.prototype.clearTimeout=function(t){r.clearTimeout(t);var e=function(){};return e.guid="vjs-timeout-"+t,this.off("dispose",e),t},t.prototype.setInterval=function(t,e){var n=this;t=ee(this,t);var i=r.setInterval(t,e),o=function(){return n.clearInterval(i)};return o.guid="vjs-interval-"+i,this.on("dispose",o),i},t.prototype.clearInterval=function(t){r.clearInterval(t);var e=function(){};return e.guid="vjs-interval-"+t,this.off("dispose",e),t},t.prototype.requestAnimationFrame=function(t){var e,n,i=this;return this.supportsRaf_?(t=ee(this,t),e=r.requestAnimationFrame((function(){i.off("dispose",n),t()})),n=function(){return i.cancelAnimationFrame(e)},n.guid="vjs-raf-"+e,this.on("dispose",n),e):this.setTimeout(t,1e3/60)},t.prototype.cancelAnimationFrame=function(t){if(this.supportsRaf_){r.cancelAnimationFrame(t);var e=function(){};return e.guid="vjs-raf-"+t,this.off("dispose",e),t}return this.clearTimeout(t)},t.registerComponent=function(e,n){if("string"!==typeof e||!e)throw new Error('Illegal component name, "'+e+'"; must be a non-empty string.');var i=t.getComponent("Tech"),r=i&&i.isTech(n),o=t===n||t.prototype.isPrototypeOf(n.prototype);if(r||!o){var a=void 0;throw a=r?"techs must be registered using Tech.registerTech()":"must be a Component subclass",new Error('Illegal component, "'+e+'"; '+a+".")}e=me(e),t.components_||(t.components_={});var s=t.getComponent("Player");if("Player"===e&&s&&s.players){var l=s.players,u=Object.keys(l);if(l&&u.length>0&&u.map((function(t){return l[t]})).every(Boolean))throw new Error("Can not register Player component after player has been created.")}return t.components_[e]=n,n},t.getComponent=function(e){if(e)return e=me(e),t.components_&&t.components_[e]?t.components_[e]:void 0},t}();function be(t,e,n){if("number"!==typeof e||e<0||e>n)throw new Error("Failed to execute '"+t+"' on 'TimeRanges': The index provided ("+e+") is non-numeric or out of bounds (0-"+n+").")}function we(t,e,n,i){return be(t,i,n.length-1),n[i][e]}function Ae(t){return void 0===t||0===t.length?{length:0,start:function(){throw new Error("This TimeRanges object is empty")},end:function(){throw new Error("This TimeRanges object is empty")}}:{length:t.length,start:we.bind(null,"start",0,t),end:we.bind(null,"end",1,t)}}function xe(t,e){return Array.isArray(t)?Ae(t):void 0===t||void 0===e?Ae():Ae([[t,e]])}function ke(t,e){var n=0,i=void 0,r=void 0;if(!e)return 0;t&&t.length||(t=xe(0,0));for(var o=0;o<t.length;o++)i=t.start(o),r=t.end(o),r>e&&(r=e),n+=r-i;return n/e}_e.prototype.supportsRaf_="function"===typeof r.requestAnimationFrame&&"function"===typeof r.cancelAnimationFrame,_e.registerComponent("Component",_e);for(var je={},Ce=[["requestFullscreen","exitFullscreen","fullscreenElement","fullscreenEnabled","fullscreenchange","fullscreenerror"],["webkitRequestFullscreen","webkitExitFullscreen","webkitFullscreenElement","webkitFullscreenEnabled","webkitfullscreenchange","webkitfullscreenerror"],["webkitRequestFullScreen","webkitCancelFullScreen","webkitCurrentFullScreenElement","webkitCancelFullScreen","webkitfullscreenchange","webkitfullscreenerror"],["mozRequestFullScreen","mozCancelFullScreen","mozFullScreenElement","mozFullScreenEnabled","mozfullscreenchange","mozfullscreenerror"],["msRequestFullscreen","msExitFullscreen","msFullscreenElement","msFullscreenEnabled","MSFullscreenChange","MSFullscreenError"]],Te=Ce[0],Ee=void 0,Se=0;Se<Ce.length;Se++)if(Ce[Se][1]in o){Ee=Ce[Se];break}if(Ee)for(var Oe=0;Oe<Ee.length;Oe++)je[Te[Oe]]=Ee[Oe];function qe(t){if(t instanceof qe)return t;"number"===typeof t?this.code=t:"string"===typeof t?this.message=t:H(t)&&("number"===typeof t.code&&(this.code=t.code),Y(this,t)),this.message||(this.message=qe.defaultMessages[this.code]||"")}qe.prototype.code=0,qe.prototype.message="",qe.prototype.status=null,qe.errorTypes=["MEDIA_ERR_CUSTOM","MEDIA_ERR_ABORTED","MEDIA_ERR_NETWORK","MEDIA_ERR_DECODE","MEDIA_ERR_SRC_NOT_SUPPORTED","MEDIA_ERR_ENCRYPTED"],qe.defaultMessages={1:"You aborted the media playback",2:"A network error caused the media download to fail part-way.",3:"The media playback was aborted due to a corruption problem or because the media used features your browser did not support.",4:"The media could not be loaded, either because the server or network failed or because the format is not supported.",5:"The media is encrypted and we do not have the keys to decrypt it."};for(var Ne=0;Ne<qe.errorTypes.length;Ne++)qe[qe.errorTypes[Ne]]=Ne,qe.prototype[qe.errorTypes[Ne]]=Ne;function De(t){return void 0!==t&&null!==t&&"function"===typeof t.then}function Me(t){De(t)&&t.then(null,(function(t){}))}var Pe=function(t){var e=["kind","label","language","id","inBandMetadataTrackDispatchType","mode","src"].reduce((function(e,n,i){return t[n]&&(e[n]=t[n]),e}),{cues:t.cues&&Array.prototype.map.call(t.cues,(function(t){return{startTime:t.startTime,endTime:t.endTime,text:t.text,id:t.id}}))});return e},Le=function(t){var e=t.$$("track"),n=Array.prototype.map.call(e,(function(t){return t.track})),i=Array.prototype.map.call(e,(function(t){var e=Pe(t.track);return t.src&&(e.src=t.src),e}));return i.concat(Array.prototype.filter.call(t.textTracks(),(function(t){return-1===n.indexOf(t)})).map(Pe))},Be=function(t,e){return t.forEach((function(t){var n=e.addRemoteTextTrack(t).track;!t.src&&t.cues&&t.cues.forEach((function(t){return n.addCue(t)}))})),e.textTracks()},Ie={textTracksToJson:Le,jsonToTextTracks:Be,trackToJson_:Pe},Re="vjs-modal-dialog",Fe=27,ze=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.opened_=r.hasBeenOpened_=r.hasBeenFilled_=!1,r.closeable(!r.options_.uncloseable),r.content(r.options_.content),r.contentEl_=at("div",{className:Re+"-content"},{role:"document"}),r.descEl_=at("p",{className:Re+"-description vjs-control-text",id:r.el().getAttribute("aria-describedby")}),st(r.descEl_,r.description()),r.el_.appendChild(r.descEl_),r.el_.appendChild(r.contentEl_),r}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildCSSClass(),tabIndex:-1},{"aria-describedby":this.id()+"_description","aria-hidden":"true","aria-label":this.label(),role:"dialog"})},e.prototype.dispose=function(){this.contentEl_=null,this.descEl_=null,this.previouslyActiveEl_=null,t.prototype.dispose.call(this)},e.prototype.buildCSSClass=function(){return Re+" vjs-hidden "+t.prototype.buildCSSClass.call(this)},e.prototype.handleKeyPress=function(t){t.which===Fe&&this.closeable()&&this.close()},e.prototype.label=function(){return this.localize(this.options_.label||"Modal Window")},e.prototype.description=function(){var t=this.options_.description||this.localize("This is a modal window.");return this.closeable()&&(t+=" "+this.localize("This modal can be closed by pressing the Escape key or activating the close button.")),t},e.prototype.open=function(){if(!this.opened_){var t=this.player();this.trigger("beforemodalopen"),this.opened_=!0,(this.options_.fillAlways||!this.hasBeenOpened_&&!this.hasBeenFilled_)&&this.fill(),this.wasPlaying_=!t.paused(),this.options_.pauseOnOpen&&this.wasPlaying_&&t.pause(),this.closeable()&&this.on(this.el_.ownerDocument,"keydown",ee(this,this.handleKeyPress)),this.hadControls_=t.controls(),t.controls(!1),this.show(),this.conditionalFocus_(),this.el().setAttribute("aria-hidden","false"),this.trigger("modalopen"),this.hasBeenOpened_=!0}},e.prototype.opened=function(t){return"boolean"===typeof t&&this[t?"open":"close"](),this.opened_},e.prototype.close=function(){if(this.opened_){var t=this.player();this.trigger("beforemodalclose"),this.opened_=!1,this.wasPlaying_&&this.options_.pauseOnOpen&&t.play(),this.closeable()&&this.off(this.el_.ownerDocument,"keydown",ee(this,this.handleKeyPress)),this.hadControls_&&t.controls(!0),this.hide(),this.el().setAttribute("aria-hidden","true"),this.trigger("modalclose"),this.conditionalBlur_(),this.options_.temporary&&this.dispose()}},e.prototype.closeable=function(t){if("boolean"===typeof t){var e=this.closeable_=!!t,n=this.getChild("closeButton");if(e&&!n){var i=this.contentEl_;this.contentEl_=this.el_,n=this.addChild("closeButton",{controlText:"Close Modal Dialog"}),this.contentEl_=i,this.on(n,"close",this.close)}!e&&n&&(this.off(n,"close",this.close),this.removeChild(n),n.dispose())}return this.closeable_},e.prototype.fill=function(){this.fillWith(this.content())},e.prototype.fillWith=function(t){var e=this.contentEl(),n=e.parentNode,i=e.nextSibling;this.trigger("beforemodalfill"),this.hasBeenFilled_=!0,n.removeChild(e),this.empty(),Tt(e,t),this.trigger("modalfill"),i?n.insertBefore(e,i):n.appendChild(e);var r=this.getChild("closeButton");r&&n.appendChild(r.el_)},e.prototype.empty=function(){this.trigger("beforemodalempty"),kt(this.contentEl()),this.trigger("modalempty")},e.prototype.content=function(t){return"undefined"!==typeof t&&(this.content_=t),this.content_},e.prototype.conditionalFocus_=function(){var t=o.activeElement,e=this.player_.el_;this.previouslyActiveEl_=null,(e.contains(t)||e===t)&&(this.previouslyActiveEl_=t,this.focus(),this.on(o,"keydown",this.handleKeyDown))},e.prototype.conditionalBlur_=function(){this.previouslyActiveEl_&&(this.previouslyActiveEl_.focus(),this.previouslyActiveEl_=null),this.off(o,"keydown",this.handleKeyDown)},e.prototype.handleKeyDown=function(t){if(9===t.which){for(var e=this.focusableEls_(),n=this.el_.querySelector(":focus"),i=void 0,r=0;r<e.length;r++)if(n===e[r]){i=r;break}o.activeElement===this.el_&&(i=0),t.shiftKey&&0===i?(e[e.length-1].focus(),t.preventDefault()):t.shiftKey||i!==e.length-1||(e[0].focus(),t.preventDefault())}},e.prototype.focusableEls_=function(){var t=this.el_.querySelectorAll("*");return Array.prototype.filter.call(t,(function(t){return(t instanceof r.HTMLAnchorElement||t instanceof r.HTMLAreaElement)&&t.hasAttribute("href")||(t instanceof r.HTMLInputElement||t instanceof r.HTMLSelectElement||t instanceof r.HTMLTextAreaElement||t instanceof r.HTMLButtonElement)&&!t.hasAttribute("disabled")||t instanceof r.HTMLIFrameElement||t instanceof r.HTMLObjectElement||t instanceof r.HTMLEmbedElement||t.hasAttribute("tabindex")&&-1!==t.getAttribute("tabindex")||t.hasAttribute("contenteditable")}))},e}(_e);ze.prototype.options_={pauseOnOpen:!0,temporary:!0},_e.registerComponent("ModalDialog",ze);var Ve=function(t){function e(){var n,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;P(this,e);var a=B(this,t.call(this));if(!r&&(r=a,T))for(var s in r=o.createElement("custom"),e.prototype)"constructor"!==s&&(r[s]=e.prototype[s]);r.tracks_=[],Object.defineProperty(r,"length",{get:function(){return this.tracks_.length}});for(var l=0;l<i.length;l++)r.addTrack(i[l]);return n=r,B(a,n)}return L(e,t),e.prototype.addTrack=function(t){var e=this.tracks_.length;""+e in this||Object.defineProperty(this,e,{get:function(){return this.tracks_[e]}}),-1===this.tracks_.indexOf(t)&&(this.tracks_.push(t),this.trigger({track:t,type:"addtrack"}))},e.prototype.removeTrack=function(t){for(var e=void 0,n=0,i=this.length;n<i;n++)if(this[n]===t){e=this[n],e.off&&e.off(),this.tracks_.splice(n,1);break}e&&this.trigger({track:e,type:"removetrack"})},e.prototype.getTrackById=function(t){for(var e=null,n=0,i=this.length;n<i;n++){var r=this[n];if(r.id===t){e=r;break}}return e},e}(re);for(var Ye in Ve.prototype.allowedEvents_={change:"change",addtrack:"addtrack",removetrack:"removetrack"},Ve.prototype.allowedEvents_)Ve.prototype["on"+Ye]=null;var He=function(t,e){for(var n=0;n<t.length;n++)Object.keys(t[n]).length&&e.id!==t[n].id&&(t[n].enabled=!1)},Ue=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];P(this,e);for(var a=void 0,s=r.length-1;s>=0;s--)if(r[s].enabled){He(r,r[s]);break}if(T){for(var l in a=o.createElement("custom"),Ve.prototype)"constructor"!==l&&(a[l]=Ve.prototype[l]);for(var u in e.prototype)"constructor"!==u&&(a[u]=e.prototype[u])}return n=B(this,t.call(this,r,a)),a=n,a.changing_=!1,i=a,B(n,i)}return L(e,t),e.prototype.addTrack=function(e){var n=this;e.enabled&&He(this,e),t.prototype.addTrack.call(this,e),e.addEventListener&&e.addEventListener("enabledchange",(function(){n.changing_||(n.changing_=!0,He(n,e),n.changing_=!1,n.trigger("change"))}))},e}(Ve),We=function(t,e){for(var n=0;n<t.length;n++)Object.keys(t[n]).length&&e.id!==t[n].id&&(t[n].selected=!1)},Ge=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];P(this,e);for(var a=void 0,s=r.length-1;s>=0;s--)if(r[s].selected){We(r,r[s]);break}if(T){for(var l in a=o.createElement("custom"),Ve.prototype)"constructor"!==l&&(a[l]=Ve.prototype[l]);for(var u in e.prototype)"constructor"!==u&&(a[u]=e.prototype[u])}return n=B(this,t.call(this,r,a)),a=n,a.changing_=!1,Object.defineProperty(a,"selectedIndex",{get:function(){for(var t=0;t<this.length;t++)if(this[t].selected)return t;return-1},set:function(){}}),i=a,B(n,i)}return L(e,t),e.prototype.addTrack=function(e){var n=this;e.selected&&We(this,e),t.prototype.addTrack.call(this,e),e.addEventListener&&e.addEventListener("selectedchange",(function(){n.changing_||(n.changing_=!0,We(n,e),n.changing_=!1,n.trigger("change"))}))},e}(Ve),Qe=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];P(this,e);var a=void 0;if(T){for(var s in a=o.createElement("custom"),Ve.prototype)"constructor"!==s&&(a[s]=Ve.prototype[s]);for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l])}return n=B(this,t.call(this,r,a)),a=n,i=a,B(n,i)}return L(e,t),e.prototype.addTrack=function(e){t.prototype.addTrack.call(this,e),e.addEventListener("modechange",ee(this,(function(){this.trigger("change")})));var n=["metadata","chapters"];-1===n.indexOf(e.kind)&&e.addEventListener("modechange",ee(this,(function(){this.trigger("selectedlanguagechange")})))},e}(Ve),Ze=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];P(this,t);var n=this;if(T)for(var i in n=o.createElement("custom"),t.prototype)"constructor"!==i&&(n[i]=t.prototype[i]);n.trackElements_=[],Object.defineProperty(n,"length",{get:function(){return this.trackElements_.length}});for(var r=0,a=e.length;r<a;r++)n.addTrackElement_(e[r]);if(T)return n}return t.prototype.addTrackElement_=function(t){var e=this.trackElements_.length;""+e in this||Object.defineProperty(this,e,{get:function(){return this.trackElements_[e]}}),-1===this.trackElements_.indexOf(t)&&this.trackElements_.push(t)},t.prototype.getTrackElementByTrack_=function(t){for(var e=void 0,n=0,i=this.trackElements_.length;n<i;n++)if(t===this.trackElements_[n].track){e=this.trackElements_[n];break}return e},t.prototype.removeTrackElement_=function(t){for(var e=0,n=this.trackElements_.length;e<n;e++)if(t===this.trackElements_[e]){this.trackElements_.splice(e,1);break}},t}(),Ke=function(){function t(e){P(this,t);var n=this;if(T)for(var i in n=o.createElement("custom"),t.prototype)"constructor"!==i&&(n[i]=t.prototype[i]);if(t.prototype.setCues_.call(n,e),Object.defineProperty(n,"length",{get:function(){return this.length_}}),T)return n}return t.prototype.setCues_=function(t){var e=this.length||0,n=0,i=t.length;this.cues_=t,this.length_=t.length;var r=function(t){""+t in this||Object.defineProperty(this,""+t,{get:function(){return this.cues_[t]}})};if(e<i)for(n=e;n<i;n++)r.call(this,n)},t.prototype.getCueById=function(t){for(var e=null,n=0,i=this.length;n<i;n++){var r=this[n];if(r.id===t){e=r;break}}return e},t}(),Je={alternative:"alternative",captions:"captions",main:"main",sign:"sign",subtitles:"subtitles",commentary:"commentary"},Xe={alternative:"alternative",descriptions:"descriptions",main:"main","main-desc":"main-desc",translation:"translation",commentary:"commentary"},$e={subtitles:"subtitles",captions:"captions",descriptions:"descriptions",chapters:"chapters",metadata:"metadata"},tn={disabled:"disabled",hidden:"hidden",showing:"showing"},en=function(t){function e(){var n,i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};P(this,e);var r=B(this,t.call(this)),a=r;if(T)for(var s in a=o.createElement("custom"),e.prototype)"constructor"!==s&&(a[s]=e.prototype[s]);var l={id:i.id||"vjs_track_"+Dt(),kind:i.kind||"",label:i.label||"",language:i.language||""},u=function(t){Object.defineProperty(a,t,{get:function(){return l[t]},set:function(){}})};for(var c in l)u(c);return n=a,B(r,n)}return L(e,t),e}(re),nn=function(t){var e=["protocol","hostname","port","pathname","search","hash","host"],n=o.createElement("a");n.href=t;var i=""===n.host&&"file:"!==n.protocol,a=void 0;i&&(a=o.createElement("div"),a.innerHTML='<a href="'+t+'"></a>',n=a.firstChild,a.setAttribute("style","display:none; position:absolute;"),o.body.appendChild(a));for(var s={},l=0;l<e.length;l++)s[e[l]]=n[e[l]];return"http:"===s.protocol&&(s.host=s.host.replace(/:80$/,"")),"https:"===s.protocol&&(s.host=s.host.replace(/:443$/,"")),s.protocol||(s.protocol=r.location.protocol),i&&o.body.removeChild(a),s},rn=function(t){if(!t.match(/^https?:\/\//)){var e=o.createElement("div");e.innerHTML='<a href="'+t+'">x</a>',t=e.firstChild.href}return t},on=function(t){if("string"===typeof t){var e=/^(\/?)([\s\S]*?)((?:\.{1,2}|[^\/]+?)(\.([^\.\/\?]+)))(?:[\/]*|[\?].*)$/i,n=e.exec(t);if(n)return n.pop().toLowerCase()}return""},an=function(t){var e=r.location,n=nn(t),i=":"===n.protocol?e.protocol:n.protocol,o=i+n.host!==e.protocol+e.host;return o},sn=(Object.freeze||Object)({parseUrl:nn,getAbsoluteURL:rn,getFileExtension:on,isCrossOrigin:an}),ln=function(t,e){var n=new r.WebVTT.Parser(r,r.vttjs,r.WebVTT.StringDecoder()),i=[];n.oncue=function(t){e.addCue(t)},n.onparsingerror=function(t){i.push(t)},n.onflush=function(){e.trigger({type:"loadeddata",target:e})},n.parse(t),i.length>0&&(r.console&&r.console.groupCollapsed&&r.console.groupCollapsed("Text Track parsing errors for "+e.src),i.forEach((function(t){return Z.error(t)})),r.console&&r.console.groupEnd&&r.console.groupEnd()),n.flush()},un=function(t,e){var n={uri:t},i=an(t);i&&(n.cors=i),l(n,ee(this,(function(t,n,i){if(t)return Z.error(t,n);if(e.loaded_=!0,"function"!==typeof r.WebVTT){if(e.tech_){var o=function(){return ln(i,e)};e.tech_.on("vttjsloaded",o),e.tech_.on("vttjserror",(function(){Z.error("vttjs failed to load, stopping trying to process "+e.src),e.tech_.off("vttjsloaded",o)}))}}else ln(i,e)})))},cn=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(P(this,e),!r.tech)throw new Error("A tech was not provided.");var o=ye(r,{kind:$e[r.kind]||"subtitles",language:r.language||r.srclang||""}),a=tn[o.mode]||"disabled",s=o["default"];"metadata"!==o.kind&&"chapters"!==o.kind||(a="hidden");var l=(n=B(this,t.call(this,o)),n);if(l.tech_=o.tech,T)for(var u in e.prototype)"constructor"!==u&&(l[u]=e.prototype[u]);l.cues_=[],l.activeCues_=[];var c=new Ke(l.cues_),h=new Ke(l.activeCues_),d=!1,f=ee(l,(function(){this.activeCues=this.activeCues,d&&(this.trigger("cuechange"),d=!1)}));return"disabled"!==a&&l.tech_.ready((function(){l.tech_.on("timeupdate",f)}),!0),Object.defineProperty(l,"default",{get:function(){return s},set:function(){}}),Object.defineProperty(l,"mode",{get:function(){return a},set:function(t){var e=this;tn[t]&&(a=t,"disabled"!==a?this.tech_.ready((function(){e.tech_.on("timeupdate",f)}),!0):this.tech_.off("timeupdate",f),this.trigger("modechange"))}}),Object.defineProperty(l,"cues",{get:function(){return this.loaded_?c:null},set:function(){}}),Object.defineProperty(l,"activeCues",{get:function(){if(!this.loaded_)return null;if(0===this.cues.length)return h;for(var t=this.tech_.currentTime(),e=[],n=0,i=this.cues.length;n<i;n++){var r=this.cues[n];(r.startTime<=t&&r.endTime>=t||r.startTime===r.endTime&&r.startTime<=t&&r.startTime+.5>=t)&&e.push(r)}if(d=!1,e.length!==this.activeCues_.length)d=!0;else for(var o=0;o<e.length;o++)-1===this.activeCues_.indexOf(e[o])&&(d=!0);return this.activeCues_=e,h.setCues_(this.activeCues_),h},set:function(){}}),o.src?(l.src=o.src,un(o.src,l)):l.loaded_=!0,i=l,B(n,i)}return L(e,t),e.prototype.addCue=function(t){var e=t;if(r.vttjs&&!(t instanceof r.vttjs.VTTCue)){for(var n in e=new r.vttjs.VTTCue(t.startTime,t.endTime,t.text),t)n in e||(e[n]=t[n]);e.id=t.id,e.originalCue_=t}for(var i=this.tech_.textTracks(),o=0;o<i.length;o++)i[o]!==this&&i[o].removeCue(e);this.cues_.push(e),this.cues.setCues_(this.cues_)},e.prototype.removeCue=function(t){var e=this.cues_.length;while(e--){var n=this.cues_[e];if(n===t||n.originalCue_&&n.originalCue_===t){this.cues_.splice(e,1),this.cues.setCues_(this.cues_);break}}},e}(en);cn.prototype.allowedEvents_={cuechange:"cuechange"};var hn=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};P(this,e);var o=ye(r,{kind:Xe[r.kind]||""}),a=(n=B(this,t.call(this,o)),n),s=!1;if(T)for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l]);return Object.defineProperty(a,"enabled",{get:function(){return s},set:function(t){"boolean"===typeof t&&t!==s&&(s=t,this.trigger("enabledchange"))}}),o.enabled&&(a.enabled=o.enabled),a.loaded_=!0,i=a,B(n,i)}return L(e,t),e}(en),dn=function(t){function e(){var n,i,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};P(this,e);var o=ye(r,{kind:Je[r.kind]||""}),a=(n=B(this,t.call(this,o)),n),s=!1;if(T)for(var l in e.prototype)"constructor"!==l&&(a[l]=e.prototype[l]);return Object.defineProperty(a,"selected",{get:function(){return s},set:function(t){"boolean"===typeof t&&t!==s&&(s=t,this.trigger("selectedchange"))}}),o.selected&&(a.selected=o.selected),i=a,B(n,i)}return L(e,t),e}(en),fn=0,pn=1,vn=2,mn=3,gn=function(t){function e(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};P(this,e);var i=B(this,t.call(this)),r=void 0,a=i;if(T)for(var s in a=o.createElement("custom"),e.prototype)"constructor"!==s&&(a[s]=e.prototype[s]);var l,u=new cn(n);return a.kind=u.kind,a.src=u.src,a.srclang=u.language,a.label=u.label,a["default"]=u["default"],Object.defineProperty(a,"readyState",{get:function(){return r}}),Object.defineProperty(a,"track",{get:function(){return u}}),r=fn,u.addEventListener("loadeddata",(function(){r=vn,a.trigger({type:"load",target:a})})),T?(l=a,B(i,l)):i}return L(e,t),e}(re);gn.prototype.allowedEvents_={load:"load"},gn.NONE=fn,gn.LOADING=pn,gn.LOADED=vn,gn.ERROR=mn;var yn={audio:{ListClass:Ue,TrackClass:hn,capitalName:"Audio"},video:{ListClass:Ge,TrackClass:dn,capitalName:"Video"},text:{ListClass:Qe,TrackClass:cn,capitalName:"Text"}};Object.keys(yn).forEach((function(t){yn[t].getterName=t+"Tracks",yn[t].privateName=t+"Tracks_"}));var _n={remoteText:{ListClass:Qe,TrackClass:cn,capitalName:"RemoteText",getterName:"remoteTextTracks",privateName:"remoteTextTracks_"},remoteTextEl:{ListClass:Ze,TrackClass:gn,capitalName:"RemoteTextTrackEls",getterName:"remoteTextTrackEls",privateName:"remoteTextTrackEls_"}},bn=ye(yn,_n);function wn(t,e,n,i){var r=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},o=t.textTracks();r.kind=e,n&&(r.label=n),i&&(r.language=i),r.tech=t;var a=new bn.text.TrackClass(r);return o.addTrack(a),a}_n.names=Object.keys(_n),yn.names=Object.keys(yn),bn.names=[].concat(_n.names).concat(yn.names);var An=function(t){function e(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:function(){};P(this,e),n.reportTouchActivity=!1;var r=B(this,t.call(this,null,n,i));return r.hasStarted_=!1,r.on("playing",(function(){this.hasStarted_=!0})),r.on("loadstart",(function(){this.hasStarted_=!1})),bn.names.forEach((function(t){var e=bn[t];n&&n[e.getterName]&&(r[e.privateName]=n[e.getterName])})),r.featuresProgressEvents||r.manualProgressOn(),r.featuresTimeupdateEvents||r.manualTimeUpdatesOn(),["Text","Audio","Video"].forEach((function(t){!1===n["native"+t+"Tracks"]&&(r["featuresNative"+t+"Tracks"]=!1)})),!1===n.nativeCaptions||!1===n.nativeTextTracks?r.featuresNativeTextTracks=!1:!0!==n.nativeCaptions&&!0!==n.nativeTextTracks||(r.featuresNativeTextTracks=!0),r.featuresNativeTextTracks||r.emulateTextTracks(),r.autoRemoteTextTracks_=new bn.text.ListClass,r.initTrackListeners(),n.nativeControlsForTouch||r.emitTapEvents(),r.constructor&&(r.name_=r.constructor.name||"Unknown Tech"),r}return L(e,t),e.prototype.triggerSourceset=function(t){var e=this;this.isReady_||this.one("ready",(function(){return e.setTimeout((function(){return e.triggerSourceset(t)}),1)})),this.trigger({src:t,type:"sourceset"})},e.prototype.manualProgressOn=function(){this.on("durationchange",this.onDurationChange),this.manualProgress=!0,this.one("ready",this.trackProgress)},e.prototype.manualProgressOff=function(){this.manualProgress=!1,this.stopTrackingProgress(),this.off("durationchange",this.onDurationChange)},e.prototype.trackProgress=function(t){this.stopTrackingProgress(),this.progressInterval=this.setInterval(ee(this,(function(){var t=this.bufferedPercent();this.bufferedPercent_!==t&&this.trigger("progress"),this.bufferedPercent_=t,1===t&&this.stopTrackingProgress()})),500)},e.prototype.onDurationChange=function(t){this.duration_=this.duration()},e.prototype.buffered=function(){return xe(0,0)},e.prototype.bufferedPercent=function(){return ke(this.buffered(),this.duration_)},e.prototype.stopTrackingProgress=function(){this.clearInterval(this.progressInterval)},e.prototype.manualTimeUpdatesOn=function(){this.manualTimeUpdates=!0,this.on("play",this.trackCurrentTime),this.on("pause",this.stopTrackingCurrentTime)},e.prototype.manualTimeUpdatesOff=function(){this.manualTimeUpdates=!1,this.stopTrackingCurrentTime(),this.off("play",this.trackCurrentTime),this.off("pause",this.stopTrackingCurrentTime)},e.prototype.trackCurrentTime=function(){this.currentTimeInterval&&this.stopTrackingCurrentTime(),this.currentTimeInterval=this.setInterval((function(){this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})}),250)},e.prototype.stopTrackingCurrentTime=function(){this.clearInterval(this.currentTimeInterval),this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})},e.prototype.dispose=function(){this.clearTracks(yn.names),this.manualProgress&&this.manualProgressOff(),this.manualTimeUpdates&&this.manualTimeUpdatesOff(),t.prototype.dispose.call(this)},e.prototype.clearTracks=function(t){var e=this;t=[].concat(t),t.forEach((function(t){var n=e[t+"Tracks"]()||[],i=n.length;while(i--){var r=n[i];"text"===t&&e.removeRemoteTextTrack(r),n.removeTrack(r)}}))},e.prototype.cleanupAutoTextTracks=function(){var t=this.autoRemoteTextTracks_||[],e=t.length;while(e--){var n=t[e];this.removeRemoteTextTrack(n)}},e.prototype.reset=function(){},e.prototype.error=function(t){return void 0!==t&&(this.error_=new qe(t),this.trigger("error")),this.error_},e.prototype.played=function(){return this.hasStarted_?xe(0,0):xe()},e.prototype.setCurrentTime=function(){this.manualTimeUpdates&&this.trigger({type:"timeupdate",target:this,manuallyTriggered:!0})},e.prototype.initTrackListeners=function(){var t=this;yn.names.forEach((function(e){var n=yn[e],i=function(){t.trigger(e+"trackchange")},r=t[n.getterName]();r.addEventListener("removetrack",i),r.addEventListener("addtrack",i),t.on("dispose",(function(){r.removeEventListener("removetrack",i),r.removeEventListener("addtrack",i)}))}))},e.prototype.addWebVttScript_=function(){var t=this;if(!r.WebVTT)if(o.body.contains(this.el())){if(!this.options_["vtt.js"]&&U(u)&&Object.keys(u).length>0)return void this.trigger("vttjsloaded");var e=o.createElement("script");e.src=this.options_["vtt.js"]||"https://vjs.zencdn.net/vttjs/0.12.4/vtt.min.js",e.onload=function(){t.trigger("vttjsloaded")},e.onerror=function(){t.trigger("vttjserror")},this.on("dispose",(function(){e.onload=null,e.onerror=null})),r.WebVTT=!0,this.el().parentNode.appendChild(e)}else this.ready(this.addWebVttScript_)},e.prototype.emulateTextTracks=function(){var t=this,e=this.textTracks(),n=this.remoteTextTracks(),i=function(t){return e.addTrack(t.track)},r=function(t){return e.removeTrack(t.track)};n.on("addtrack",i),n.on("removetrack",r),this.addWebVttScript_();var o=function(){return t.trigger("texttrackchange")},a=function(){o();for(var t=0;t<e.length;t++){var n=e[t];n.removeEventListener("cuechange",o),"showing"===n.mode&&n.addEventListener("cuechange",o)}};a(),e.addEventListener("change",a),e.addEventListener("addtrack",a),e.addEventListener("removetrack",a),this.on("dispose",(function(){n.off("addtrack",i),n.off("removetrack",r),e.removeEventListener("change",a),e.removeEventListener("addtrack",a),e.removeEventListener("removetrack",a);for(var t=0;t<e.length;t++){var s=e[t];s.removeEventListener("cuechange",o)}}))},e.prototype.addTextTrack=function(t,e,n){if(!t)throw new Error("TextTrack kind is required but was not provided");return wn(this,t,e,n)},e.prototype.createRemoteTextTrack=function(t){var e=ye(t,{tech:this});return new _n.remoteTextEl.TrackClass(e)},e.prototype.addRemoteTextTrack=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=arguments[1],i=this.createRemoteTextTrack(e);return!0!==n&&!1!==n&&(Z.warn('Calling addRemoteTextTrack without explicitly setting the "manualCleanup" parameter to `true` is deprecated and default to `false` in future version of video.js'),n=!0),this.remoteTextTrackEls().addTrackElement_(i),this.remoteTextTracks().addTrack(i.track),!0!==n&&this.ready((function(){return t.autoRemoteTextTracks_.addTrack(i.track)})),i},e.prototype.removeRemoteTextTrack=function(t){var e=this.remoteTextTrackEls().getTrackElementByTrack_(t);this.remoteTextTrackEls().removeTrackElement_(e),this.remoteTextTracks().removeTrack(t),this.autoRemoteTextTracks_.removeTrack(t)},e.prototype.getVideoPlaybackQuality=function(){return{}},e.prototype.setPoster=function(){},e.prototype.playsinline=function(){},e.prototype.setPlaysinline=function(){},e.prototype.canPlayType=function(){return""},e.canPlayType=function(){return""},e.canPlaySource=function(t,n){return e.canPlayType(t.type)},e.isTech=function(t){return t.prototype instanceof e||t instanceof e||t===e},e.registerTech=function(t,n){if(e.techs_||(e.techs_={}),!e.isTech(n))throw new Error("Tech "+t+" must be a Tech");if(!e.canPlayType)throw new Error("Techs must have a static canPlayType method on them");if(!e.canPlaySource)throw new Error("Techs must have a static canPlaySource method on them");return t=me(t),e.techs_[t]=n,"Tech"!==t&&e.defaultTechOrder_.push(t),n},e.getTech=function(t){if(t)return t=me(t),e.techs_&&e.techs_[t]?e.techs_[t]:r&&r.videojs&&r.videojs[t]?(Z.warn("The "+t+" tech was added to the videojs object when it should be registered using videojs.registerTech(name, tech)"),r.videojs[t]):void 0},e}(_e);bn.names.forEach((function(t){var e=bn[t];An.prototype[e.getterName]=function(){return this[e.privateName]=this[e.privateName]||new e.ListClass,this[e.privateName]}})),An.prototype.featuresVolumeControl=!0,An.prototype.featuresMuteControl=!0,An.prototype.featuresFullscreenResize=!1,An.prototype.featuresPlaybackRate=!1,An.prototype.featuresProgressEvents=!1,An.prototype.featuresSourceset=!1,An.prototype.featuresTimeupdateEvents=!1,An.prototype.featuresNativeTextTracks=!1,An.withSourceHandlers=function(t){t.registerSourceHandler=function(e,n){var i=t.sourceHandlers;i||(i=t.sourceHandlers=[]),void 0===n&&(n=i.length),i.splice(n,0,e)},t.canPlayType=function(e){for(var n=t.sourceHandlers||[],i=void 0,r=0;r<n.length;r++)if(i=n[r].canPlayType(e),i)return i;return""},t.selectSourceHandler=function(e,n){for(var i=t.sourceHandlers||[],r=void 0,o=0;o<i.length;o++)if(r=i[o].canHandleSource(e,n),r)return i[o];return null},t.canPlaySource=function(e,n){var i=t.selectSourceHandler(e,n);return i?i.canHandleSource(e,n):""};var e=["seekable","seeking","duration"];e.forEach((function(t){var e=this[t];"function"===typeof e&&(this[t]=function(){return this.sourceHandler_&&this.sourceHandler_[t]?this.sourceHandler_[t].apply(this.sourceHandler_,arguments):e.apply(this,arguments)})}),t.prototype),t.prototype.setSource=function(e){var n=t.selectSourceHandler(e,this.options_);n||(t.nativeSourceHandler?n=t.nativeSourceHandler:Z.error("No source hander found for the current source.")),this.disposeSourceHandler(),this.off("dispose",this.disposeSourceHandler),n!==t.nativeSourceHandler&&(this.currentSource_=e),this.sourceHandler_=n.handleSource(e,this,this.options_),this.on("dispose",this.disposeSourceHandler)},t.prototype.disposeSourceHandler=function(){this.currentSource_&&(this.clearTracks(["audio","video"]),this.currentSource_=null),this.cleanupAutoTextTracks(),this.sourceHandler_&&(this.sourceHandler_.dispose&&this.sourceHandler_.dispose(),this.sourceHandler_=null)}},_e.registerComponent("Tech",An),An.registerTech("Tech",An),An.defaultTechOrder_=[];var xn={},kn={},jn={};function Cn(t,e){xn[t]=xn[t]||[],xn[t].push(e)}function Tn(t,e,n){t.setTimeout((function(){return Rn(e,xn[e.type],n,t)}),1)}function En(t,e){t.forEach((function(t){return t.setTech&&t.setTech(e)}))}function Sn(t,e,n){return t.reduceRight(Pn(n),e[n]())}function On(t,e,n,i){return e[n](t.reduce(Pn(n),i))}function qn(t,e,n){var i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null,r="call"+me(n),o=t.reduce(Pn(r),i),a=o===jn,s=a?null:e[n](o);return Ln(t,n,s,a),s}var Nn={buffered:1,currentTime:1,duration:1,seekable:1,played:1,paused:1},Dn={setCurrentTime:1},Mn={play:1,pause:1};function Pn(t){return function(e,n){return e===jn?jn:n[t]?n[t](e):e}}function Ln(t,e,n,i){for(var r=t.length-1;r>=0;r--){var o=t[r];o[e]&&o[e](i,n)}}function Bn(t){kn[t.id()]=null}function In(t,e){var n=kn[t.id()],i=null;if(void 0===n||null===n)return i=e(t),kn[t.id()]=[[e,i]],i;for(var r=0;r<n.length;r++){var o=n[r],a=o[0],s=o[1];a===e&&(i=s)}return null===i&&(i=e(t),n.push([e,i])),i}function Rn(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments[2],i=arguments[3],r=arguments.length>4&&void 0!==arguments[4]?arguments[4]:[],o=arguments.length>5&&void 0!==arguments[5]&&arguments[5],a=e[0],s=e.slice(1);if("string"===typeof a)Rn(t,xn[a],n,i,r,o);else if(a){var l=In(i,a);if(!l.setSource)return r.push(l),Rn(t,s,n,i,r,o);l.setSource(Y({},t),(function(e,a){if(e)return Rn(t,s,n,i,r,o);r.push(l),Rn(a,t.type===a.type?s:xn[a.type],n,i,r,o)}))}else s.length?Rn(t,s,n,i,r,o):o?n(t,r):Rn(t,xn["*"],n,i,r,!0)}var Fn={opus:"video/ogg",ogv:"video/ogg",mp4:"video/mp4",mov:"video/mp4",m4v:"video/mp4",mkv:"video/x-matroska",mp3:"audio/mpeg",aac:"audio/aac",oga:"audio/ogg",m3u8:"application/x-mpegURL"},zn=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",e=on(t),n=Fn[e.toLowerCase()];return n||""},Vn=function(t,e){if(!e)return"";if(t.cache_.source.src===e&&t.cache_.source.type)return t.cache_.source.type;var n=t.cache_.sources.filter((function(t){return t.src===e}));if(n.length)return n[0].type;for(var i=t.$$("source"),r=0;r<i.length;r++){var o=i[r];if(o.type&&o.src&&o.src===e)return o.type}return zn(e)},Yn=function t(e){if(Array.isArray(e)){var n=[];e.forEach((function(e){e=t(e),Array.isArray(e)?n=n.concat(e):H(e)&&n.push(e)})),e=n}else e="string"===typeof e&&e.trim()?[Hn({src:e})]:H(e)&&"string"===typeof e.src&&e.src&&e.src.trim()?[Hn(e)]:[];return e};function Hn(t){var e=zn(t.src);return!t.type&&e&&(t.type=e),t}var Un=function(t){function e(n,i,r){P(this,e);var o=ye({createEl:!1},i),a=B(this,t.call(this,n,o,r));if(i.playerOptions.sources&&0!==i.playerOptions.sources.length)n.src(i.playerOptions.sources);else for(var s=0,l=i.playerOptions.techOrder;s<l.length;s++){var u=me(l[s]),c=An.getTech(u);if(u||(c=_e.getComponent(u)),c&&c.isSupported()){n.loadTech_(u);break}}return a}return L(e,t),e}(_e);_e.registerComponent("MediaLoader",Un);var Wn=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.emitTapEvents(),r.enable(),r}return L(e,t),e.prototype.createEl=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"div",n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};n=Y({innerHTML:'<span aria-hidden="true" class="vjs-icon-placeholder"></span>',className:this.buildCSSClass(),tabIndex:0},n),"button"===e&&Z.error("Creating a ClickableComponent with an HTML element of "+e+" is not supported; use a Button instead."),i=Y({role:"button"},i),this.tabIndex_=n.tabIndex;var r=t.prototype.createEl.call(this,e,n,i);return this.createControlTextEl(r),r},e.prototype.dispose=function(){this.controlTextEl_=null,t.prototype.dispose.call(this)},e.prototype.createControlTextEl=function(t){return this.controlTextEl_=at("span",{className:"vjs-control-text"},{"aria-live":"polite"}),t&&t.appendChild(this.controlTextEl_),this.controlText(this.controlText_,t),this.controlTextEl_},e.prototype.controlText=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.el();if(void 0===t)return this.controlText_||"Need Text";var n=this.localize(t);this.controlText_=t,st(this.controlTextEl_,n),this.nonIconControl||e.setAttribute("title",n)},e.prototype.buildCSSClass=function(){return"vjs-control vjs-button "+t.prototype.buildCSSClass.call(this)},e.prototype.enable=function(){this.enabled_||(this.enabled_=!0,this.removeClass("vjs-disabled"),this.el_.setAttribute("aria-disabled","false"),"undefined"!==typeof this.tabIndex_&&this.el_.setAttribute("tabIndex",this.tabIndex_),this.on(["tap","click"],this.handleClick),this.on("focus",this.handleFocus),this.on("blur",this.handleBlur))},e.prototype.disable=function(){this.enabled_=!1,this.addClass("vjs-disabled"),this.el_.setAttribute("aria-disabled","true"),"undefined"!==typeof this.tabIndex_&&this.el_.removeAttribute("tabIndex"),this.off(["tap","click"],this.handleClick),this.off("focus",this.handleFocus),this.off("blur",this.handleBlur)},e.prototype.handleClick=function(t){},e.prototype.handleFocus=function(t){Ht(o,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleKeyPress=function(e){32===e.which||13===e.which?(e.preventDefault(),this.trigger("click")):t.prototype.handleKeyPress&&t.prototype.handleKeyPress.call(this,e)},e.prototype.handleBlur=function(t){Ut(o,"keydown",ee(this,this.handleKeyPress))},e}(_e);_e.registerComponent("ClickableComponent",Wn);var Gn=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.update(),n.on("posterchange",ee(r,r.update)),r}return L(e,t),e.prototype.dispose=function(){this.player().off("posterchange",this.update),t.prototype.dispose.call(this)},e.prototype.createEl=function(){var t=at("div",{className:"vjs-poster",tabIndex:-1});return N||(this.fallbackImg_=at("img"),t.appendChild(this.fallbackImg_)),t},e.prototype.update=function(t){var e=this.player().poster();this.setSrc(e),e?this.show():this.hide()},e.prototype.setSrc=function(t){if(this.fallbackImg_)this.fallbackImg_.src=t;else{var e="";t&&(e='url("'+t+'")'),this.el_.style.backgroundImage=e}},e.prototype.handleClick=function(t){this.player_.controls()&&(this.player_.paused()?Me(this.player_.play()):this.player_.pause())},e}(Wn);_e.registerComponent("PosterImage",Gn);var Qn="#222",Zn="#ccc",Kn={monospace:"monospace",sansSerif:"sans-serif",serif:"serif",monospaceSansSerif:'"Andale Mono", "Lucida Console", monospace',monospaceSerif:'"Courier New", monospace',proportionalSansSerif:"sans-serif",proportionalSerif:"serif",casual:'"Comic Sans MS", Impact, fantasy',script:'"Monotype Corsiva", cursive',smallcaps:'"Andale Mono", "Lucida Console", monospace, sans-serif'};function Jn(t,e){var n=void 0;if(4===t.length)n=t[1]+t[1]+t[2]+t[2]+t[3]+t[3];else{if(7!==t.length)throw new Error("Invalid color code provided, "+t+"; must be formatted as e.g. #f0e or #f604e2.");n=t.slice(1)}return"rgba("+parseInt(n.slice(0,2),16)+","+parseInt(n.slice(2,4),16)+","+parseInt(n.slice(4,6),16)+","+e+")"}function Xn(t,e,n){try{t.style[e]=n}catch(i){return}}var $n=function(t){function e(n,i,o){P(this,e);var a=B(this,t.call(this,n,i,o)),s=ee(a,a.updateDisplay);return n.on("loadstart",ee(a,a.toggleDisplay)),n.on("texttrackchange",s),n.on("loadstart",ee(a,a.preselectTrack)),n.ready(ee(a,(function(){if(n.tech_&&n.tech_.featuresNativeTextTracks)this.hide();else{n.on("fullscreenchange",s),n.on("playerresize",s),r.addEventListener&&r.addEventListener("orientationchange",s),n.on("dispose",(function(){return r.removeEventListener("orientationchange",s)}));for(var t=this.options_.playerOptions.tracks||[],e=0;e<t.length;e++)this.player_.addRemoteTextTrack(t[e],!0);this.preselectTrack()}}))),a}return L(e,t),e.prototype.preselectTrack=function(){for(var t={captions:1,subtitles:1},e=this.player_.textTracks(),n=this.player_.cache_.selectedLanguage,i=void 0,r=void 0,o=void 0,a=0;a<e.length;a++){var s=e[a];n&&n.enabled&&n.language===s.language?s.kind===n.kind?o=s:o||(o=s):n&&!n.enabled?(o=null,i=null,r=null):s["default"]&&("descriptions"!==s.kind||i?s.kind in t&&!r&&(r=s):i=s)}o?o.mode="showing":r?r.mode="showing":i&&(i.mode="showing")},e.prototype.toggleDisplay=function(){this.player_.tech_&&this.player_.tech_.featuresNativeTextTracks?this.hide():this.show()},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-text-track-display"},{"aria-live":"off","aria-atomic":"true"})},e.prototype.clearDisplay=function(){"function"===typeof r.WebVTT&&r.WebVTT.processCues(r,[],this.el_)},e.prototype.updateDisplay=function(){var t=this.player_.textTracks();this.clearDisplay();var e=null,n=null,i=t.length;while(i--){var r=t[i];"showing"===r.mode&&("descriptions"===r.kind?e=r:n=r)}n?("off"!==this.getAttribute("aria-live")&&this.setAttribute("aria-live","off"),this.updateForTrack(n)):e&&("assertive"!==this.getAttribute("aria-live")&&this.setAttribute("aria-live","assertive"),this.updateForTrack(e))},e.prototype.updateForTrack=function(t){if("function"===typeof r.WebVTT&&t.activeCues){for(var e=[],n=0;n<t.activeCues.length;n++)e.push(t.activeCues[n]);if(r.WebVTT.processCues(r,e,this.el_),this.player_.textTrackSettings){var i=this.player_.textTrackSettings.getValues(),o=e.length;while(o--){var a=e[o];if(a){var s=a.displayState;if(i.color&&(s.firstChild.style.color=i.color),i.textOpacity&&Xn(s.firstChild,"color",Jn(i.color||"#fff",i.textOpacity)),i.backgroundColor&&(s.firstChild.style.backgroundColor=i.backgroundColor),i.backgroundOpacity&&Xn(s.firstChild,"backgroundColor",Jn(i.backgroundColor||"#000",i.backgroundOpacity)),i.windowColor&&(i.windowOpacity?Xn(s,"backgroundColor",Jn(i.windowColor,i.windowOpacity)):s.style.backgroundColor=i.windowColor),i.edgeStyle&&("dropshadow"===i.edgeStyle?s.firstChild.style.textShadow="2px 2px 3px "+Qn+", 2px 2px 4px "+Qn+", 2px 2px 5px "+Qn:"raised"===i.edgeStyle?s.firstChild.style.textShadow="1px 1px "+Qn+", 2px 2px "+Qn+", 3px 3px "+Qn:"depressed"===i.edgeStyle?s.firstChild.style.textShadow="1px 1px "+Zn+", 0 1px "+Zn+", -1px -1px "+Qn+", 0 -1px "+Qn:"uniform"===i.edgeStyle&&(s.firstChild.style.textShadow="0 0 4px "+Qn+", 0 0 4px "+Qn+", 0 0 4px "+Qn+", 0 0 4px "+Qn)),i.fontPercent&&1!==i.fontPercent){var l=r.parseFloat(s.style.fontSize);s.style.fontSize=l*i.fontPercent+"px",s.style.height="auto",s.style.top="auto",s.style.bottom="2px"}i.fontFamily&&"default"!==i.fontFamily&&("small-caps"===i.fontFamily?s.firstChild.style.fontVariant="small-caps":s.firstChild.style.fontFamily=Kn[i.fontFamily])}}}}},e}(_e);_e.registerComponent("TextTrackDisplay",$n);var ti=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){var e=this.player_.isAudio(),n=this.localize(e?"Audio Player":"Video Player"),i=at("span",{className:"vjs-control-text",innerHTML:this.localize("{1} is loading.",[n])}),r=t.prototype.createEl.call(this,"div",{className:"vjs-loading-spinner",dir:"ltr"});return r.appendChild(i),r},e}(_e);_e.registerComponent("LoadingSpinner",ti);var ei=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};t="button",e=Y({innerHTML:'<span aria-hidden="true" class="vjs-icon-placeholder"></span>',className:this.buildCSSClass()},e),n=Y({type:"button"},n);var i=_e.prototype.createEl.call(this,t,e,n);return this.createControlTextEl(i),i},e.prototype.addChild=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=this.constructor.name;return Z.warn("Adding an actionable (user controllable) child to a Button ("+n+") is not supported; use a ClickableComponent instead."),_e.prototype.addChild.call(this,t,e)},e.prototype.enable=function(){t.prototype.enable.call(this),this.el_.removeAttribute("disabled")},e.prototype.disable=function(){t.prototype.disable.call(this),this.el_.setAttribute("disabled","disabled")},e.prototype.handleKeyPress=function(e){32!==e.which&&13!==e.which&&t.prototype.handleKeyPress.call(this,e)},e}(Wn);_e.registerComponent("Button",ei);var ni=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.mouseused_=!1,r.on("mousedown",r.handleMouseDown),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-big-play-button"},e.prototype.handleClick=function(t){var e=this.player_.play();if(this.mouseused_&&t.clientX&&t.clientY)Me(e);else{var n=this.player_.getChild("controlBar"),i=n&&n.getChild("playToggle");if(i){var r=function(){return i.focus()};De(e)?e.then(r,(function(){})):this.setTimeout(r,1)}else this.player_.focus()}},e.prototype.handleKeyPress=function(e){this.mouseused_=!1,t.prototype.handleKeyPress.call(this,e)},e.prototype.handleMouseDown=function(t){this.mouseused_=!0},e}(ei);ni.prototype.controlText_="Play Video",_e.registerComponent("BigPlayButton",ni);var ii=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.controlText(i&&i.controlText||r.localize("Close")),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-close-button "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){this.trigger({type:"close",bubbles:!1})},e}(ei);_e.registerComponent("CloseButton",ii);var ri=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"play",r.handlePlay),r.on(n,"pause",r.handlePause),r.on(n,"ended",r.handleEnded),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-play-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){this.player_.paused()?this.player_.play():this.player_.pause()},e.prototype.handleSeeked=function(t){this.removeClass("vjs-ended"),this.player_.paused()?this.handlePause(t):this.handlePlay(t)},e.prototype.handlePlay=function(t){this.removeClass("vjs-ended"),this.removeClass("vjs-paused"),this.addClass("vjs-playing"),this.controlText("Pause")},e.prototype.handlePause=function(t){this.removeClass("vjs-playing"),this.addClass("vjs-paused"),this.controlText("Play")},e.prototype.handleEnded=function(t){this.removeClass("vjs-playing"),this.addClass("vjs-ended"),this.controlText("Replay"),this.one(this.player_,"seeked",this.handleSeeked)},e}(ei);ri.prototype.controlText_="Play",_e.registerComponent("PlayToggle",ri);var oi=function(t,e){t=t<0?0:t;var n=Math.floor(t%60),i=Math.floor(t/60%60),r=Math.floor(t/3600),o=Math.floor(e/60%60),a=Math.floor(e/3600);return(isNaN(t)||t===1/0)&&(r=i=n="-"),r=r>0||a>0?r+":":"",i=((r||o>=10)&&i<10?"0"+i:i)+":",n=n<10?"0"+n:n,r+i+n},ai=oi;function si(t){ai=t}function li(){ai=oi}var ui=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:t;return ai(t,e)},ci=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.throttledUpdateContent=ne(ee(r,r.updateContent),25),r.on(n,"timeupdate",r.throttledUpdateContent),r}return L(e,t),e.prototype.createEl=function(e){var n=this.buildCSSClass(),i=t.prototype.createEl.call(this,"div",{className:n+" vjs-time-control vjs-control",innerHTML:'<span class="vjs-control-text">'+this.localize(this.labelText_)+" </span>"});return this.contentEl_=at("span",{className:n+"-display"},{"aria-live":"off"}),this.updateTextNode_(),i.appendChild(this.contentEl_),i},e.prototype.dispose=function(){this.contentEl_=null,this.textNode_=null,t.prototype.dispose.call(this)},e.prototype.updateTextNode_=function(){if(this.contentEl_){while(this.contentEl_.firstChild)this.contentEl_.removeChild(this.contentEl_.firstChild);this.textNode_=o.createTextNode(this.formattedTime_||this.formatTime_(0)),this.contentEl_.appendChild(this.textNode_)}},e.prototype.formatTime_=function(t){return ui(t)},e.prototype.updateFormattedTime_=function(t){var e=this.formatTime_(t);e!==this.formattedTime_&&(this.formattedTime_=e,this.requestAnimationFrame(this.updateTextNode_))},e.prototype.updateContent=function(t){},e}(_e);ci.prototype.labelText_="Time",ci.prototype.controlText_="Time",_e.registerComponent("TimeDisplay",ci);var hi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"ended",r.handleEnded),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-current-time"},e.prototype.updateContent=function(t){var e=this.player_.scrubbing()?this.player_.getCache().currentTime:this.player_.currentTime();this.updateFormattedTime_(e)},e.prototype.handleEnded=function(t){this.player_.duration()&&this.updateFormattedTime_(this.player_.duration())},e}(ci);hi.prototype.labelText_="Current Time",hi.prototype.controlText_="Current Time",_e.registerComponent("CurrentTimeDisplay",hi);var di=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"durationchange",r.updateContent),r.on(n,"loadedmetadata",r.throttledUpdateContent),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-duration"},e.prototype.updateContent=function(t){var e=this.player_.duration();e&&this.duration_!==e&&(this.duration_=e,this.updateFormattedTime_(e))},e}(ci);di.prototype.labelText_="Duration",di.prototype.controlText_="Duration",_e.registerComponent("DurationDisplay",di);var fi=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-time-control vjs-time-divider",innerHTML:"<div><span>/</span></div>"})},e}(_e);_e.registerComponent("TimeDivider",fi);var pi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"durationchange",r.throttledUpdateContent),r.on(n,"ended",r.handleEnded),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-remaining-time"},e.prototype.formatTime_=function(e){return"-"+t.prototype.formatTime_.call(this,e)},e.prototype.updateContent=function(t){this.player_.duration()&&(this.player_.remainingTimeDisplay?this.updateFormattedTime_(this.player_.remainingTimeDisplay()):this.updateFormattedTime_(this.player_.remainingTime()))},e.prototype.handleEnded=function(t){this.player_.duration()&&this.updateFormattedTime_(0)},e}(ci);pi.prototype.labelText_="Remaining Time",pi.prototype.controlText_="Remaining Time",_e.registerComponent("RemainingTimeDisplay",pi);var vi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.updateShowing(),r.on(r.player(),"durationchange",r.updateShowing),r}return L(e,t),e.prototype.createEl=function(){var e=t.prototype.createEl.call(this,"div",{className:"vjs-live-control vjs-control"});return this.contentEl_=at("div",{className:"vjs-live-display",innerHTML:'<span class="vjs-control-text">'+this.localize("Stream Type")+" </span>"+this.localize("LIVE")},{"aria-live":"off"}),e.appendChild(this.contentEl_),e},e.prototype.dispose=function(){this.contentEl_=null,t.prototype.dispose.call(this)},e.prototype.updateShowing=function(t){this.player().duration()===1/0?this.show():this.hide()},e}(_e);_e.registerComponent("LiveDisplay",vi);var mi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.bar=r.getChild(r.options_.barName),r.vertical(!!r.options_.vertical),r.enable(),r}return L(e,t),e.prototype.enabled=function(){return this.enabled_},e.prototype.enable=function(){this.enabled()||(this.on("mousedown",this.handleMouseDown),this.on("touchstart",this.handleMouseDown),this.on("focus",this.handleFocus),this.on("blur",this.handleBlur),this.on("click",this.handleClick),this.on(this.player_,"controlsvisible",this.update),this.playerEvent&&this.on(this.player_,this.playerEvent,this.update),this.removeClass("disabled"),this.setAttribute("tabindex",0),this.enabled_=!0)},e.prototype.disable=function(){if(this.enabled()){var t=this.bar.el_.ownerDocument;this.off("mousedown",this.handleMouseDown),this.off("touchstart",this.handleMouseDown),this.off("focus",this.handleFocus),this.off("blur",this.handleBlur),this.off("click",this.handleClick),this.off(this.player_,"controlsvisible",this.update),this.off(t,"mousemove",this.handleMouseMove),this.off(t,"mouseup",this.handleMouseUp),this.off(t,"touchmove",this.handleMouseMove),this.off(t,"touchend",this.handleMouseUp),this.removeAttribute("tabindex"),this.addClass("disabled"),this.playerEvent&&this.off(this.player_,this.playerEvent,this.update),this.enabled_=!1}},e.prototype.createEl=function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return n.className=n.className+" vjs-slider",n=Y({tabIndex:0},n),i=Y({role:"slider","aria-valuenow":0,"aria-valuemin":0,"aria-valuemax":100,tabIndex:0},i),t.prototype.createEl.call(this,e,n,i)},e.prototype.handleMouseDown=function(t){var e=this.bar.el_.ownerDocument;"mousedown"===t.type&&t.preventDefault(),"touchstart"!==t.type||j||t.preventDefault(),yt(),this.addClass("vjs-sliding"),this.trigger("slideractive"),this.on(e,"mousemove",this.handleMouseMove),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchmove",this.handleMouseMove),this.on(e,"touchend",this.handleMouseUp),this.handleMouseMove(t)},e.prototype.handleMouseMove=function(t){},e.prototype.handleMouseUp=function(){var t=this.bar.el_.ownerDocument;_t(),this.removeClass("vjs-sliding"),this.trigger("sliderinactive"),this.off(t,"mousemove",this.handleMouseMove),this.off(t,"mouseup",this.handleMouseUp),this.off(t,"touchmove",this.handleMouseMove),this.off(t,"touchend",this.handleMouseUp),this.update()},e.prototype.update=function(){if(this.el_){var t=this.getPercent(),e=this.bar;if(e){("number"!==typeof t||t!==t||t<0||t===1/0)&&(t=0);var n=(100*t).toFixed(2)+"%",i=e.el().style;return this.vertical()?i.height=n:i.width=n,t}}},e.prototype.calculateDistance=function(t){var e=At(this.el_,t);return this.vertical()?e.y:e.x},e.prototype.handleFocus=function(){this.on(this.bar.el_.ownerDocument,"keydown",this.handleKeyPress)},e.prototype.handleKeyPress=function(t){37===t.which||40===t.which?(t.preventDefault(),this.stepBack()):38!==t.which&&39!==t.which||(t.preventDefault(),this.stepForward())},e.prototype.handleBlur=function(){this.off(this.bar.el_.ownerDocument,"keydown",this.handleKeyPress)},e.prototype.handleClick=function(t){t.stopImmediatePropagation(),t.preventDefault()},e.prototype.vertical=function(t){if(void 0===t)return this.vertical_||!1;this.vertical_=!!t,this.vertical_?this.addClass("vjs-slider-vertical"):this.addClass("vjs-slider-horizontal")},e}(_e);_e.registerComponent("Slider",mi);var gi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.partEls_=[],r.on(n,"progress",r.update),r}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-load-progress",innerHTML:'<span class="vjs-control-text"><span>'+this.localize("Loaded")+"</span>: 0%</span>"})},e.prototype.dispose=function(){this.partEls_=null,t.prototype.dispose.call(this)},e.prototype.update=function(t){var e=this.player_.buffered(),n=this.player_.duration(),i=this.player_.bufferedEnd(),r=this.partEls_,o=function(t,e){var n=t/e||0;return 100*(n>=1?1:n)+"%"};this.el_.style.width=o(i,n);for(var a=0;a<e.length;a++){var s=e.start(a),l=e.end(a),u=r[a];u||(u=this.el_.appendChild(at()),r[a]=u),u.style.left=o(s,i),u.style.width=o(l-s,i)}for(var c=r.length;c>e.length;c--)this.el_.removeChild(r[c-1]);r.length=e.length},e}(_e);_e.registerComponent("LoadProgressBar",gi);var yi=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-time-tooltip"})},e.prototype.update=function(t,e,n){var i=bt(this.el_),r=bt(this.player_.el()),o=t.width*e;if(r&&i){var a=t.left-r.left+o,s=t.width-o+(r.right-t.right),l=i.width/2;a<l?l+=l-a:s<l&&(l=s),l<0?l=0:l>i.width&&(l=i.width),this.el_.style.right="-"+l+"px",st(this.el_,n)}},e}(_e);_e.registerComponent("TimeTooltip",yi);var _i=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-play-progress vjs-slider-bar",innerHTML:'<span class="vjs-control-text"><span>'+this.localize("Progress")+"</span>: 0%</span>"})},e.prototype.update=function(t,e){var n=this;this.rafId_&&this.cancelAnimationFrame(this.rafId_),this.rafId_=this.requestAnimationFrame((function(){var i=n.player_.scrubbing()?n.player_.getCache().currentTime:n.player_.currentTime(),r=ui(i,n.player_.duration()),o=n.getChild("timeTooltip");o&&o.update(t,e,r)}))},e}(_e);_i.prototype.options_={children:[]},E&&!(E>8)||g||_||_i.prototype.options_.children.push("timeTooltip"),_e.registerComponent("PlayProgressBar",_i);var bi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.update=ne(ee(r,r.update),25),r}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-mouse-display"})},e.prototype.update=function(t,e){var n=this;this.rafId_&&this.cancelAnimationFrame(this.rafId_),this.rafId_=this.requestAnimationFrame((function(){var i=n.player_.duration(),r=ui(e*i,i);n.el_.style.left=t.width*e+"px",n.getChild("timeTooltip").update(t,e,r)}))},e}(_e);bi.prototype.options_={children:["timeTooltip"]},_e.registerComponent("MouseTimeDisplay",bi);var wi=5,Ai=30,xi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.setEventHandlers_(),r}return L(e,t),e.prototype.setEventHandlers_=function(){var t=this;this.update=ne(ee(this,this.update),Ai),this.on(this.player_,"timeupdate",this.update),this.on(this.player_,"ended",this.handleEnded),this.updateInterval=null,this.on(this.player_,["playing"],(function(){t.clearInterval(t.updateInterval),t.updateInterval=t.setInterval((function(){t.requestAnimationFrame((function(){t.update()}))}),Ai)})),this.on(this.player_,["ended","pause","waiting"],(function(){t.clearInterval(t.updateInterval)})),this.on(this.player_,["timeupdate","ended"],this.update)},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-progress-holder"},{"aria-label":this.localize("Progress Bar")})},e.prototype.update_=function(t,e){var n=this.player_.duration();this.el_.setAttribute("aria-valuenow",(100*e).toFixed(2)),this.el_.setAttribute("aria-valuetext",this.localize("progress bar timing: currentTime={1} duration={2}",[ui(t,n),ui(n,n)],"{1} of {2}")),this.bar.update(bt(this.el_),e)},e.prototype.update=function(e){var n=t.prototype.update.call(this);return this.update_(this.getCurrentTime_(),n),n},e.prototype.getCurrentTime_=function(){return this.player_.scrubbing()?this.player_.getCache().currentTime:this.player_.currentTime()},e.prototype.handleEnded=function(t){this.update_(this.player_.duration(),1)},e.prototype.getPercent=function(){var t=this.getCurrentTime_()/this.player_.duration();return t>=1?1:t},e.prototype.handleMouseDown=function(e){Et(e)&&(e.stopPropagation(),this.player_.scrubbing(!0),this.videoWasPlaying=!this.player_.paused(),this.player_.pause(),t.prototype.handleMouseDown.call(this,e))},e.prototype.handleMouseMove=function(t){if(Et(t)){var e=this.calculateDistance(t)*this.player_.duration();e===this.player_.duration()&&(e-=.1),this.player_.currentTime(e)}},e.prototype.enable=function(){t.prototype.enable.call(this);var e=this.getChild("mouseTimeDisplay");e&&e.show()},e.prototype.disable=function(){t.prototype.disable.call(this);var e=this.getChild("mouseTimeDisplay");e&&e.hide()},e.prototype.handleMouseUp=function(e){t.prototype.handleMouseUp.call(this,e),e&&e.stopPropagation(),this.player_.scrubbing(!1),this.player_.trigger({type:"timeupdate",target:this,manuallyTriggered:!0}),this.videoWasPlaying&&Me(this.player_.play())},e.prototype.stepForward=function(){this.player_.currentTime(this.player_.currentTime()+wi)},e.prototype.stepBack=function(){this.player_.currentTime(this.player_.currentTime()-wi)},e.prototype.handleAction=function(t){this.player_.paused()?this.player_.play():this.player_.pause()},e.prototype.handleKeyPress=function(e){32===e.which||13===e.which?(e.preventDefault(),this.handleAction(e)):t.prototype.handleKeyPress&&t.prototype.handleKeyPress.call(this,e)},e}(mi);xi.prototype.options_={children:["loadProgressBar","playProgressBar"],barName:"playProgressBar"},E&&!(E>8)||g||_||xi.prototype.options_.children.splice(1,0,"mouseTimeDisplay"),xi.prototype.playerEvent="timeupdate",_e.registerComponent("SeekBar",xi);var ki=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.handleMouseMove=ne(ee(r,r.handleMouseMove),25),r.throttledHandleMouseSeek=ne(ee(r,r.handleMouseSeek),25),r.enable(),r}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-progress-control vjs-control"})},e.prototype.handleMouseMove=function(t){var e=this.getChild("seekBar");if(e){var n=e.getChild("mouseTimeDisplay"),i=e.el(),r=bt(i),o=At(i,t).x;o>1?o=1:o<0&&(o=0),n&&n.update(r,o)}},e.prototype.handleMouseSeek=function(t){var e=this.getChild("seekBar");e&&e.handleMouseMove(t)},e.prototype.enabled=function(){return this.enabled_},e.prototype.disable=function(){this.children().forEach((function(t){return t.disable&&t.disable()})),this.enabled()&&(this.off(["mousedown","touchstart"],this.handleMouseDown),this.off(this.el_,"mousemove",this.handleMouseMove),this.handleMouseUp(),this.addClass("disabled"),this.enabled_=!1)},e.prototype.enable=function(){this.children().forEach((function(t){return t.enable&&t.enable()})),this.enabled()||(this.on(["mousedown","touchstart"],this.handleMouseDown),this.on(this.el_,"mousemove",this.handleMouseMove),this.removeClass("disabled"),this.enabled_=!0)},e.prototype.handleMouseDown=function(t){var e=this.el_.ownerDocument,n=this.getChild("seekBar");n&&n.handleMouseDown(t),this.on(e,"mousemove",this.throttledHandleMouseSeek),this.on(e,"touchmove",this.throttledHandleMouseSeek),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseUp=function(t){var e=this.el_.ownerDocument,n=this.getChild("seekBar");n&&n.handleMouseUp(t),this.off(e,"mousemove",this.throttledHandleMouseSeek),this.off(e,"touchmove",this.throttledHandleMouseSeek),this.off(e,"mouseup",this.handleMouseUp),this.off(e,"touchend",this.handleMouseUp)},e}(_e);ki.prototype.options_={children:["seekBar"]},_e.registerComponent("ProgressControl",ki);var ji=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"fullscreenchange",r.handleFullscreenChange),!1===o[je.fullscreenEnabled]&&r.disable(),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-fullscreen-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleFullscreenChange=function(t){this.player_.isFullscreen()?this.controlText("Non-Fullscreen"):this.controlText("Fullscreen")},e.prototype.handleClick=function(t){this.player_.isFullscreen()?this.player_.exitFullscreen():this.player_.requestFullscreen()},e}(ei);ji.prototype.controlText_="Fullscreen",_e.registerComponent("FullscreenToggle",ji);var Ci=function(t,e){e.tech_&&!e.tech_.featuresVolumeControl&&t.addClass("vjs-hidden"),t.on(e,"loadstart",(function(){e.tech_.featuresVolumeControl?t.removeClass("vjs-hidden"):t.addClass("vjs-hidden")}))},Ti=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-volume-level",innerHTML:'<span class="vjs-control-text"></span>'})},e}(_e);_e.registerComponent("VolumeLevel",Ti);var Ei=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on("slideractive",r.updateLastVolume_),r.on(n,"volumechange",r.updateARIAAttributes),n.ready((function(){return r.updateARIAAttributes()})),r}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-volume-bar vjs-slider-bar"},{"aria-label":this.localize("Volume Level"),"aria-live":"polite"})},e.prototype.handleMouseDown=function(e){Et(e)&&t.prototype.handleMouseDown.call(this,e)},e.prototype.handleMouseMove=function(t){Et(t)&&(this.checkMuted(),this.player_.volume(this.calculateDistance(t)))},e.prototype.checkMuted=function(){this.player_.muted()&&this.player_.muted(!1)},e.prototype.getPercent=function(){return this.player_.muted()?0:this.player_.volume()},e.prototype.stepForward=function(){this.checkMuted(),this.player_.volume(this.player_.volume()+.1)},e.prototype.stepBack=function(){this.checkMuted(),this.player_.volume(this.player_.volume()-.1)},e.prototype.updateARIAAttributes=function(t){var e=this.player_.muted()?0:this.volumeAsPercentage_();this.el_.setAttribute("aria-valuenow",e),this.el_.setAttribute("aria-valuetext",e+"%")},e.prototype.volumeAsPercentage_=function(){return Math.round(100*this.player_.volume())},e.prototype.updateLastVolume_=function(){var t=this,e=this.player_.volume();this.one("sliderinactive",(function(){0===t.player_.volume()&&t.player_.lastVolume_(e)}))},e}(mi);Ei.prototype.options_={children:["volumeLevel"],barName:"volumeLevel"},Ei.prototype.playerEvent="volumechange",_e.registerComponent("VolumeBar",Ei);var Si=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};P(this,e),i.vertical=i.vertical||!1,("undefined"===typeof i.volumeBar||U(i.volumeBar))&&(i.volumeBar=i.volumeBar||{},i.volumeBar.vertical=i.vertical);var r=B(this,t.call(this,n,i));return Ci(r,n),r.throttledHandleMouseMove=ne(ee(r,r.handleMouseMove),25),r.on("mousedown",r.handleMouseDown),r.on("touchstart",r.handleMouseDown),r.on(r.volumeBar,["focus","slideractive"],(function(){r.volumeBar.addClass("vjs-slider-active"),r.addClass("vjs-slider-active"),r.trigger("slideractive")})),r.on(r.volumeBar,["blur","sliderinactive"],(function(){r.volumeBar.removeClass("vjs-slider-active"),r.removeClass("vjs-slider-active"),r.trigger("sliderinactive")})),r}return L(e,t),e.prototype.createEl=function(){var e="vjs-volume-horizontal";return this.options_.vertical&&(e="vjs-volume-vertical"),t.prototype.createEl.call(this,"div",{className:"vjs-volume-control vjs-control "+e})},e.prototype.handleMouseDown=function(t){var e=this.el_.ownerDocument;this.on(e,"mousemove",this.throttledHandleMouseMove),this.on(e,"touchmove",this.throttledHandleMouseMove),this.on(e,"mouseup",this.handleMouseUp),this.on(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseUp=function(t){var e=this.el_.ownerDocument;this.off(e,"mousemove",this.throttledHandleMouseMove),this.off(e,"touchmove",this.throttledHandleMouseMove),this.off(e,"mouseup",this.handleMouseUp),this.off(e,"touchend",this.handleMouseUp)},e.prototype.handleMouseMove=function(t){this.volumeBar.handleMouseMove(t)},e}(_e);Si.prototype.options_={children:["volumeBar"]},_e.registerComponent("VolumeControl",Si);var Oi=function(t,e){e.tech_&&!e.tech_.featuresMuteControl&&t.addClass("vjs-hidden"),t.on(e,"loadstart",(function(){e.tech_.featuresMuteControl?t.removeClass("vjs-hidden"):t.addClass("vjs-hidden")}))},qi=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return Oi(r,n),r.on(n,["loadstart","volumechange"],r.update),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-mute-control "+t.prototype.buildCSSClass.call(this)},e.prototype.handleClick=function(t){var e=this.player_.volume(),n=this.player_.lastVolume_();if(0===e){var i=n<.1?.1:n;this.player_.volume(i),this.player_.muted(!1)}else this.player_.muted(!this.player_.muted())},e.prototype.update=function(t){this.updateIcon_(),this.updateControlText_()},e.prototype.updateIcon_=function(){var t=this.player_.volume(),e=3;g&&this.player_.muted(this.player_.tech_.el_.muted),0===t||this.player_.muted()?e=0:t<.33?e=1:t<.67&&(e=2);for(var n=0;n<4;n++)ht(this.el_,"vjs-vol-"+n);ct(this.el_,"vjs-vol-"+e)},e.prototype.updateControlText_=function(){var t=this.player_.muted()||0===this.player_.volume(),e=t?"Unmute":"Mute";this.controlText()!==e&&this.controlText(e)},e}(ei);qi.prototype.controlText_="Mute",_e.registerComponent("MuteToggle",qi);var Ni=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};P(this,e),"undefined"!==typeof i.inline?i.inline=i.inline:i.inline=!0,("undefined"===typeof i.volumeControl||U(i.volumeControl))&&(i.volumeControl=i.volumeControl||{},i.volumeControl.vertical=!i.inline);var r=B(this,t.call(this,n,i));return r.on(n,["loadstart"],r.volumePanelState_),r.on(r.volumeControl,["slideractive"],r.sliderActive_),r.on(r.volumeControl,["sliderinactive"],r.sliderInactive_),r}return L(e,t),e.prototype.sliderActive_=function(){this.addClass("vjs-slider-active")},e.prototype.sliderInactive_=function(){this.removeClass("vjs-slider-active")},e.prototype.volumePanelState_=function(){this.volumeControl.hasClass("vjs-hidden")&&this.muteToggle.hasClass("vjs-hidden")&&this.addClass("vjs-hidden"),this.volumeControl.hasClass("vjs-hidden")&&!this.muteToggle.hasClass("vjs-hidden")&&this.addClass("vjs-mute-toggle-only")},e.prototype.createEl=function(){var e="vjs-volume-panel-horizontal";return this.options_.inline||(e="vjs-volume-panel-vertical"),t.prototype.createEl.call(this,"div",{className:"vjs-volume-panel vjs-control "+e})},e}(_e);Ni.prototype.options_={children:["muteToggle","volumeControl"]},_e.registerComponent("VolumePanel",Ni);var Di=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return i&&(r.menuButton_=i.menuButton),r.focusedChild_=-1,r.on("keydown",r.handleKeyPress),r}return L(e,t),e.prototype.addItem=function(t){this.addChild(t),t.on("click",ee(this,(function(e){this.menuButton_&&(this.menuButton_.unpressButton(),"CaptionSettingsMenuItem"!==t.name()&&this.menuButton_.focus())})))},e.prototype.createEl=function(){var e=this.options_.contentElType||"ul";this.contentEl_=at(e,{className:"vjs-menu-content"}),this.contentEl_.setAttribute("role","menu");var n=t.prototype.createEl.call(this,"div",{append:this.contentEl_,className:"vjs-menu"});return n.appendChild(this.contentEl_),Ht(n,"click",(function(t){t.preventDefault(),t.stopImmediatePropagation()})),n},e.prototype.dispose=function(){this.contentEl_=null,t.prototype.dispose.call(this)},e.prototype.handleKeyPress=function(t){37===t.which||40===t.which?(t.preventDefault(),this.stepForward()):38!==t.which&&39!==t.which||(t.preventDefault(),this.stepBack())},e.prototype.stepForward=function(){var t=0;void 0!==this.focusedChild_&&(t=this.focusedChild_+1),this.focus(t)},e.prototype.stepBack=function(){var t=0;void 0!==this.focusedChild_&&(t=this.focusedChild_-1),this.focus(t)},e.prototype.focus=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=this.children().slice(),n=e.length&&e[0].className&&/vjs-menu-title/.test(e[0].className);n&&e.shift(),e.length>0&&(t<0?t=0:t>=e.length&&(t=e.length-1),this.focusedChild_=t,e[t].el_.focus())},e}(_e);_e.registerComponent("Menu",Di);var Mi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};P(this,e);var r=B(this,t.call(this,n,i));r.menuButton_=new ei(n,i),r.menuButton_.controlText(r.controlText_),r.menuButton_.el_.setAttribute("aria-haspopup","true");var o=ei.prototype.buildCSSClass();return r.menuButton_.el_.className=r.buildCSSClass()+" "+o,r.menuButton_.removeClass("vjs-control"),r.addChild(r.menuButton_),r.update(),r.enabled_=!0,r.on(r.menuButton_,"tap",r.handleClick),r.on(r.menuButton_,"click",r.handleClick),r.on(r.menuButton_,"focus",r.handleFocus),r.on(r.menuButton_,"blur",r.handleBlur),r.on("keydown",r.handleSubmenuKeyPress),r}return L(e,t),e.prototype.update=function(){var t=this.createMenu();this.menu&&(this.menu.dispose(),this.removeChild(this.menu)),this.menu=t,this.addChild(t),this.buttonPressed_=!1,this.menuButton_.el_.setAttribute("aria-expanded","false"),this.items&&this.items.length<=this.hideThreshold_?this.hide():this.show()},e.prototype.createMenu=function(){var t=new Di(this.player_,{menuButton:this});if(this.hideThreshold_=0,this.options_.title){var e=at("li",{className:"vjs-menu-title",innerHTML:me(this.options_.title),tabIndex:-1});this.hideThreshold_+=1,t.children_.unshift(e),lt(e,t.contentEl())}if(this.items=this.createItems(),this.items)for(var n=0;n<this.items.length;n++)t.addItem(this.items[n]);return t},e.prototype.createItems=function(){},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildWrapperCSSClass()},{})},e.prototype.buildWrapperCSSClass=function(){var e="vjs-menu-button";!0===this.options_.inline?e+="-inline":e+="-popup";var n=ei.prototype.buildCSSClass();return"vjs-menu-button "+e+" "+n+" "+t.prototype.buildCSSClass.call(this)},e.prototype.buildCSSClass=function(){var e="vjs-menu-button";return!0===this.options_.inline?e+="-inline":e+="-popup","vjs-menu-button "+e+" "+t.prototype.buildCSSClass.call(this)},e.prototype.controlText=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.menuButton_.el();return this.menuButton_.controlText(t,e)},e.prototype.handleClick=function(t){this.one(this.menu.contentEl(),"mouseleave",ee(this,(function(t){this.unpressButton(),this.el_.blur()}))),this.buttonPressed_?this.unpressButton():this.pressButton()},e.prototype.focus=function(){this.menuButton_.focus()},e.prototype.blur=function(){this.menuButton_.blur()},e.prototype.handleFocus=function(){Ht(o,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleBlur=function(){Ut(o,"keydown",ee(this,this.handleKeyPress))},e.prototype.handleKeyPress=function(t){27===t.which||9===t.which?(this.buttonPressed_&&this.unpressButton(),9!==t.which&&(t.preventDefault(),this.menuButton_.el_.focus())):38!==t.which&&40!==t.which||this.buttonPressed_||(this.pressButton(),t.preventDefault())},e.prototype.handleSubmenuKeyPress=function(t){27!==t.which&&9!==t.which||(this.buttonPressed_&&this.unpressButton(),9!==t.which&&(t.preventDefault(),this.menuButton_.el_.focus()))},e.prototype.pressButton=function(){if(this.enabled_){if(this.buttonPressed_=!0,this.menu.lockShowing(),this.menuButton_.el_.setAttribute("aria-expanded","true"),g&&rt())return;this.menu.focus()}},e.prototype.unpressButton=function(){this.enabled_&&(this.buttonPressed_=!1,this.menu.unlockShowing(),this.menuButton_.el_.setAttribute("aria-expanded","false"))},e.prototype.disable=function(){this.unpressButton(),this.enabled_=!1,this.addClass("vjs-disabled"),this.menuButton_.disable()},e.prototype.enable=function(){this.enabled_=!0,this.removeClass("vjs-disabled"),this.menuButton_.enable()},e}(_e);_e.registerComponent("MenuButton",Mi);var Pi=function(t){function e(n,i){P(this,e);var r=i.tracks,o=B(this,t.call(this,n,i));if(o.items.length<=1&&o.hide(),!r)return B(o);var a=ee(o,o.update);return r.addEventListener("removetrack",a),r.addEventListener("addtrack",a),o.player_.on("ready",a),o.player_.on("dispose",(function(){r.removeEventListener("removetrack",a),r.removeEventListener("addtrack",a)})),o}return L(e,t),e}(Mi);_e.registerComponent("TrackButton",Pi);var Li=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.selectable=i.selectable,r.isSelected_=i.selected||!1,r.multiSelectable=i.multiSelectable,r.selected(r.isSelected_),r.selectable?r.multiSelectable?r.el_.setAttribute("role","menuitemcheckbox"):r.el_.setAttribute("role","menuitemradio"):r.el_.setAttribute("role","menuitem"),r}return L(e,t),e.prototype.createEl=function(e,n,i){return this.nonIconControl=!0,t.prototype.createEl.call(this,"li",Y({className:"vjs-menu-item",innerHTML:'<span class="vjs-menu-item-text">'+this.localize(this.options_.label)+"</span>",tabIndex:-1},n),i)},e.prototype.handleClick=function(t){this.selected(!0)},e.prototype.selected=function(t){this.selectable&&(t?(this.addClass("vjs-selected"),this.el_.setAttribute("aria-checked","true"),this.controlText(", selected"),this.isSelected_=!0):(this.removeClass("vjs-selected"),this.el_.setAttribute("aria-checked","false"),this.controlText(""),this.isSelected_=!1))},e}(Wn);_e.registerComponent("MenuItem",Li);var Bi=function(t){function e(n,i){P(this,e);var a=i.track,s=n.textTracks();i.label=a.label||a.language||"Unknown",i.selected="showing"===a.mode;var l=B(this,t.call(this,n,i));l.track=a;var u=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];l.handleTracksChange.apply(l,e)},c=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];l.handleSelectedLanguageChange.apply(l,e)};if(n.on(["loadstart","texttrackchange"],u),s.addEventListener("change",u),s.addEventListener("selectedlanguagechange",c),l.on("dispose",(function(){n.off(["loadstart","texttrackchange"],u),s.removeEventListener("change",u),s.removeEventListener("selectedlanguagechange",c)})),void 0===s.onchange){var h=void 0;l.on(["tap","click"],(function(){if("object"!==M(r.Event))try{h=new r.Event("change")}catch(t){}h||(h=o.createEvent("Event"),h.initEvent("change",!0,!0)),s.dispatchEvent(h)}))}return l.handleTracksChange(),l}return L(e,t),e.prototype.handleClick=function(e){var n=this.track.kind,i=this.track.kinds,r=this.player_.textTracks();if(i||(i=[n]),t.prototype.handleClick.call(this,e),r)for(var o=0;o<r.length;o++){var a=r[o];a===this.track&&i.indexOf(a.kind)>-1?"showing"!==a.mode&&(a.mode="showing"):"disabled"!==a.mode&&(a.mode="disabled")}},e.prototype.handleTracksChange=function(t){var e="showing"===this.track.mode;e!==this.isSelected_&&this.selected(e)},e.prototype.handleSelectedLanguageChange=function(t){if("showing"===this.track.mode){var e=this.player_.cache_.selectedLanguage;if(e&&e.enabled&&e.language===this.track.language&&e.kind!==this.track.kind)return;this.player_.cache_.selectedLanguage={enabled:!0,language:this.track.language,kind:this.track.kind}}},e.prototype.dispose=function(){this.track=null,t.prototype.dispose.call(this)},e}(Li);_e.registerComponent("TextTrackMenuItem",Bi);var Ii=function(t){function e(n,i){return P(this,e),i.track={player:n,kind:i.kind,kinds:i.kinds,default:!1,mode:"disabled"},i.kinds||(i.kinds=[i.kind]),i.label?i.track.label=i.label:i.track.label=i.kinds.join(" and ")+" off",i.selectable=!0,i.multiSelectable=!1,B(this,t.call(this,n,i))}return L(e,t),e.prototype.handleTracksChange=function(t){for(var e=this.player().textTracks(),n=!0,i=0,r=e.length;i<r;i++){var o=e[i];if(this.options_.kinds.indexOf(o.kind)>-1&&"showing"===o.mode){n=!1;break}}n!==this.isSelected_&&this.selected(n)},e.prototype.handleSelectedLanguageChange=function(t){for(var e=this.player().textTracks(),n=!0,i=0,r=e.length;i<r;i++){var o=e[i];if(["captions","descriptions","subtitles"].indexOf(o.kind)>-1&&"showing"===o.mode){n=!1;break}}n&&(this.player_.cache_.selectedLanguage={enabled:!1})},e}(Bi);_e.registerComponent("OffTextTrackMenuItem",Ii);var Ri=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return P(this,e),i.tracks=n.textTracks(),B(this,t.call(this,n,i))}return L(e,t),e.prototype.createItems=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Bi,n=void 0;this.label_&&(n=this.label_+" off"),t.push(new Ii(this.player_,{kinds:this.kinds_,kind:this.kind_,label:n})),this.hideThreshold_+=1;var i=this.player_.textTracks();Array.isArray(this.kinds_)||(this.kinds_=[this.kind_]);for(var r=0;r<i.length;r++){var o=i[r];if(this.kinds_.indexOf(o.kind)>-1){var a=new e(this.player_,{track:o,selectable:!0,multiSelectable:!1});a.addClass("vjs-"+o.kind+"-menu-item"),t.push(a)}}return t},e}(Pi);_e.registerComponent("TextTrackButton",Ri);var Fi=function(t){function e(n,i){P(this,e);var r=i.track,o=i.cue,a=n.currentTime();i.selectable=!0,i.multiSelectable=!1,i.label=o.text,i.selected=o.startTime<=a&&a<o.endTime;var s=B(this,t.call(this,n,i));return s.track=r,s.cue=o,r.addEventListener("cuechange",ee(s,s.update)),s}return L(e,t),e.prototype.handleClick=function(e){t.prototype.handleClick.call(this),this.player_.currentTime(this.cue.startTime),this.update(this.cue.startTime)},e.prototype.update=function(t){var e=this.cue,n=this.player_.currentTime();this.selected(e.startTime<=n&&n<e.endTime)},e}(Li);_e.registerComponent("ChaptersTrackMenuItem",Fi);var zi=function(t){function e(n,i,r){return P(this,e),B(this,t.call(this,n,i,r))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-chapters-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-chapters-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.update=function(e){this.track_&&(!e||"addtrack"!==e.type&&"removetrack"!==e.type)||this.setTrack(this.findChaptersTrack()),t.prototype.update.call(this)},e.prototype.setTrack=function(t){if(this.track_!==t){if(this.updateHandler_||(this.updateHandler_=this.update.bind(this)),this.track_){var e=this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);e&&e.removeEventListener("load",this.updateHandler_),this.track_=null}if(this.track_=t,this.track_){this.track_.mode="hidden";var n=this.player_.remoteTextTrackEls().getTrackElementByTrack_(this.track_);n&&n.addEventListener("load",this.updateHandler_)}}},e.prototype.findChaptersTrack=function(){for(var t=this.player_.textTracks()||[],e=t.length-1;e>=0;e--){var n=t[e];if(n.kind===this.kind_)return n}},e.prototype.getMenuCaption=function(){return this.track_&&this.track_.label?this.track_.label:this.localize(me(this.kind_))},e.prototype.createMenu=function(){return this.options_.title=this.getMenuCaption(),t.prototype.createMenu.call(this)},e.prototype.createItems=function(){var t=[];if(!this.track_)return t;var e=this.track_.cues;if(!e)return t;for(var n=0,i=e.length;n<i;n++){var r=e[n],o=new Fi(this.player_,{track:this.track_,cue:r});t.push(o)}return t},e}(Ri);zi.prototype.kind_="chapters",zi.prototype.controlText_="Chapters",_e.registerComponent("ChaptersButton",zi);var Vi=function(t){function e(n,i,r){P(this,e);var o=B(this,t.call(this,n,i,r)),a=n.textTracks(),s=ee(o,o.handleTracksChange);return a.addEventListener("change",s),o.on("dispose",(function(){a.removeEventListener("change",s)})),o}return L(e,t),e.prototype.handleTracksChange=function(t){for(var e=this.player().textTracks(),n=!1,i=0,r=e.length;i<r;i++){var o=e[i];if(o.kind!==this.kind_&&"showing"===o.mode){n=!0;break}}n?this.disable():this.enable()},e.prototype.buildCSSClass=function(){return"vjs-descriptions-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-descriptions-button "+t.prototype.buildWrapperCSSClass.call(this)},e}(Ri);Vi.prototype.kind_="descriptions",Vi.prototype.controlText_="Descriptions",_e.registerComponent("DescriptionsButton",Vi);var Yi=function(t){function e(n,i,r){return P(this,e),B(this,t.call(this,n,i,r))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-subtitles-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-subtitles-button "+t.prototype.buildWrapperCSSClass.call(this)},e}(Ri);Yi.prototype.kind_="subtitles",Yi.prototype.controlText_="Subtitles",_e.registerComponent("SubtitlesButton",Yi);var Hi=function(t){function e(n,i){P(this,e),i.track={player:n,kind:i.kind,label:i.kind+" settings",selectable:!1,default:!1,mode:"disabled"},i.selectable=!1,i.name="CaptionSettingsMenuItem";var r=B(this,t.call(this,n,i));return r.addClass("vjs-texttrack-settings"),r.controlText(", opens "+i.kind+" settings dialog"),r}return L(e,t),e.prototype.handleClick=function(t){this.player().getChild("textTrackSettings").open()},e}(Bi);_e.registerComponent("CaptionSettingsMenuItem",Hi);var Ui=function(t){function e(n,i,r){return P(this,e),B(this,t.call(this,n,i,r))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-captions-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-captions-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var e=[];return this.player().tech_&&this.player().tech_.featuresNativeTextTracks||!this.player().getChild("textTrackSettings")||(e.push(new Hi(this.player_,{kind:this.kind_})),this.hideThreshold_+=1),t.prototype.createItems.call(this,e)},e}(Ri);Ui.prototype.kind_="captions",Ui.prototype.controlText_="Captions",_e.registerComponent("CaptionsButton",Ui);var Wi=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(e,n,i){var r='<span class="vjs-menu-item-text">'+this.localize(this.options_.label);"captions"===this.options_.track.kind&&(r+='\n <span aria-hidden="true" class="vjs-icon-placeholder"></span>\n <span class="vjs-control-text"> '+this.localize("Captions")+"</span>\n "),r+="</span>";var o=t.prototype.createEl.call(this,e,Y({innerHTML:r},n),i);return o},e}(Bi);_e.registerComponent("SubsCapsMenuItem",Wi);var Gi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};P(this,e);var r=B(this,t.call(this,n,i));return r.label_="subtitles",["en","en-us","en-ca","fr-ca"].indexOf(r.player_.language_)>-1&&(r.label_="captions"),r.menuButton_.controlText(me(r.label_)),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-subs-caps-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-subs-caps-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var e=[];return this.player().tech_&&this.player().tech_.featuresNativeTextTracks||!this.player().getChild("textTrackSettings")||(e.push(new Hi(this.player_,{kind:this.label_})),this.hideThreshold_+=1),e=t.prototype.createItems.call(this,e,Wi),e},e}(Ri);Gi.prototype.kinds_=["captions","subtitles"],Gi.prototype.controlText_="Subtitles",_e.registerComponent("SubsCapsButton",Gi);var Qi=function(t){function e(n,i){P(this,e);var r=i.track,o=n.audioTracks();i.label=r.label||r.language||"Unknown",i.selected=r.enabled;var a=B(this,t.call(this,n,i));a.track=r,a.addClass("vjs-"+r.kind+"-menu-item");var s=function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];a.handleTracksChange.apply(a,e)};return o.addEventListener("change",s),a.on("dispose",(function(){o.removeEventListener("change",s)})),a}return L(e,t),e.prototype.createEl=function(e,n,i){var r='<span class="vjs-menu-item-text">'+this.localize(this.options_.label);"main-desc"===this.options_.track.kind&&(r+='\n <span aria-hidden="true" class="vjs-icon-placeholder"></span>\n <span class="vjs-control-text"> '+this.localize("Descriptions")+"</span>\n "),r+="</span>";var o=t.prototype.createEl.call(this,e,Y({innerHTML:r},n),i);return o},e.prototype.handleClick=function(e){var n=this.player_.audioTracks();t.prototype.handleClick.call(this,e);for(var i=0;i<n.length;i++){var r=n[i];r.enabled=r===this.track}},e.prototype.handleTracksChange=function(t){this.selected(this.track.enabled)},e}(Li);_e.registerComponent("AudioTrackMenuItem",Qi);var Zi=function(t){function e(n){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return P(this,e),i.tracks=n.audioTracks(),B(this,t.call(this,n,i))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-audio-button "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-audio-button "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createItems=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];this.hideThreshold_=1;for(var e=this.player_.audioTracks(),n=0;n<e.length;n++){var i=e[n];t.push(new Qi(this.player_,{track:i,selectable:!0,multiSelectable:!1}))}return t},e}(Pi);Zi.prototype.controlText_="Audio Track",_e.registerComponent("AudioTrackButton",Zi);var Ki=function(t){function e(n,i){P(this,e);var r=i.rate,o=parseFloat(r,10);i.label=r,i.selected=1===o,i.selectable=!0,i.multiSelectable=!1;var a=B(this,t.call(this,n,i));return a.label=r,a.rate=o,a.on(n,"ratechange",a.update),a}return L(e,t),e.prototype.handleClick=function(e){t.prototype.handleClick.call(this),this.player().playbackRate(this.rate)},e.prototype.update=function(t){this.selected(this.player().playbackRate()===this.rate)},e}(Li);Ki.prototype.contentElType="button",_e.registerComponent("PlaybackRateMenuItem",Ki);var Ji=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.updateVisibility(),r.updateLabel(),r.on(n,"loadstart",r.updateVisibility),r.on(n,"ratechange",r.updateLabel),r}return L(e,t),e.prototype.createEl=function(){var e=t.prototype.createEl.call(this);return this.labelEl_=at("div",{className:"vjs-playback-rate-value",innerHTML:"1x"}),e.appendChild(this.labelEl_),e},e.prototype.dispose=function(){this.labelEl_=null,t.prototype.dispose.call(this)},e.prototype.buildCSSClass=function(){return"vjs-playback-rate "+t.prototype.buildCSSClass.call(this)},e.prototype.buildWrapperCSSClass=function(){return"vjs-playback-rate "+t.prototype.buildWrapperCSSClass.call(this)},e.prototype.createMenu=function(){var t=new Di(this.player()),e=this.playbackRates();if(e)for(var n=e.length-1;n>=0;n--)t.addChild(new Ki(this.player(),{rate:e[n]+"x"}));return t},e.prototype.updateARIAAttributes=function(){this.el().setAttribute("aria-valuenow",this.player().playbackRate())},e.prototype.handleClick=function(t){for(var e=this.player().playbackRate(),n=this.playbackRates(),i=n[0],r=0;r<n.length;r++)if(n[r]>e){i=n[r];break}this.player().playbackRate(i)},e.prototype.playbackRates=function(){return this.options_.playbackRates||this.options_.playerOptions&&this.options_.playerOptions.playbackRates},e.prototype.playbackRateSupported=function(){return this.player().tech_&&this.player().tech_.featuresPlaybackRate&&this.playbackRates()&&this.playbackRates().length>0},e.prototype.updateVisibility=function(t){this.playbackRateSupported()?this.removeClass("vjs-hidden"):this.addClass("vjs-hidden")},e.prototype.updateLabel=function(t){this.playbackRateSupported()&&(this.labelEl_.innerHTML=this.player().playbackRate()+"x")},e}(Mi);Ji.prototype.controlText_="Playback Rate",_e.registerComponent("PlaybackRateMenuButton",Ji);var Xi=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-spacer "+t.prototype.buildCSSClass.call(this)},e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:this.buildCSSClass()})},e}(_e);_e.registerComponent("Spacer",Xi);var $i=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-custom-control-spacer "+t.prototype.buildCSSClass.call(this)},e.prototype.createEl=function(){var e=t.prototype.createEl.call(this,{className:this.buildCSSClass()});return e.innerHTML=" ",e},e}(Xi);_e.registerComponent("CustomControlSpacer",$i);var tr=function(t){function e(){return P(this,e),B(this,t.apply(this,arguments))}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"div",{className:"vjs-control-bar",dir:"ltr"})},e}(_e);tr.prototype.options_={children:["playToggle","volumePanel","currentTimeDisplay","timeDivider","durationDisplay","progressControl","liveDisplay","remainingTimeDisplay","customControlSpacer","playbackRateMenuButton","chaptersButton","descriptionsButton","subsCapsButton","audioTrackButton","fullscreenToggle"]},_e.registerComponent("ControlBar",tr);var er=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i));return r.on(n,"error",r.open),r}return L(e,t),e.prototype.buildCSSClass=function(){return"vjs-error-display "+t.prototype.buildCSSClass.call(this)},e.prototype.content=function(){var t=this.player().error();return t?this.localize(t.message):""},e}(ze);er.prototype.options_=ye(ze.prototype.options_,{pauseOnOpen:!1,fillAlways:!0,temporary:!1,uncloseable:!0}),_e.registerComponent("ErrorDisplay",er);var nr="vjs-text-track-settings",ir=["#000","Black"],rr=["#00F","Blue"],or=["#0FF","Cyan"],ar=["#0F0","Green"],sr=["#F0F","Magenta"],lr=["#F00","Red"],ur=["#FFF","White"],cr=["#FF0","Yellow"],hr=["1","Opaque"],dr=["0.5","Semi-Transparent"],fr=["0","Transparent"],pr={backgroundColor:{selector:".vjs-bg-color > select",id:"captions-background-color-%s",label:"Color",options:[ir,ur,lr,ar,rr,cr,sr,or]},backgroundOpacity:{selector:".vjs-bg-opacity > select",id:"captions-background-opacity-%s",label:"Transparency",options:[hr,dr,fr]},color:{selector:".vjs-fg-color > select",id:"captions-foreground-color-%s",label:"Color",options:[ur,ir,lr,ar,rr,cr,sr,or]},edgeStyle:{selector:".vjs-edge-style > select",id:"%s",label:"Text Edge Style",options:[["none","None"],["raised","Raised"],["depressed","Depressed"],["uniform","Uniform"],["dropshadow","Dropshadow"]]},fontFamily:{selector:".vjs-font-family > select",id:"captions-font-family-%s",label:"Font Family",options:[["proportionalSansSerif","Proportional Sans-Serif"],["monospaceSansSerif","Monospace Sans-Serif"],["proportionalSerif","Proportional Serif"],["monospaceSerif","Monospace Serif"],["casual","Casual"],["script","Script"],["small-caps","Small Caps"]]},fontPercent:{selector:".vjs-font-percent > select",id:"captions-font-size-%s",label:"Font Size",options:[["0.50","50%"],["0.75","75%"],["1.00","100%"],["1.25","125%"],["1.50","150%"],["1.75","175%"],["2.00","200%"],["3.00","300%"],["4.00","400%"]],default:2,parser:function(t){return"1.00"===t?null:Number(t)}},textOpacity:{selector:".vjs-text-opacity > select",id:"captions-foreground-opacity-%s",label:"Transparency",options:[hr,dr]},windowColor:{selector:".vjs-window-color > select",id:"captions-window-color-%s",label:"Color"},windowOpacity:{selector:".vjs-window-opacity > select",id:"captions-window-opacity-%s",label:"Transparency",options:[fr,dr,hr]}};function vr(t,e){if(e&&(t=e(t)),t&&"none"!==t)return t}function mr(t,e){var n=t.options[t.options.selectedIndex].value;return vr(n,e)}function gr(t,e,n){if(e)for(var i=0;i<t.options.length;i++)if(vr(t.options[i].value,n)===e){t.selectedIndex=i;break}}pr.windowColor.options=pr.backgroundColor.options;var yr=function(t){function e(n,i){P(this,e),i.temporary=!1;var r=B(this,t.call(this,n,i));return r.updateDisplay=ee(r,r.updateDisplay),r.fill(),r.hasBeenOpened_=r.hasBeenFilled_=!0,r.endDialog=at("p",{className:"vjs-control-text",textContent:r.localize("End of dialog window.")}),r.el().appendChild(r.endDialog),r.setDefaults(),void 0===i.persistTextTrackSettings&&(r.options_.persistTextTrackSettings=r.options_.playerOptions.persistTextTrackSettings),r.on(r.$(".vjs-done-button"),"click",(function(){r.saveSettings(),r.close()})),r.on(r.$(".vjs-default-button"),"click",(function(){r.setDefaults(),r.updateDisplay()})),z(pr,(function(t){r.on(r.$(t.selector),"change",r.updateDisplay)})),r.options_.persistTextTrackSettings&&r.restoreSettings(),r}return L(e,t),e.prototype.dispose=function(){this.endDialog=null,t.prototype.dispose.call(this)},e.prototype.createElSelect_=function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"label",r=pr[t],o=r.id.replace("%s",this.id_),a=[n,o].join(" ").trim();return["<"+i+' id="'+o+'" class="'+("label"===i?"vjs-label":"")+'">',this.localize(r.label),"</"+i+">",'<select aria-labelledby="'+a+'">'].concat(r.options.map((function(t){var n=o+"-"+t[1].replace(/\W+/g,"");return['<option id="'+n+'" value="'+t[0]+'" ','aria-labelledby="'+a+" "+n+'">',e.localize(t[1]),"</option>"].join("")}))).concat("</select>").join("")},e.prototype.createElFgColor_=function(){var t="captions-text-legend-"+this.id_;return['<fieldset class="vjs-fg-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Text"),"</legend>",this.createElSelect_("color",t),'<span class="vjs-text-opacity vjs-opacity">',this.createElSelect_("textOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElBgColor_=function(){var t="captions-background-"+this.id_;return['<fieldset class="vjs-bg-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Background"),"</legend>",this.createElSelect_("backgroundColor",t),'<span class="vjs-bg-opacity vjs-opacity">',this.createElSelect_("backgroundOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElWinColor_=function(){var t="captions-window-"+this.id_;return['<fieldset class="vjs-window-color vjs-track-setting">','<legend id="'+t+'">',this.localize("Window"),"</legend>",this.createElSelect_("windowColor",t),'<span class="vjs-window-opacity vjs-opacity">',this.createElSelect_("windowOpacity",t),"</span>","</fieldset>"].join("")},e.prototype.createElColors_=function(){return at("div",{className:"vjs-track-settings-colors",innerHTML:[this.createElFgColor_(),this.createElBgColor_(),this.createElWinColor_()].join("")})},e.prototype.createElFont_=function(){return at("div",{className:"vjs-track-settings-font",innerHTML:['<fieldset class="vjs-font-percent vjs-track-setting">',this.createElSelect_("fontPercent","","legend"),"</fieldset>",'<fieldset class="vjs-edge-style vjs-track-setting">',this.createElSelect_("edgeStyle","","legend"),"</fieldset>",'<fieldset class="vjs-font-family vjs-track-setting">',this.createElSelect_("fontFamily","","legend"),"</fieldset>"].join("")})},e.prototype.createElControls_=function(){var t=this.localize("restore all settings to the default values");return at("div",{className:"vjs-track-settings-controls",innerHTML:['<button type="button" class="vjs-default-button" title="'+t+'">',this.localize("Reset"),'<span class="vjs-control-text"> '+t+"</span>","</button>",'<button type="button" class="vjs-done-button">'+this.localize("Done")+"</button>"].join("")})},e.prototype.content=function(){return[this.createElColors_(),this.createElFont_(),this.createElControls_()]},e.prototype.label=function(){return this.localize("Caption Settings Dialog")},e.prototype.description=function(){return this.localize("Beginning of dialog window. Escape will cancel and close the window.")},e.prototype.buildCSSClass=function(){return t.prototype.buildCSSClass.call(this)+" vjs-text-track-settings"},e.prototype.getValues=function(){var t=this;return V(pr,(function(e,n,i){var r=mr(t.$(n.selector),n.parser);return void 0!==r&&(e[i]=r),e}),{})},e.prototype.setValues=function(t){var e=this;z(pr,(function(n,i){gr(e.$(n.selector),t[i],n.parser)}))},e.prototype.setDefaults=function(){var t=this;z(pr,(function(e){var n=e.hasOwnProperty("default")?e["default"]:0;t.$(e.selector).selectedIndex=n}))},e.prototype.restoreSettings=function(){var t=void 0;try{t=JSON.parse(r.localStorage.getItem(nr))}catch(e){Z.warn(e)}t&&this.setValues(t)},e.prototype.saveSettings=function(){if(this.options_.persistTextTrackSettings){var t=this.getValues();try{Object.keys(t).length?r.localStorage.setItem(nr,JSON.stringify(t)):r.localStorage.removeItem(nr)}catch(e){Z.warn(e)}}},e.prototype.updateDisplay=function(){var t=this.player_.getChild("textTrackDisplay");t&&t.updateDisplay()},e.prototype.conditionalBlur_=function(){this.previouslyActiveEl_=null,this.off(o,"keydown",this.handleKeyDown);var t=this.player_.controlBar,e=t&&t.subsCapsButton,n=t&&t.captionsButton;e?e.focus():n&&n.focus()},e}(ze);_e.registerComponent("TextTrackSettings",yr);var _r=function(t){function e(n,i){P(this,e);var o=i.ResizeObserver||r.ResizeObserver;null===i.ResizeObserver&&(o=!1);var a=ye({createEl:!o},i),s=B(this,t.call(this,n,a));return s.ResizeObserver=i.ResizeObserver||r.ResizeObserver,s.loadListener_=null,s.resizeObserver_=null,s.debouncedHandler_=ie((function(){s.resizeHandler()}),100,!1,s),o?(s.resizeObserver_=new s.ResizeObserver(s.debouncedHandler_),s.resizeObserver_.observe(n.el())):(s.loadListener_=function(){s.el_&&s.el_.contentWindow&&Ht(s.el_.contentWindow,"resize",s.debouncedHandler_)},s.one("load",s.loadListener_)),s}return L(e,t),e.prototype.createEl=function(){return t.prototype.createEl.call(this,"iframe",{className:"vjs-resize-manager"})},e.prototype.resizeHandler=function(){this.player_&&this.player_.trigger&&this.player_.trigger("playerresize")},e.prototype.dispose=function(){this.debouncedHandler_&&this.debouncedHandler_.cancel(),this.resizeObserver_&&(this.player_.el()&&this.resizeObserver_.unobserve(this.player_.el()),this.resizeObserver_.disconnect()),this.el_&&this.el_.contentWindow&&Ut(this.el_.contentWindow,"resize",this.debouncedHandler_),this.loadListener_&&this.off("load",this.loadListener_),this.ResizeObserver=null,this.resizeObserver=null,this.debouncedHandler_=null,this.loadListener_=null},e}(_e);_e.registerComponent("ResizeManager",_r);var br=function(t){var e=t.el();if(e.hasAttribute("src"))return t.triggerSourceset(e.src),!0;var n=t.$$("source"),i=[],r="";if(!n.length)return!1;for(var o=0;o<n.length;o++){var a=n[o].src;a&&-1===i.indexOf(a)&&i.push(a)}return!!i.length&&(1===i.length&&(r=i[0]),t.triggerSourceset(r),!0)},wr={};T||(wr=Object.defineProperty({},"innerHTML",{get:function(){return this.cloneNode(!0).innerHTML},set:function(t){var e=o.createElement(this.nodeName.toLowerCase());e.innerHTML=t;var n=o.createDocumentFragment();while(e.childNodes.length)n.appendChild(e.childNodes[0]);return this.innerText="",r.Element.prototype.appendChild.call(this,n),this.innerHTML}}));var Ar=function(t,e){for(var n={},i=0;i<t.length;i++)if(n=Object.getOwnPropertyDescriptor(t[i],e),n&&n.set&&n.get)break;return n.enumerable=!0,n.configurable=!0,n},xr=function(t){return Ar([t.el(),r.HTMLMediaElement.prototype,r.Element.prototype,wr],"innerHTML")},kr=function(t){var e=t.el();if(!e.resetSourceWatch_){var n={},i=xr(t),r=function(n){return function(){for(var i=arguments.length,r=Array(i),o=0;o<i;o++)r[o]=arguments[o];var a=n.apply(e,r);return br(t),a}};["append","appendChild","insertAdjacentHTML"].forEach((function(t){e[t]&&(n[t]=e[t],e[t]=r(n[t]))})),Object.defineProperty(e,"innerHTML",ye(i,{set:r(i.set)})),e.resetSourceWatch_=function(){e.resetSourceWatch_=null,Object.keys(n).forEach((function(t){e[t]=n[t]})),Object.defineProperty(e,"innerHTML",i)},t.one("sourceset",e.resetSourceWatch_)}},jr={};T||(jr=Object.defineProperty({},"src",{get:function(){return this.hasAttribute("src")?rn(r.Element.prototype.getAttribute.call(this,"src")):""},set:function(t){return r.Element.prototype.setAttribute.call(this,"src",t),t}}));var Cr=function(t){return Ar([t.el(),r.HTMLMediaElement.prototype,jr],"src")},Tr=function(t){if(t.featuresSourceset){var e=t.el();if(!e.resetSourceset_){var n=Cr(t),i=e.setAttribute,r=e.load;Object.defineProperty(e,"src",ye(n,{set:function(i){var r=n.set.call(e,i);return t.triggerSourceset(e.src),r}})),e.setAttribute=function(n,r){var o=i.call(e,n,r);return/src/i.test(n)&&t.triggerSourceset(e.src),o},e.load=function(){var n=r.call(e);return br(t)||(t.triggerSourceset(""),kr(t)),n},e.currentSrc?t.triggerSourceset(e.currentSrc):br(t)||kr(t),e.resetSourceset_=function(){e.resetSourceset_=null,e.load=r,e.setAttribute=i,Object.defineProperty(e,"src",n),e.resetSourceWatch_&&e.resetSourceWatch_()}}}},Er=I(["Text Tracks are being loaded from another origin but the crossorigin attribute isn't used.\n This may prevent text tracks from loading."],["Text Tracks are being loaded from another origin but the crossorigin attribute isn't used.\n This may prevent text tracks from loading."]),Sr=function(t){function e(n,i){P(this,e);var r=B(this,t.call(this,n,i)),o=n.source,s=!1;if(o&&(r.el_.currentSrc!==o.src||n.tag&&3===n.tag.initNetworkState_)?r.setSource(o):r.handleLateInit_(r.el_),n.enableSourceset&&r.setupSourcesetHandling_(),r.el_.hasChildNodes()){var l=r.el_.childNodes,u=l.length,c=[];while(u--){var h=l[u],d=h.nodeName.toLowerCase();"track"===d&&(r.featuresNativeTextTracks?(r.remoteTextTrackEls().addTrackElement_(h),r.remoteTextTracks().addTrack(h.track),r.textTracks().addTrack(h.track),s||r.el_.hasAttribute("crossorigin")||!an(h.src)||(s=!0)):c.push(h))}for(var f=0;f<c.length;f++)r.el_.removeChild(c[f])}return r.proxyNativeTracks_(),r.featuresNativeTextTracks&&s&&Z.warn(a(Er)),r.restoreMetadataTracksInIOSNativePlayer_(),(q||v||A)&&!0===n.nativeControlsForTouch&&r.setControls(!0),r.proxyWebkitFullscreen_(),r.triggerReady(),r}return L(e,t),e.prototype.dispose=function(){this.el_&&this.el_.resetSourceset_&&this.el_.resetSourceset_(),e.disposeMediaElement(this.el_),this.options_=null,t.prototype.dispose.call(this)},e.prototype.setupSourcesetHandling_=function(){Tr(this)},e.prototype.restoreMetadataTracksInIOSNativePlayer_=function(){var t=this.textTracks(),e=void 0,n=function(){e=[];for(var n=0;n<t.length;n++){var i=t[n];"metadata"===i.kind&&e.push({track:i,storedMode:i.mode})}};n(),t.addEventListener("change",n),this.on("dispose",(function(){return t.removeEventListener("change",n)}));var i=function n(){for(var i=0;i<e.length;i++){var r=e[i];"disabled"===r.track.mode&&r.track.mode!==r.storedMode&&(r.track.mode=r.storedMode)}t.removeEventListener("change",n)};this.on("webkitbeginfullscreen",(function(){t.removeEventListener("change",n),t.removeEventListener("change",i),t.addEventListener("change",i)})),this.on("webkitendfullscreen",(function(){t.removeEventListener("change",n),t.addEventListener("change",n),t.removeEventListener("change",i)}))},e.prototype.proxyNativeTracks_=function(){var t=this;yn.names.forEach((function(e){var n=yn[e],i=t.el()[n.getterName],r=t[n.getterName]();if(t["featuresNative"+n.capitalName+"Tracks"]&&i&&i.addEventListener){var o={change:function(t){r.trigger({type:"change",target:r,currentTarget:r,srcElement:r})},addtrack:function(t){r.addTrack(t.track)},removetrack:function(t){r.removeTrack(t.track)}},a=function(){for(var t=[],e=0;e<r.length;e++){for(var n=!1,o=0;o<i.length;o++)if(i[o]===r[e]){n=!0;break}n||t.push(r[e])}while(t.length)r.removeTrack(t.shift())};Object.keys(o).forEach((function(e){var n=o[e];i.addEventListener(e,n),t.on("dispose",(function(t){return i.removeEventListener(e,n)}))})),t.on("loadstart",a),t.on("dispose",(function(e){return t.off("loadstart",a)}))}}))},e.prototype.createEl=function(){var t=this.options_.tag;if(!t||!this.options_.playerElIngest&&!this.movingMediaElementInDOM){if(t){var n=t.cloneNode(!0);t.parentNode&&t.parentNode.insertBefore(n,t),e.disposeMediaElement(t),t=n}else{t=o.createElement("video");var i=this.options_.tag&&pt(this.options_.tag),r=ye({},i);q&&!0===this.options_.nativeControlsForTouch||delete r.controls,ft(t,Y(r,{id:this.options_.techId,class:"vjs-tech"}))}t.playerId=this.options_.playerId}"undefined"!==typeof this.options_.preload&&mt(t,"preload",this.options_.preload);for(var a=["loop","muted","playsinline","autoplay"],s=0;s<a.length;s++){var l=a[s],u=this.options_[l];"undefined"!==typeof u&&(u?mt(t,l,l):gt(t,l),t[l]=u)}return t},e.prototype.handleLateInit_=function(t){if(0!==t.networkState&&3!==t.networkState){if(0===t.readyState){var e=!1,n=function(){e=!0};this.on("loadstart",n);var i=function(){e||this.trigger("loadstart")};return this.on("loadedmetadata",i),void this.ready((function(){this.off("loadstart",n),this.off("loadedmetadata",i),e||this.trigger("loadstart")}))}var r=["loadstart"];r.push("loadedmetadata"),t.readyState>=2&&r.push("loadeddata"),t.readyState>=3&&r.push("canplay"),t.readyState>=4&&r.push("canplaythrough"),this.ready((function(){r.forEach((function(t){this.trigger(t)}),this)}))}},e.prototype.setCurrentTime=function(t){try{this.el_.currentTime=t}catch(e){Z(e,"Video is not ready. (Video.js)")}},e.prototype.duration=function(){var t=this;if(this.el_.duration===1/0&&_&&j&&0===this.el_.currentTime){var e=function e(){t.el_.currentTime>0&&(t.el_.duration===1/0&&t.trigger("durationchange"),t.off("timeupdate",e))};return this.on("timeupdate",e),NaN}return this.el_.duration||NaN},e.prototype.width=function(){return this.el_.offsetWidth},e.prototype.height=function(){return this.el_.offsetHeight},e.prototype.proxyWebkitFullscreen_=function(){var t=this;if("webkitDisplayingFullscreen"in this.el_){var e=function(){this.trigger("fullscreenchange",{isFullscreen:!1})},n=function(){"webkitPresentationMode"in this.el_&&"picture-in-picture"!==this.el_.webkitPresentationMode&&(this.one("webkitendfullscreen",e),this.trigger("fullscreenchange",{isFullscreen:!0}))};this.on("webkitbeginfullscreen",n),this.on("dispose",(function(){t.off("webkitbeginfullscreen",n),t.off("webkitendfullscreen",e)}))}},e.prototype.supportsFullScreen=function(){if("function"===typeof this.el_.webkitEnterFullScreen){var t=r.navigator&&r.navigator.userAgent||"";if(/Android/.test(t)||!/Chrome|Mac OS X 10.5/.test(t))return!0}return!1},e.prototype.enterFullScreen=function(){var t=this.el_;t.paused&&t.networkState<=t.HAVE_METADATA?(this.el_.play(),this.setTimeout((function(){t.pause(),t.webkitEnterFullScreen()}),0)):t.webkitEnterFullScreen()},e.prototype.exitFullScreen=function(){this.el_.webkitExitFullScreen()},e.prototype.src=function(t){if(void 0===t)return this.el_.src;this.setSrc(t)},e.prototype.reset=function(){e.resetMediaElement(this.el_)},e.prototype.currentSrc=function(){return this.currentSource_?this.currentSource_.src:this.el_.currentSrc},e.prototype.setControls=function(t){this.el_.controls=!!t},e.prototype.addTextTrack=function(e,n,i){return this.featuresNativeTextTracks?this.el_.addTextTrack(e,n,i):t.prototype.addTextTrack.call(this,e,n,i)},e.prototype.createRemoteTextTrack=function(e){if(!this.featuresNativeTextTracks)return t.prototype.createRemoteTextTrack.call(this,e);var n=o.createElement("track");return e.kind&&(n.kind=e.kind),e.label&&(n.label=e.label),(e.language||e.srclang)&&(n.srclang=e.language||e.srclang),e["default"]&&(n["default"]=e["default"]),e.id&&(n.id=e.id),e.src&&(n.src=e.src),n},e.prototype.addRemoteTextTrack=function(e,n){var i=t.prototype.addRemoteTextTrack.call(this,e,n);return this.featuresNativeTextTracks&&this.el().appendChild(i),i},e.prototype.removeRemoteTextTrack=function(e){if(t.prototype.removeRemoteTextTrack.call(this,e),this.featuresNativeTextTracks){var n=this.$$("track"),i=n.length;while(i--)e!==n[i]&&e!==n[i].track||this.el().removeChild(n[i])}},e.prototype.getVideoPlaybackQuality=function(){if("function"===typeof this.el().getVideoPlaybackQuality)return this.el().getVideoPlaybackQuality();var t={};return"undefined"!==typeof this.el().webkitDroppedFrameCount&&"undefined"!==typeof this.el().webkitDecodedFrameCount&&(t.droppedVideoFrames=this.el().webkitDroppedFrameCount,t.totalVideoFrames=this.el().webkitDecodedFrameCount),r.performance&&"function"===typeof r.performance.now?t.creationTime=r.performance.now():r.performance&&r.performance.timing&&"number"===typeof r.performance.timing.navigationStart&&(t.creationTime=r.Date.now()-r.performance.timing.navigationStart),t},e}(An);if(nt()){Sr.TEST_VID=o.createElement("video");var Or=o.createElement("track");Or.kind="captions",Or.srclang="en",Or.label="English",Sr.TEST_VID.appendChild(Or)}Sr.isSupported=function(){try{Sr.TEST_VID.volume=.5}catch(t){return!1}return!(!Sr.TEST_VID||!Sr.TEST_VID.canPlayType)},Sr.canPlayType=function(t){return Sr.TEST_VID.canPlayType(t)},Sr.canPlaySource=function(t,e){return Sr.canPlayType(t.type)},Sr.canControlVolume=function(){try{var t=Sr.TEST_VID.volume;return Sr.TEST_VID.volume=t/2+.1,t!==Sr.TEST_VID.volume}catch(e){return!1}},Sr.canMuteVolume=function(){try{var t=Sr.TEST_VID.muted;return Sr.TEST_VID.muted=!t,Sr.TEST_VID.muted?mt(Sr.TEST_VID,"muted","muted"):gt(Sr.TEST_VID,"muted","muted"),t!==Sr.TEST_VID.muted}catch(e){return!1}},Sr.canControlPlaybackRate=function(){if(_&&j&&C<58)return!1;try{var t=Sr.TEST_VID.playbackRate;return Sr.TEST_VID.playbackRate=t/2+.1,t!==Sr.TEST_VID.playbackRate}catch(e){return!1}},Sr.canOverrideAttributes=function(){if(T)return!1;try{var t=function(){};Object.defineProperty(o.createElement("video"),"src",{get:t,set:t}),Object.defineProperty(o.createElement("audio"),"src",{get:t,set:t}),Object.defineProperty(o.createElement("video"),"innerHTML",{get:t,set:t}),Object.defineProperty(o.createElement("audio"),"innerHTML",{get:t,set:t})}catch(e){return!1}return!0},Sr.supportsNativeTextTracks=function(){return O||g&&j},Sr.supportsNativeVideoTracks=function(){return!(!Sr.TEST_VID||!Sr.TEST_VID.videoTracks)},Sr.supportsNativeAudioTracks=function(){return!(!Sr.TEST_VID||!Sr.TEST_VID.audioTracks)},Sr.Events=["loadstart","suspend","abort","error","emptied","stalled","loadedmetadata","loadeddata","canplay","canplaythrough","playing","waiting","seeking","seeked","ended","durationchange","timeupdate","progress","play","pause","ratechange","resize","volumechange"],Sr.prototype.featuresVolumeControl=Sr.canControlVolume(),Sr.prototype.featuresMuteControl=Sr.canMuteVolume(),Sr.prototype.featuresPlaybackRate=Sr.canControlPlaybackRate(),Sr.prototype.featuresSourceset=Sr.canOverrideAttributes(),Sr.prototype.movingMediaElementInDOM=!g,Sr.prototype.featuresFullscreenResize=!0,Sr.prototype.featuresProgressEvents=!0,Sr.prototype.featuresTimeupdateEvents=!0,Sr.prototype.featuresNativeTextTracks=Sr.supportsNativeTextTracks(),Sr.prototype.featuresNativeVideoTracks=Sr.supportsNativeVideoTracks(),Sr.prototype.featuresNativeAudioTracks=Sr.supportsNativeAudioTracks();var qr=Sr.TEST_VID&&Sr.TEST_VID.constructor.prototype.canPlayType,Nr=/^application\/(?:x-|vnd\.apple\.)mpegurl/i,Dr=/^video\/mp4/i;Sr.patchCanPlayType=function(){b>=4&&!x&&!j?Sr.TEST_VID.constructor.prototype.canPlayType=function(t){return t&&Nr.test(t)?"maybe":qr.call(this,t)}:w&&(Sr.TEST_VID.constructor.prototype.canPlayType=function(t){return t&&Dr.test(t)?"maybe":qr.call(this,t)})},Sr.unpatchCanPlayType=function(){var t=Sr.TEST_VID.constructor.prototype.canPlayType;return Sr.TEST_VID.constructor.prototype.canPlayType=qr,t},Sr.patchCanPlayType(),Sr.disposeMediaElement=function(t){if(t){t.parentNode&&t.parentNode.removeChild(t);while(t.hasChildNodes())t.removeChild(t.firstChild);t.removeAttribute("src"),"function"===typeof t.load&&function(){try{t.load()}catch(e){}}()}},Sr.resetMediaElement=function(t){if(t){var e=t.querySelectorAll("source"),n=e.length;while(n--)t.removeChild(e[n]);t.removeAttribute("src"),"function"===typeof t.load&&function(){try{t.load()}catch(e){}}()}},["muted","defaultMuted","autoplay","controls","loop","playsinline"].forEach((function(t){Sr.prototype[t]=function(){return this.el_[t]||this.el_.hasAttribute(t)}})),["muted","defaultMuted","autoplay","loop","playsinline"].forEach((function(t){Sr.prototype["set"+me(t)]=function(e){this.el_[t]=e,e?this.el_.setAttribute(t,t):this.el_.removeAttribute(t)}})),["paused","currentTime","buffered","volume","poster","preload","error","seeking","seekable","ended","playbackRate","defaultPlaybackRate","played","networkState","readyState","videoWidth","videoHeight"].forEach((function(t){Sr.prototype[t]=function(){return this.el_[t]}})),["volume","src","poster","preload","playbackRate","defaultPlaybackRate"].forEach((function(t){Sr.prototype["set"+me(t)]=function(e){this.el_[t]=e}})),["pause","load","play"].forEach((function(t){Sr.prototype[t]=function(){return this.el_[t]()}})),An.withSourceHandlers(Sr),Sr.nativeSourceHandler={},Sr.nativeSourceHandler.canPlayType=function(t){try{return Sr.TEST_VID.canPlayType(t)}catch(e){return""}},Sr.nativeSourceHandler.canHandleSource=function(t,e){if(t.type)return Sr.nativeSourceHandler.canPlayType(t.type);if(t.src){var n=on(t.src);return Sr.nativeSourceHandler.canPlayType("video/"+n)}return""},Sr.nativeSourceHandler.handleSource=function(t,e,n){e.setSrc(t.src)},Sr.nativeSourceHandler.dispose=function(){},Sr.registerSourceHandler(Sr.nativeSourceHandler),An.registerTech("Html5",Sr);var Mr=I(["\n Using the tech directly can be dangerous. I hope you know what you're doing.\n See https://github.com/videojs/video.js/issues/2617 for more info.\n "],["\n Using the tech directly can be dangerous. I hope you know what you're doing.\n See https://github.com/videojs/video.js/issues/2617 for more info.\n "]),Pr=["progress","abort","suspend","emptied","stalled","loadedmetadata","loadeddata","timeupdate","resize","volumechange","texttrackchange"],Lr={canplay:"CanPlay",canplaythrough:"CanPlayThrough",playing:"Playing",seeked:"Seeked"},Br=["tiny","xsmall","small","medium","large","xlarge","huge"],Ir={};Br.forEach((function(t){var e="x"===t.charAt(0)?"x-"+t.substring(1):t;Ir[t]="vjs-layout-"+e}));var Rr={tiny:210,xsmall:320,small:425,medium:768,large:1440,xlarge:2560,huge:1/0},Fr=function(t){function e(n,i,r){if(P(this,e),n.id=n.id||i.id||"vjs_video_"+Dt(),i=Y(e.getTagSettings(n),i),i.initChildren=!1,i.createEl=!1,i.evented=!1,i.reportTouchActivity=!1,!i.language)if("function"===typeof n.closest){var o=n.closest("[lang]");o&&o.getAttribute&&(i.language=o.getAttribute("lang"))}else{var a=n;while(a&&1===a.nodeType){if(pt(a).hasOwnProperty("lang")){i.language=a.getAttribute("lang");break}a=a.parentNode}}var s=B(this,t.call(this,null,i,r));if(s.log=K(s.id_),s.isPosterFromTech_=!1,s.queuedCallbacks_=[],s.isReady_=!1,s.hasStarted_=!1,s.userActive_=!1,!s.options_||!s.options_.techOrder||!s.options_.techOrder.length)throw new Error("No techOrder specified. Did you overwrite videojs.options instead of just changing the properties you want to override?");if(s.tag=n,s.tagAttributes=n&&pt(n),s.language(s.options_.language),i.languages){var l={};Object.getOwnPropertyNames(i.languages).forEach((function(t){l[t.toLowerCase()]=i.languages[t]})),s.languages_=l}else s.languages_=e.prototype.options_.languages;s.cache_={},s.poster_=i.poster||"",s.controls_=!!i.controls,s.cache_.lastVolume=1,n.controls=!1,n.removeAttribute("controls"),n.hasAttribute("autoplay")?s.options_.autoplay=!0:s.autoplay(s.options_.autoplay),s.scrubbing_=!1,s.el_=s.createEl(),s.cache_.lastPlaybackRate=s.defaultPlaybackRate(),fe(s,{eventBusKey:"el_"});var u=ye(s.options_);if(i.plugins){var h=i.plugins;Object.keys(h).forEach((function(t){if("function"!==typeof this[t])throw new Error('plugin "'+t+'" does not exist');this[t](h[t])}),s)}s.options_.playerOptions=u,s.middleware_=[],s.initChildren(),s.isAudio("audio"===n.nodeName.toLowerCase()),s.controls()?s.addClass("vjs-controls-enabled"):s.addClass("vjs-controls-disabled"),s.el_.setAttribute("role","region"),s.isAudio()?s.el_.setAttribute("aria-label",s.localize("Audio Player")):s.el_.setAttribute("aria-label",s.localize("Video Player")),s.isAudio()&&s.addClass("vjs-audio"),s.flexNotSupported_()&&s.addClass("vjs-no-flex"),g||s.addClass("vjs-workinghover"),e.players[s.id_]=s;var d=c.split(".")[0];return s.addClass("vjs-v"+d),s.userActive(!0),s.reportUserActivity(),s.one("play",s.listenForUserActivity_),s.on("fullscreenchange",s.handleFullscreenChange_),s.on("stageclick",s.handleStageClick_),s.breakpoints(s.options_.breakpoints),s.responsive(s.options_.responsive),s.changingSrc_=!1,s.playWaitingForReady_=!1,s.playOnLoadstart_=null,s}return L(e,t),e.prototype.dispose=function(){this.trigger("dispose"),this.off("dispose"),this.styleEl_&&this.styleEl_.parentNode&&(this.styleEl_.parentNode.removeChild(this.styleEl_),this.styleEl_=null),e.players[this.id_]=null,this.tag&&this.tag.player&&(this.tag.player=null),this.el_&&this.el_.player&&(this.el_.player=null),this.tech_&&(this.tech_.dispose(),this.isPosterFromTech_=!1,this.poster_=""),this.playerElIngest_&&(this.playerElIngest_=null),this.tag&&(this.tag=null),Bn(this),t.prototype.dispose.call(this)},e.prototype.createEl=function(){var e=this.tag,n=void 0,i=this.playerElIngest_=e.parentNode&&e.parentNode.hasAttribute&&e.parentNode.hasAttribute("data-vjs-player"),a="video-js"===this.tag.tagName.toLowerCase();i?n=this.el_=e.parentNode:a||(n=this.el_=t.prototype.createEl.call(this,"div"));var s=pt(e);if(a){n=this.el_=e,e=this.tag=o.createElement("video");while(n.children.length)e.appendChild(n.firstChild);ut(n,"video-js")||ct(n,"video-js"),n.appendChild(e),i=this.playerElIngest_=n,["autoplay","controls","crossOrigin","defaultMuted","defaultPlaybackRate","loop","muted","playbackRate","src","volume"].forEach((function(t){"undefined"!==typeof n[t]&&(e[t]=n[t])}))}if(e.setAttribute("tabindex","-1"),s.tabindex="-1",E&&(e.setAttribute("role","application"),s.role="application"),e.removeAttribute("width"),e.removeAttribute("height"),"width"in s&&delete s.width,"height"in s&&delete s.height,Object.getOwnPropertyNames(s).forEach((function(t){"class"===t?(n.className+=" "+s[t],a&&(e.className+=" "+s[t])):(n.setAttribute(t,s[t]),a&&e.setAttribute(t,s[t]))})),e.playerId=e.id,e.id+="_html5_api",e.className="vjs-tech",e.player=n.player=this,this.addClass("vjs-paused"),!0!==r.VIDEOJS_NO_DYNAMIC_STYLE){this.styleEl_=$t("vjs-styles-dimensions");var l=St(".vjs-styles-defaults"),u=St("head");u.insertBefore(this.styleEl_,l?l.nextSibling:u.firstChild)}this.fill_=!1,this.fluid_=!1,this.width(this.options_.width),this.height(this.options_.height),this.fill(this.options_.fill),this.fluid(this.options_.fluid),this.aspectRatio(this.options_.aspectRatio);for(var c=e.getElementsByTagName("a"),h=0;h<c.length;h++){var d=c.item(h);ct(d,"vjs-hidden"),d.setAttribute("hidden","hidden")}return e.initNetworkState_=e.networkState,e.parentNode&&!i&&e.parentNode.insertBefore(n,e),lt(e,n),this.children_.unshift(e),this.el_.setAttribute("lang",this.language_),this.el_=n,n},e.prototype.width=function(t){return this.dimension("width",t)},e.prototype.height=function(t){return this.dimension("height",t)},e.prototype.dimension=function(t,e){var n=t+"_";if(void 0===e)return this[n]||0;if(""===e)return this[n]=void 0,void this.updateStyleEl_();var i=parseFloat(e);isNaN(i)?Z.error('Improper value "'+e+'" supplied for for '+t):(this[n]=i,this.updateStyleEl_())},e.prototype.fluid=function(t){if(void 0===t)return!!this.fluid_;this.fluid_=!!t,t?(this.addClass("vjs-fluid"),this.fill(!1)):this.removeClass("vjs-fluid"),this.updateStyleEl_()},e.prototype.fill=function(t){if(void 0===t)return!!this.fill_;this.fill_=!!t,t?(this.addClass("vjs-fill"),this.fluid(!1)):this.removeClass("vjs-fill")},e.prototype.aspectRatio=function(t){if(void 0===t)return this.aspectRatio_;if(!/^\d+\:\d+$/.test(t))throw new Error("Improper value supplied for aspect ratio. The format should be width:height, for example 16:9.");this.aspectRatio_=t,this.fluid(!0),this.updateStyleEl_()},e.prototype.updateStyleEl_=function(){if(!0!==r.VIDEOJS_NO_DYNAMIC_STYLE){var t=void 0,e=void 0,n=void 0,i=void 0;n=void 0!==this.aspectRatio_&&"auto"!==this.aspectRatio_?this.aspectRatio_:this.videoWidth()>0?this.videoWidth()+":"+this.videoHeight():"16:9";var o=n.split(":"),a=o[1]/o[0];t=void 0!==this.width_?this.width_:void 0!==this.height_?this.height_/a:this.videoWidth()||300,e=void 0!==this.height_?this.height_:t*a,i=/^[^a-zA-Z]/.test(this.id())?"dimensions-"+this.id():this.id()+"-dimensions",this.addClass(i),te(this.styleEl_,"\n ."+i+" {\n width: "+t+"px;\n height: "+e+"px;\n }\n\n ."+i+".vjs-fluid {\n padding-top: "+100*a+"%;\n }\n ")}else{var s="number"===typeof this.width_?this.width_:this.options_.width,l="number"===typeof this.height_?this.height_:this.options_.height,u=this.tech_&&this.tech_.el();u&&(s>=0&&(u.width=s),l>=0&&(u.height=l))}},e.prototype.loadTech_=function(t,e){var n=this;this.tech_&&this.unloadTech_();var i=me(t),r=t.charAt(0).toLowerCase()+t.slice(1);"Html5"!==i&&this.tag&&(An.getTech("Html5").disposeMediaElement(this.tag),this.tag.player=null,this.tag=null),this.techName_=i,this.isReady_=!1;var o="string"!==typeof this.autoplay()&&this.autoplay(),a={source:e,autoplay:o,nativeControlsForTouch:this.options_.nativeControlsForTouch,playerId:this.id(),techId:this.id()+"_"+r+"_api",playsinline:this.options_.playsinline,preload:this.options_.preload,loop:this.options_.loop,muted:this.options_.muted,poster:this.poster(),language:this.language(),playerElIngest:this.playerElIngest_||!1,"vtt.js":this.options_["vtt.js"],canOverridePoster:!!this.options_.techCanOverridePoster,enableSourceset:this.options_.enableSourceset};bn.names.forEach((function(t){var e=bn[t];a[e.getterName]=n[e.privateName]})),Y(a,this.options_[i]),Y(a,this.options_[r]),Y(a,this.options_[t.toLowerCase()]),this.tag&&(a.tag=this.tag),e&&e.src===this.cache_.src&&this.cache_.currentTime>0&&(a.startTime=this.cache_.currentTime);var s=An.getTech(t);if(!s)throw new Error("No Tech named '"+i+"' exists! '"+i+"' should be registered using videojs.registerTech()'");this.tech_=new s(a),this.tech_.ready(ee(this,this.handleTechReady_),!0),Ie.jsonToTextTracks(this.textTracksJson_||[],this.tech_),Pr.forEach((function(t){n.on(n.tech_,t,n["handleTech"+me(t)+"_"])})),Object.keys(Lr).forEach((function(t){n.on(n.tech_,t,(function(e){0===n.tech_.playbackRate()&&n.tech_.seeking()?n.queuedCallbacks_.push({callback:n["handleTech"+Lr[t]+"_"].bind(n),event:e}):n["handleTech"+Lr[t]+"_"](e)}))})),this.on(this.tech_,"loadstart",this.handleTechLoadStart_),this.on(this.tech_,"sourceset",this.handleTechSourceset_),this.on(this.tech_,"waiting",this.handleTechWaiting_),this.on(this.tech_,"ended",this.handleTechEnded_),this.on(this.tech_,"seeking",this.handleTechSeeking_),this.on(this.tech_,"play",this.handleTechPlay_),this.on(this.tech_,"firstplay",this.handleTechFirstPlay_),this.on(this.tech_,"pause",this.handleTechPause_),this.on(this.tech_,"durationchange",this.handleTechDurationChange_),this.on(this.tech_,"fullscreenchange",this.handleTechFullscreenChange_),this.on(this.tech_,"error",this.handleTechError_),this.on(this.tech_,"loadedmetadata",this.updateStyleEl_),this.on(this.tech_,"posterchange",this.handleTechPosterChange_),this.on(this.tech_,"textdata",this.handleTechTextData_),this.on(this.tech_,"ratechange",this.handleTechRateChange_),this.usingNativeControls(this.techGet_("controls")),this.controls()&&!this.usingNativeControls()&&this.addTechControlsListeners_(),this.tech_.el().parentNode===this.el()||"Html5"===i&&this.tag||lt(this.tech_.el(),this.el()),this.tag&&(this.tag.player=null,this.tag=null)},e.prototype.unloadTech_=function(){var t=this;bn.names.forEach((function(e){var n=bn[e];t[n.privateName]=t[n.getterName]()})),this.textTracksJson_=Ie.textTracksToJson(this.tech_),this.isReady_=!1,this.tech_.dispose(),this.tech_=!1,this.isPosterFromTech_&&(this.poster_="",this.trigger("posterchange")),this.isPosterFromTech_=!1},e.prototype.tech=function(t){return void 0===t&&Z.warn(a(Mr)),this.tech_},e.prototype.addTechControlsListeners_=function(){this.removeTechControlsListeners_(),this.on(this.tech_,"mousedown",this.handleTechClick_),this.on(this.tech_,"touchstart",this.handleTechTouchStart_),this.on(this.tech_,"touchmove",this.handleTechTouchMove_),this.on(this.tech_,"touchend",this.handleTechTouchEnd_),this.on(this.tech_,"tap",this.handleTechTap_)},e.prototype.removeTechControlsListeners_=function(){this.off(this.tech_,"tap",this.handleTechTap_),this.off(this.tech_,"touchstart",this.handleTechTouchStart_),this.off(this.tech_,"touchmove",this.handleTechTouchMove_),this.off(this.tech_,"touchend",this.handleTechTouchEnd_),this.off(this.tech_,"mousedown",this.handleTechClick_)},e.prototype.handleTechReady_=function(){if(this.triggerReady(),this.cache_.volume&&this.techCall_("setVolume",this.cache_.volume),this.handleTechPosterChange_(),this.handleTechDurationChange_(),(this.src()||this.currentSrc())&&this.tag&&this.options_.autoplay&&this.paused())try{delete this.tag.poster}catch(t){Z("deleting tag.poster throws in some browsers",t)}},e.prototype.handleTechLoadStart_=function(){this.removeClass("vjs-ended"),this.removeClass("vjs-seeking"),this.error(null),this.paused()?(this.hasStarted(!1),this.trigger("loadstart")):(this.trigger("loadstart"),this.trigger("firstplay")),this.manualAutoplay_(this.autoplay())},e.prototype.manualAutoplay_=function(t){var e=this;if(this.tech_&&"string"===typeof t){var n=function(){var t=e.muted();e.muted(!0);var n=e.play();if(n&&n.then&&n["catch"])return n["catch"]((function(n){e.muted(t)}))},i=void 0;if("any"===t?(i=this.play(),i&&i.then&&i["catch"]&&i["catch"]((function(){return n()}))):i="muted"===t?n():this.play(),i&&i.then&&i["catch"])return i.then((function(){e.trigger({type:"autoplay-success",autoplay:t})}))["catch"]((function(n){e.trigger({type:"autoplay-failure",autoplay:t})}))}},e.prototype.updateSourceCaches_=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",e=t,n="";"string"!==typeof e&&(e=t.src,n=t.type),this.cache_.source=this.cache_.source||{},this.cache_.sources=this.cache_.sources||[],e&&!n&&(n=Vn(this,e)),this.cache_.source=ye({},t,{src:e,type:n});for(var i=this.cache_.sources.filter((function(t){return t.src&&t.src===e})),r=[],o=this.$$("source"),a=[],s=0;s<o.length;s++){var l=pt(o[s]);r.push(l),l.src&&l.src===e&&a.push(l.src)}a.length&&!i.length?this.cache_.sources=r:i.length||(this.cache_.sources=[this.cache_.source]),this.cache_.src=e},e.prototype.handleTechSourceset_=function(t){var e=this;if(!this.changingSrc_){var n=function(t){return e.updateSourceCaches_(t)},i=this.currentSource().src,r=t.src;if(i&&!/^blob:/.test(i)&&/^blob:/.test(r)&&(!this.lastSource_||this.lastSource_.tech!==r&&this.lastSource_.player!==i)&&(n=function(){}),n(r),!t.src){var o=function t(n){if("sourceset"!==n.type){var i=e.techGet("currentSrc");e.lastSource_.tech=i,e.updateSourceCaches_(i)}e.tech_.off(["sourceset","loadstart"],t)};this.tech_.one(["sourceset","loadstart"],o)}}this.lastSource_={player:this.currentSource().src,tech:t.src},this.trigger({src:t.src,type:"sourceset"})},e.prototype.hasStarted=function(t){if(void 0===t)return this.hasStarted_;t!==this.hasStarted_&&(this.hasStarted_=t,this.hasStarted_?(this.addClass("vjs-has-started"),this.trigger("firstplay")):this.removeClass("vjs-has-started"))},e.prototype.handleTechPlay_=function(){this.removeClass("vjs-ended"),this.removeClass("vjs-paused"),this.addClass("vjs-playing"),this.hasStarted(!0),this.trigger("play")},e.prototype.handleTechRateChange_=function(){this.tech_.playbackRate()>0&&0===this.cache_.lastPlaybackRate&&(this.queuedCallbacks_.forEach((function(t){return t.callback(t.event)})),this.queuedCallbacks_=[]),this.cache_.lastPlaybackRate=this.tech_.playbackRate(),this.trigger("ratechange")},e.prototype.handleTechWaiting_=function(){var t=this;this.addClass("vjs-waiting"),this.trigger("waiting"),this.one("timeupdate",(function(){return t.removeClass("vjs-waiting")}))},e.prototype.handleTechCanPlay_=function(){this.removeClass("vjs-waiting"),this.trigger("canplay")},e.prototype.handleTechCanPlayThrough_=function(){this.removeClass("vjs-waiting"),this.trigger("canplaythrough")},e.prototype.handleTechPlaying_=function(){this.removeClass("vjs-waiting"),this.trigger("playing")},e.prototype.handleTechSeeking_=function(){this.addClass("vjs-seeking"),this.trigger("seeking")},e.prototype.handleTechSeeked_=function(){this.removeClass("vjs-seeking"),this.trigger("seeked")},e.prototype.handleTechFirstPlay_=function(){this.options_.starttime&&(Z.warn("Passing the `starttime` option to the player will be deprecated in 6.0"),this.currentTime(this.options_.starttime)),this.addClass("vjs-has-started"),this.trigger("firstplay")},e.prototype.handleTechPause_=function(){this.removeClass("vjs-playing"),this.addClass("vjs-paused"),this.trigger("pause")},e.prototype.handleTechEnded_=function(){this.addClass("vjs-ended"),this.options_.loop?(this.currentTime(0),this.play()):this.paused()||this.pause(),this.trigger("ended")},e.prototype.handleTechDurationChange_=function(){this.duration(this.techGet_("duration"))},e.prototype.handleTechClick_=function(t){Et(t)&&this.controls_&&(this.paused()?Me(this.play()):this.pause())},e.prototype.handleTechTap_=function(){this.userActive(!this.userActive())},e.prototype.handleTechTouchStart_=function(){this.userWasActive=this.userActive()},e.prototype.handleTechTouchMove_=function(){this.userWasActive&&this.reportUserActivity()},e.prototype.handleTechTouchEnd_=function(t){t.preventDefault()},e.prototype.handleFullscreenChange_=function(){this.isFullscreen()?this.addClass("vjs-fullscreen"):this.removeClass("vjs-fullscreen")},e.prototype.handleStageClick_=function(){this.reportUserActivity()},e.prototype.handleTechFullscreenChange_=function(t,e){e&&this.isFullscreen(e.isFullscreen),this.trigger("fullscreenchange")},e.prototype.handleTechError_=function(){var t=this.tech_.error();this.error(t)},e.prototype.handleTechTextData_=function(){var t=null;arguments.length>1&&(t=arguments[1]),this.trigger("textdata",t)},e.prototype.getCache=function(){return this.cache_},e.prototype.techCall_=function(t,e){this.ready((function(){if(t in Dn)return On(this.middleware_,this.tech_,t,e);if(t in Mn)return qn(this.middleware_,this.tech_,t,e);try{this.tech_&&this.tech_[t](e)}catch(n){throw Z(n),n}}),!0)},e.prototype.techGet_=function(t){if(this.tech_&&this.tech_.isReady_){if(t in Nn)return Sn(this.middleware_,this.tech_,t);if(t in Mn)return qn(this.middleware_,this.tech_,t);try{return this.tech_[t]()}catch(e){if(void 0===this.tech_[t])throw Z("Video.js: "+t+" method not defined for "+this.techName_+" playback technology.",e),e;if("TypeError"===e.name)throw Z("Video.js: "+t+" unavailable on "+this.techName_+" playback technology element.",e),this.tech_.isReady_=!1,e;throw Z(e),e}}},e.prototype.play=function(){var t=this,e=this.options_.Promise||r.Promise;return e?new e((function(e){t.play_(e)})):this.play_()},e.prototype.play_=function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Me;if(this.playOnLoadstart_&&this.off("loadstart",this.playOnLoadstart_),this.isReady_){if(!this.changingSrc_&&(this.src()||this.currentSrc()))return void e(this.techGet_("play"));this.playOnLoadstart_=function(){t.playOnLoadstart_=null,e(t.play())},this.one("loadstart",this.playOnLoadstart_)}else{if(this.playWaitingForReady_)return;this.playWaitingForReady_=!0,this.ready((function(){t.playWaitingForReady_=!1,e(t.play())}))}},e.prototype.pause=function(){this.techCall_("pause")},e.prototype.paused=function(){return!1!==this.techGet_("paused")},e.prototype.played=function(){return this.techGet_("played")||xe(0,0)},e.prototype.scrubbing=function(t){if("undefined"===typeof t)return this.scrubbing_;this.scrubbing_=!!t,t?this.addClass("vjs-scrubbing"):this.removeClass("vjs-scrubbing")},e.prototype.currentTime=function(t){return"undefined"!==typeof t?(t<0&&(t=0),void this.techCall_("setCurrentTime",t)):(this.cache_.currentTime=this.techGet_("currentTime")||0,this.cache_.currentTime)},e.prototype.duration=function(t){if(void 0===t)return void 0!==this.cache_.duration?this.cache_.duration:NaN;t=parseFloat(t),t<0&&(t=1/0),t!==this.cache_.duration&&(this.cache_.duration=t,t===1/0?this.addClass("vjs-live"):this.removeClass("vjs-live"),this.trigger("durationchange"))},e.prototype.remainingTime=function(){return this.duration()-this.currentTime()},e.prototype.remainingTimeDisplay=function(){return Math.floor(this.duration())-Math.floor(this.currentTime())},e.prototype.buffered=function(){var t=this.techGet_("buffered");return t&&t.length||(t=xe(0,0)),t},e.prototype.bufferedPercent=function(){return ke(this.buffered(),this.duration())},e.prototype.bufferedEnd=function(){var t=this.buffered(),e=this.duration(),n=t.end(t.length-1);return n>e&&(n=e),n},e.prototype.volume=function(t){var e=void 0;return void 0!==t?(e=Math.max(0,Math.min(1,parseFloat(t))),this.cache_.volume=e,this.techCall_("setVolume",e),void(e>0&&this.lastVolume_(e))):(e=parseFloat(this.techGet_("volume")),isNaN(e)?1:e)},e.prototype.muted=function(t){if(void 0===t)return this.techGet_("muted")||!1;this.techCall_("setMuted",t)},e.prototype.defaultMuted=function(t){return void 0!==t?this.techCall_("setDefaultMuted",t):this.techGet_("defaultMuted")||!1},e.prototype.lastVolume_=function(t){if(void 0===t||0===t)return this.cache_.lastVolume;this.cache_.lastVolume=t},e.prototype.supportsFullScreen=function(){return this.techGet_("supportsFullScreen")||!1},e.prototype.isFullscreen=function(t){if(void 0===t)return!!this.isFullscreen_;this.isFullscreen_=!!t},e.prototype.requestFullscreen=function(){var t=je;this.isFullscreen(!0),t.requestFullscreen?(Ht(o,t.fullscreenchange,ee(this,(function e(n){this.isFullscreen(o[t.fullscreenElement]),!1===this.isFullscreen()&&Ut(o,t.fullscreenchange,e),this.trigger("fullscreenchange")}))),this.el_[t.requestFullscreen]()):this.tech_.supportsFullScreen()?this.techCall_("enterFullScreen"):(this.enterFullWindow(),this.trigger("fullscreenchange"))},e.prototype.exitFullscreen=function(){var t=je;this.isFullscreen(!1),t.requestFullscreen?o[t.exitFullscreen]():this.tech_.supportsFullScreen()?this.techCall_("exitFullScreen"):(this.exitFullWindow(),this.trigger("fullscreenchange"))},e.prototype.enterFullWindow=function(){this.isFullWindow=!0,this.docOrigOverflow=o.documentElement.style.overflow,Ht(o,"keydown",ee(this,this.fullWindowOnEscKey)),o.documentElement.style.overflow="hidden",ct(o.body,"vjs-full-window"),this.trigger("enterFullWindow")},e.prototype.fullWindowOnEscKey=function(t){27===t.keyCode&&(!0===this.isFullscreen()?this.exitFullscreen():this.exitFullWindow())},e.prototype.exitFullWindow=function(){this.isFullWindow=!1,Ut(o,"keydown",this.fullWindowOnEscKey),o.documentElement.style.overflow=this.docOrigOverflow,ht(o.body,"vjs-full-window"),this.trigger("exitFullWindow")},e.prototype.canPlayType=function(t){for(var e=void 0,n=0,i=this.options_.techOrder;n<i.length;n++){var r=i[n],o=An.getTech(r);if(o||(o=_e.getComponent(r)),o){if(o.isSupported()&&(e=o.canPlayType(t),e))return e}else Z.error('The "'+r+'" tech is undefined. Skipped browser support check for that tech.')}return""},e.prototype.selectSource=function(t){var e=this,n=this.options_.techOrder.map((function(t){return[t,An.getTech(t)]})).filter((function(t){var e=t[0],n=t[1];return n?n.isSupported():(Z.error('The "'+e+'" tech is undefined. Skipped browser support check for that tech.'),!1)})),i=function(t,e,n){var i=void 0;return t.some((function(t){return e.some((function(e){if(i=n(t,e),i)return!0}))})),i},r=void 0,o=function(t){return function(e,n){return t(n,e)}},a=function(t,n){var i=t[0],r=t[1];if(r.canPlaySource(n,e.options_[i.toLowerCase()]))return{source:n,tech:i}};return r=this.options_.sourceOrder?i(t,n,o(a)):i(n,t,a),r||!1},e.prototype.src=function(t){var e=this;if("undefined"===typeof t)return this.cache_.src||"";var n=Yn(t);n.length?(this.changingSrc_=!0,this.cache_.sources=n,this.updateSourceCaches_(n[0]),Tn(this,n[0],(function(t,i){e.middleware_=i,e.cache_.sources=n,e.updateSourceCaches_(t);var r=e.src_(t);if(r)return n.length>1?e.src(n.slice(1)):(e.changingSrc_=!1,e.setTimeout((function(){this.error({code:4,message:this.localize(this.options_.notSupportedMessage)})}),0),void e.triggerReady());En(i,e.tech_)}))):this.setTimeout((function(){this.error({code:4,message:this.localize(this.options_.notSupportedMessage)})}),0)},e.prototype.src_=function(t){var e=this,n=this.selectSource([t]);return!n||(ge(n.tech,this.techName_)?(this.ready((function(){this.tech_.constructor.prototype.hasOwnProperty("setSource")?this.techCall_("setSource",t):this.techCall_("src",t.src),this.changingSrc_=!1}),!0),!1):(this.changingSrc_=!0,this.loadTech_(n.tech,n.source),this.tech_.ready((function(){e.changingSrc_=!1})),!1))},e.prototype.load=function(){this.techCall_("load")},e.prototype.reset=function(){this.tech_&&this.tech_.clearTracks("text"),this.loadTech_(this.options_.techOrder[0],null),this.techCall_("reset")},e.prototype.currentSources=function(){var t=this.currentSource(),e=[];return 0!==Object.keys(t).length&&e.push(t),this.cache_.sources||e},e.prototype.currentSource=function(){return this.cache_.source||{}},e.prototype.currentSrc=function(){return this.currentSource()&&this.currentSource().src||""},e.prototype.currentType=function(){return this.currentSource()&&this.currentSource().type||""},e.prototype.preload=function(t){return void 0!==t?(this.techCall_("setPreload",t),void(this.options_.preload=t)):this.techGet_("preload")},e.prototype.autoplay=function(t){if(void 0===t)return this.options_.autoplay||!1;var e=void 0;"string"===typeof t&&/(any|play|muted)/.test(t)?(this.options_.autoplay=t,this.manualAutoplay_(t),e=!1):this.options_.autoplay=!!t,e=e||this.options_.autoplay,this.tech_&&this.techCall_("setAutoplay",e)},e.prototype.playsinline=function(t){return void 0!==t?(this.techCall_("setPlaysinline",t),this.options_.playsinline=t,this):this.techGet_("playsinline")},e.prototype.loop=function(t){return void 0!==t?(this.techCall_("setLoop",t),void(this.options_.loop=t)):this.techGet_("loop")},e.prototype.poster=function(t){if(void 0===t)return this.poster_;t||(t=""),t!==this.poster_&&(this.poster_=t,this.techCall_("setPoster",t),this.isPosterFromTech_=!1,this.trigger("posterchange"))},e.prototype.handleTechPosterChange_=function(){if((!this.poster_||this.options_.techCanOverridePoster)&&this.tech_&&this.tech_.poster){var t=this.tech_.poster()||"";t!==this.poster_&&(this.poster_=t,this.isPosterFromTech_=!0,this.trigger("posterchange"))}},e.prototype.controls=function(t){if(void 0===t)return!!this.controls_;t=!!t,this.controls_!==t&&(this.controls_=t,this.usingNativeControls()&&this.techCall_("setControls",t),this.controls_?(this.removeClass("vjs-controls-disabled"),this.addClass("vjs-controls-enabled"),this.trigger("controlsenabled"),this.usingNativeControls()||this.addTechControlsListeners_()):(this.removeClass("vjs-controls-enabled"),this.addClass("vjs-controls-disabled"),this.trigger("controlsdisabled"),this.usingNativeControls()||this.removeTechControlsListeners_()))},e.prototype.usingNativeControls=function(t){if(void 0===t)return!!this.usingNativeControls_;t=!!t,this.usingNativeControls_!==t&&(this.usingNativeControls_=t,this.usingNativeControls_?(this.addClass("vjs-using-native-controls"),this.trigger("usingnativecontrols")):(this.removeClass("vjs-using-native-controls"),this.trigger("usingcustomcontrols")))},e.prototype.error=function(t){return void 0===t?this.error_||null:null===t?(this.error_=t,this.removeClass("vjs-error"),void(this.errorDisplay&&this.errorDisplay.close())):(this.error_=new qe(t),this.addClass("vjs-error"),Z.error("(CODE:"+this.error_.code+" "+qe.errorTypes[this.error_.code]+")",this.error_.message,this.error_),void this.trigger("error"))},e.prototype.reportUserActivity=function(t){this.userActivity_=!0},e.prototype.userActive=function(t){if(void 0===t)return this.userActive_;if(t=!!t,t!==this.userActive_){if(this.userActive_=t,this.userActive_)return this.userActivity_=!0,this.removeClass("vjs-user-inactive"),this.addClass("vjs-user-active"),void this.trigger("useractive");this.tech_&&this.tech_.one("mousemove",(function(t){t.stopPropagation(),t.preventDefault()})),this.userActivity_=!1,this.removeClass("vjs-user-active"),this.addClass("vjs-user-inactive"),this.trigger("userinactive")}},e.prototype.listenForUserActivity_=function(){var t=void 0,e=void 0,n=void 0,i=ee(this,this.reportUserActivity),r=function(t){t.screenX===e&&t.screenY===n||(e=t.screenX,n=t.screenY,i())},o=function(){i(),this.clearInterval(t),t=this.setInterval(i,250)},a=function(e){i(),this.clearInterval(t)};this.on("mousedown",o),this.on("mousemove",r),this.on("mouseup",a),this.on("keydown",i),this.on("keyup",i);var s=void 0;this.setInterval((function(){if(this.userActivity_){this.userActivity_=!1,this.userActive(!0),this.clearTimeout(s);var t=this.options_.inactivityTimeout;t<=0||(s=this.setTimeout((function(){this.userActivity_||this.userActive(!1)}),t))}}),250)},e.prototype.playbackRate=function(t){if(void 0===t)return this.tech_&&this.tech_.featuresPlaybackRate?this.cache_.lastPlaybackRate||this.techGet_("playbackRate"):1;this.techCall_("setPlaybackRate",t)},e.prototype.defaultPlaybackRate=function(t){return void 0!==t?this.techCall_("setDefaultPlaybackRate",t):this.tech_&&this.tech_.featuresPlaybackRate?this.techGet_("defaultPlaybackRate"):1},e.prototype.isAudio=function(t){if(void 0===t)return!!this.isAudio_;this.isAudio_=!!t},e.prototype.addTextTrack=function(t,e,n){if(this.tech_)return this.tech_.addTextTrack(t,e,n)},e.prototype.addRemoteTextTrack=function(t,e){if(this.tech_)return this.tech_.addRemoteTextTrack(t,e)},e.prototype.removeRemoteTextTrack=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.track,n=void 0===e?arguments[0]:e;if(this.tech_)return this.tech_.removeRemoteTextTrack(n)},e.prototype.getVideoPlaybackQuality=function(){return this.techGet_("getVideoPlaybackQuality")},e.prototype.videoWidth=function(){return this.tech_&&this.tech_.videoWidth&&this.tech_.videoWidth()||0},e.prototype.videoHeight=function(){return this.tech_&&this.tech_.videoHeight&&this.tech_.videoHeight()||0},e.prototype.language=function(t){if(void 0===t)return this.language_;this.language_=String(t).toLowerCase()},e.prototype.languages=function(){return ye(e.prototype.options_.languages,this.languages_)},e.prototype.toJSON=function(){var t=ye(this.options_),e=t.tracks;t.tracks=[];for(var n=0;n<e.length;n++){var i=e[n];i=ye(i),i.player=void 0,t.tracks[n]=i}return t},e.prototype.createModal=function(t,e){var n=this;e=e||{},e.content=t||"";var i=new ze(this,e);return this.addChild(i),i.on("dispose",(function(){n.removeChild(i)})),i.open(),i},e.prototype.updateCurrentBreakpoint_=function(){if(this.responsive())for(var t=this.currentBreakpoint(),e=this.currentWidth(),n=0;n<Br.length;n++){var i=Br[n],r=this.breakpoints_[i];if(e<=r){if(t===i)return;t&&this.removeClass(Ir[t]),this.addClass(Ir[i]),this.breakpoint_=i;break}}},e.prototype.removeCurrentBreakpoint_=function(){var t=this.currentBreakpointClass();this.breakpoint_="",t&&this.removeClass(t)},e.prototype.breakpoints=function(t){return void 0===t||(this.breakpoint_="",this.breakpoints_=Y({},Rr,t),this.updateCurrentBreakpoint_()),Y(this.breakpoints_)},e.prototype.responsive=function(t){if(void 0===t)return this.responsive_;t=Boolean(t);var e=this.responsive_;return t!==e?(this.responsive_=t,t?(this.on("playerresize",this.updateCurrentBreakpoint_),this.updateCurrentBreakpoint_()):(this.off("playerresize",this.updateCurrentBreakpoint_),this.removeCurrentBreakpoint_()),t):void 0},e.prototype.currentBreakpoint=function(){return this.breakpoint_},e.prototype.currentBreakpointClass=function(){return Ir[this.breakpoint_]||""},e.getTagSettings=function(t){var e={sources:[],tracks:[]},n=pt(t),i=n["data-setup"];if(ut(t,"vjs-fill")&&(n.fill=!0),ut(t,"vjs-fluid")&&(n.fluid=!0),null!==i){var r=s(i||"{}"),o=r[0],a=r[1];o&&Z.error(o),Y(n,a)}if(Y(e,n),t.hasChildNodes())for(var l=t.childNodes,u=0,c=l.length;u<c;u++){var h=l[u],d=h.nodeName.toLowerCase();"source"===d?e.sources.push(pt(h)):"track"===d&&e.tracks.push(pt(h))}return e},e.prototype.flexNotSupported_=function(){var t=o.createElement("i");return!("flexBasis"in t.style||"webkitFlexBasis"in t.style||"mozFlexBasis"in t.style||"msFlexBasis"in t.style||"msFlexOrder"in t.style)},e}(_e);bn.names.forEach((function(t){var e=bn[t];Fr.prototype[e.getterName]=function(){return this.tech_?this.tech_[e.getterName]():(this[e.privateName]=this[e.privateName]||new e.ListClass,this[e.privateName])}})),Fr.players={};var zr=r.navigator;Fr.prototype.options_={techOrder:An.defaultTechOrder_,html5:{},flash:{},inactivityTimeout:2e3,playbackRates:[],children:["mediaLoader","posterImage","textTrackDisplay","loadingSpinner","bigPlayButton","controlBar","errorDisplay","textTrackSettings"],language:zr&&(zr.languages&&zr.languages[0]||zr.userLanguage||zr.language)||"en",languages:{},notSupportedMessage:"No compatible source was found for this media.",breakpoints:{},responsive:!1},T||Fr.prototype.options_.children.push("resizeManager"),["ended","seeking","seekable","networkState","readyState"].forEach((function(t){Fr.prototype[t]=function(){return this.techGet_(t)}})),Pr.forEach((function(t){Fr.prototype["handleTech"+me(t)+"_"]=function(){return this.trigger(t)}})),_e.registerComponent("Player",Fr);var Vr="plugin",Yr="activePlugins_",Hr={},Ur=function(t){return Hr.hasOwnProperty(t)},Wr=function(t){return Ur(t)?Hr[t]:void 0},Gr=function(t,e){t[Yr]=t[Yr]||{},t[Yr][e]=!0},Qr=function(t,e,n){var i=(n?"before":"")+"pluginsetup";t.trigger(i,e),t.trigger(i+":"+e.name,e)},Zr=function(t,e){var n=function(){Qr(this,{name:t,plugin:e,instance:null},!0);var n=e.apply(this,arguments);return Gr(this,t),Qr(this,{name:t,plugin:e,instance:n}),n};return Object.keys(e).forEach((function(t){n[t]=e[t]})),n},Kr=function(t,e){return e.prototype.name=t,function(){Qr(this,{name:t,plugin:e,instance:null},!0);for(var n=arguments.length,i=Array(n),r=0;r<n;r++)i[r]=arguments[r];var o=new(Function.prototype.bind.apply(e,[null].concat([this].concat(i))));return this[t]=function(){return o},Qr(this,o.getEventHash()),o}},Jr=function(){function t(e){if(P(this,t),this.constructor===t)throw new Error("Plugin must be sub-classed; not directly instantiated.");this.player=e,fe(this),delete this.trigger,ve(this,this.constructor.defaultState),Gr(e,this.name),this.dispose=ee(this,this.dispose),e.on("dispose",this.dispose)}return t.prototype.version=function(){return this.constructor.VERSION},t.prototype.getEventHash=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return t.name=this.name,t.plugin=this.constructor,t.instance=this,t},t.prototype.trigger=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return Wt(this.eventBusEl_,t,this.getEventHash(e))},t.prototype.handleStateChanged=function(t){},t.prototype.dispose=function(){var t=this.name,e=this.player;this.trigger("dispose"),this.off(),e.off("dispose",this.dispose),e[Yr][t]=!1,this.player=this.state=null,e[t]=Kr(t,Hr[t])},t.isBasic=function(e){var n="string"===typeof e?Wr(e):e;return"function"===typeof n&&!t.prototype.isPrototypeOf(n.prototype)},t.registerPlugin=function(e,n){if("string"!==typeof e)throw new Error('Illegal plugin name, "'+e+'", must be a string, was '+("undefined"===typeof e?"undefined":M(e))+".");if(Ur(e))Z.warn('A plugin named "'+e+'" already exists. You may want to avoid re-registering plugins!');else if(Fr.prototype.hasOwnProperty(e))throw new Error('Illegal plugin name, "'+e+'", cannot share a name with an existing player method!');if("function"!==typeof n)throw new Error('Illegal plugin for "'+e+'", must be a function, was '+("undefined"===typeof n?"undefined":M(n))+".");return Hr[e]=n,e!==Vr&&(t.isBasic(n)?Fr.prototype[e]=Zr(e,n):Fr.prototype[e]=Kr(e,n)),n},t.deregisterPlugin=function(t){if(t===Vr)throw new Error("Cannot de-register base plugin.");Ur(t)&&(delete Hr[t],delete Fr.prototype[t])},t.getPlugins=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Object.keys(Hr),e=void 0;return t.forEach((function(t){var n=Wr(t);n&&(e=e||{},e[t]=n)})),e},t.getPluginVersion=function(t){var e=Wr(t);return e&&e.VERSION||""},t}();Jr.getPlugin=Wr,Jr.BASE_PLUGIN_NAME=Vr,Jr.registerPlugin(Vr,Jr),Fr.prototype.usingPlugin=function(t){return!!this[Yr]&&!0===this[Yr][t]},Fr.prototype.hasPlugin=function(t){return!!Ur(t)};var Xr=function(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+("undefined"===typeof e?"undefined":M(e)));t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(t.super_=e)},$r=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=function(){t.apply(this,arguments)},i={};for(var r in"object"===("undefined"===typeof e?"undefined":M(e))?(e.constructor!==Object.prototype.constructor&&(n=e.constructor),i=e):"function"===typeof e&&(n=e),Xr(n,t),i)i.hasOwnProperty(r)&&(n.prototype[r]=i[r]);return n};"undefined"===typeof HTMLVideoElement&&nt()&&(o.createElement("video"),o.createElement("audio"),o.createElement("track"),o.createElement("video-js"));var to=function(t){return 0===t.indexOf("#")?t.slice(1):t};function eo(t,e,n){var i=eo.getPlayer(t);if(i)return e&&Z.warn('Player "'+t+'" is already initialised. Options will not be applied.'),n&&i.ready(n),i;var r="string"===typeof t?St("#"+to(t)):t;if(!it(r))throw new TypeError("The element or ID supplied is not valid. (videojs)");o.body.contains(r)||Z.warn("The element supplied is not included in the DOM"),e=e||{},eo.hooks("beforesetup").forEach((function(t){var n=t(r,ye(e));H(n)&&!Array.isArray(n)?e=ye(e,n):Z.error("please return an object in beforesetup hooks")}));var a=_e.getComponent("Player");return i=new a(r,e,n),eo.hooks("setup").forEach((function(t){return t(i)})),i}if(eo.hooks_={},eo.hooks=function(t,e){return eo.hooks_[t]=eo.hooks_[t]||[],e&&(eo.hooks_[t]=eo.hooks_[t].concat(e)),eo.hooks_[t]},eo.hook=function(t,e){eo.hooks(t,e)},eo.hookOnce=function(t,e){eo.hooks(t,[].concat(e).map((function(e){var n=function n(){return eo.removeHook(t,n),e.apply(void 0,arguments)};return n})))},eo.removeHook=function(t,e){var n=eo.hooks(t).indexOf(e);return!(n<=-1)&&(eo.hooks_[t]=eo.hooks_[t].slice(),eo.hooks_[t].splice(n,1),!0)},!0!==r.VIDEOJS_NO_DYNAMIC_STYLE&&nt()){var no=St(".vjs-styles-defaults");if(!no){no=$t("vjs-styles-defaults");var io=St("head");io&&io.insertBefore(no,io.firstChild),te(no,"\n .video-js {\n width: 300px;\n height: 150px;\n }\n\n .vjs-fluid {\n padding-top: 56.25%\n }\n ")}}Xt(1,eo),eo.VERSION=c,eo.options=Fr.prototype.options_,eo.getPlayers=function(){return Fr.players},eo.getPlayer=function(t){var e=Fr.players,n=void 0;if("string"===typeof t){var i=to(t),r=e[i];if(r)return r;n=St("#"+i)}else n=t;if(it(n)){var o=n,a=o.player,s=o.playerId;if(a||e[s])return a||e[s]}},eo.getAllPlayers=function(){return Object.keys(Fr.players).map((function(t){return Fr.players[t]})).filter(Boolean)},eo.players=Fr.players,eo.getComponent=_e.getComponent,eo.registerComponent=function(t,e){An.isTech(e)&&Z.warn("The "+t+" tech was registered as a component. It should instead be registered using videojs.registerTech(name, tech)"),_e.registerComponent.call(_e,t,e)},eo.getTech=An.getTech,eo.registerTech=An.registerTech,eo.use=Cn,!T&&Object.defineProperty?(Object.defineProperty(eo,"middleware",{value:{},writeable:!1,enumerable:!0}),Object.defineProperty(eo.middleware,"TERMINATOR",{value:jn,writeable:!1,enumerable:!0})):eo.middleware={TERMINATOR:jn},eo.browser=D,eo.TOUCH_ENABLED=q,eo.extend=$r,eo.mergeOptions=ye,eo.bind=ee,eo.registerPlugin=Jr.registerPlugin,eo.deregisterPlugin=Jr.deregisterPlugin,eo.plugin=function(t,e){return Z.warn("videojs.plugin() is deprecated; use videojs.registerPlugin() instead"),Jr.registerPlugin(t,e)},eo.getPlugins=Jr.getPlugins,eo.getPlugin=Jr.getPlugin,eo.getPluginVersion=Jr.getPluginVersion,eo.addLanguage=function(t,e){var n;return t=(""+t).toLowerCase(),eo.options.languages=ye(eo.options.languages,(n={},n[t]=e,n)),eo.options.languages[t]},eo.log=Z,eo.createLogger=K,eo.createTimeRange=eo.createTimeRanges=xe,eo.formatTime=ui,eo.setFormatTime=si,eo.resetFormatTime=li,eo.parseUrl=nn,eo.isCrossOrigin=an,eo.EventTarget=re,eo.on=Ht,eo.one=Gt,eo.off=Ut,eo.trigger=Wt,eo.xhr=l,eo.TextTrack=cn,eo.AudioTrack=hn,eo.VideoTrack=dn,["isEl","isTextNode","createEl","hasClass","addClass","removeClass","toggleClass","setAttributes","getAttributes","emptyEl","appendContent","insertContent"].forEach((function(t){eo[t]=function(){return Z.warn("videojs."+t+"() is deprecated; use videojs.dom."+t+"() instead"),qt[t].apply(null,arguments)}})),eo.computedStyle=J,eo.dom=qt,eo.url=sn,t.exports=eo},4081:function(t,e,n){var i=n("b041");e=t.exports=n("2350")(!1),e.push([t.i,".video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-modal-dialog,.vjs-button>.vjs-icon-placeholder:before,.vjs-modal-dialog .vjs-modal-dialog-content{position:absolute;top:0;left:0;width:100%;height:100%}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.vjs-button>.vjs-icon-placeholder:before{text-align:center}@font-face{font-family:VideoJS;src:url("+i(n("ddfb"))+'?#iefix) format("eot")}@font-face{font-family:VideoJS;src:url(data:application/font-woff;charset=utf-8;base64,d09GRgABAAAAABBIAAsAAAAAGoQAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAABHU1VCAAABCAAAADsAAABUIIslek9TLzIAAAFEAAAAPgAAAFZRiV3RY21hcAAAAYQAAADQAAADIjn098ZnbHlmAAACVAAACv4AABEIAwnSw2hlYWQAAA1UAAAAKwAAADYSy2hLaGhlYQAADYAAAAAbAAAAJA4DByFobXR4AAANnAAAAA8AAACE4AAAAGxvY2EAAA2sAAAARAAAAEQ9NEHGbWF4cAAADfAAAAAfAAAAIAEyAIFuYW1lAAAOEAAAASUAAAIK1cf1oHBvc3QAAA84AAABDwAAAZ5AAl/0eJxjYGRgYOBiMGCwY2BycfMJYeDLSSzJY5BiYGGAAJA8MpsxJzM9kYEDxgPKsYBpDiBmg4gCACY7BUgAeJxjYGQ7xTiBgZWBgaWQ5RkDA8MvCM0cwxDOeI6BgYmBlZkBKwhIc01hcPjI+FGBHcRdyA4RZgQRAC4HCwEAAHic7dFprsIgAEXhg8U61XmeWcBb1FuQP4w7ZQXK5boMm3yclFDSANAHmuKviBBeBPQ8ymyo8w3jOh/5r2ui5nN6v8sYNJb3WMdeWRvLji0DhozKdxM6psyYs2DJijUbtuzYc+DIiTMXrty4k8oGLb+n0xCe37ekM7Z66j1DbUy3l6PpHnLfdLO5NdSBoQ4NdWSoY9ON54mhdqa/y1NDnRnq3FAXhro01JWhrg11Y6hbQ90Z6t5QD4Z6NNSToZ4N9WKoV0O9GerdUJORPqkhTd54nJ1YDXBU1RV+576/JBs2bPYPkrDZt5vsJrv53V/I5mclhGDCTwgGBQQSTEji4hCkYIAGd4TGIWFAhV0RQTpWmQp1xv6hA4OTOlNr2zFANbHUYbq2OtNCpViRqsk+e+7bTQAhzti8vPfuPffcc88959zznbcMMPjHD/KDDGEY0ABpYX384NhlomIYlo4JISGEY9mMh2FSidYiqkEUphtNYDSY/dXg9023l4DdxlqUl0chuZRhncJKrsCQHIwcGuwfnhMIzBnuH4Sym+1D2zaGjheXlhYfD238z80mKYMmvJ5XeOTzd8z9eujbMxJNhu4C9xPE/bCMiDuSNIWgkTQwBE55hLSAE7ZwhrHLnAHZOGV/kmBGTiNjZxzI77Hb7Hqjz68TjT6vh+5JT/cCIkqS0D6CqPf5jX4Qjdx5j6vlDfZM4aZFdbVXIxtOlJaP/WottMnH6CJQ3bTiue3PrY23HjnChtuamxwvvzFjxkPrNj3z0tG9T561HDYf6OgmRWvlY3JQHoQb8ltV2Yet7YfWctEjR1AtxS/cSX6U4alf6NJEBQ7YKg9wrXQKd0IeZCb2ux75Uhh1Un+Nz+9LTOE7PK777nN5xqdTneTBhCbx446mZrhnUkrCz2YhA9dSMxaG0SYmT8hi9ZPu1E94PJYQSH6LRmhxec7Q7ZeXntgQuVpbh+a4qWNsckVyTdn0P7o7DpgPW84+uRcq0BITflBikGdUjAZ9wYBVI3mtrNvr9kpg1UsaK6t3690aoorC1lg0GpMH2HAMtkZjsSi5Ig9ESVosOh7GQfLjKNLvKpMKkLSKNFAka710GdgSi8oDMSoNhqjkKBXTgn3swtaxyzGkUzIzae9RtLdWkSlZ1KDX6EzgllzV4NV4SoDFSOGD4+HCeQUF8wrZ5Hs8zIb5EaVxy8DYFTbMCJPnLIWZxugZE2NlivC0gc1qEQUR8jEKgZcAXeH18BiCgl5nlHh0CrjB4Hb5fX4gb0J7c9PuHVsfgkx2n/vTY/JV8kn8PGxf7faOZ8qX8JVByuIf4whk9sqXli2hvPJV9hrp0hY7l8r2x37ydaVsb4xvXv/47v2NjfCl8m5oRDJclFMoE1yk0Uh1Te4/m8lFXe9qBZD0EkheicebXvzI2PLCuoKCukLuhPIeKwaHPEouxw3kMqaIUXDQ1p0mip+MyCORSCQaoUsnY1VZ38nUTrG21WvVo4f1OsEJFhvSfAFwGfT8VHRMeAVUpwLOoLzjT/REIj3O3FhuURE+nERF+0pTId5Fyxv5sfwGyg4O+my4vZv0sZm7oeQlFZORiB+tG0MweVNraeitl7yxiPIHTk4/diVxs94o5lEYishB2iAtkchEnsActoEpx44Fo8XnsQMaA22BlqC20RmhBKzYojZyYaxg+JggMc4HHY2m+L9EkWSYljirOisrO7d3VorxzyZ6Vc4lJqITAu1b2wOBdrLElAP+bFc2eGaZFVbkmJktv5uT6Jlz5D/MnBFor6ig/JPnRViBsV3LNKGGqB1ChJ0tgQywlVLFJIuQgTFttwkiKxhyQdAZMdMYtSaoAewqfvXVYPAbDT6/1mez85YS8FSDywQ6NfAnef6FNEGMilnppyvn5rB6tTyq1pOceRWnp2WJEZFXHeX5oyoem1nTTgdqc4heDY7bOeKz63vnz+/dRx+s31Ht2JGanQ5seirfWJL9tjozU/12TnEjn5oux9OzU3ckGbBzBwNOyk69JykKH0n/0LM9A72tuwM3zQpIRu4AxiToseEpgPOmbROyFe9/X2yeUvoUsCyEvjcgs7fpWP3/aKlFN0+6HFUe6D9HFz/XPwBlN9tTqNyZjFJ8UO2RUT5/h4CptCctEyeisnOyXjALEp7dXKaQKf6O7IMnGjNNACRMLxqdYJX8eMLvmmd68D+ayBLyKKYZwYxDt/GNhzETDJ05Qxlyi3pi3/Z93ndYVSumgj0V/KkIFlO6+1K3fF2+3g0q+YtuSIf0bvmLqV09nnobI6hwcjIP8aPCKayjsF5JBY3LaKAeRLSyYB1h81oTwe9SlPMkXB7G0mfL9q71gaqqwPqu67QRKS1+ObTx+sbQy9QV2OQHEScGkdFBeT7v7qisqqrs6N52i78/R+6S0qQONVj26agOVoswCyQWIV5D86vH53bxNUeXV0K+XZaHv/nm/KsHhOvylwsWnJX/HE8l/4WCv5x+l5n08z6UU8bUMa3MBpSmM7F63AxntdC9eBCKEZW9Hr+ABNqtxgAQrSbMtmrW7lKQuoSgBhSrTazWVU2QAKWY8wiiuhqFmQgWJBgoXiuWIm42N7hqZbBsgXz52O5P5uSvaNgFGnOuvsRw8I8Laha91wMvDuxqWFheN7/8GVtTltdS83DQsXRmqc5ZtcJXEVrlV2doTWk5+Yunm71dG5f55m/qY0MjI93vv9/NfpxXV9sUXrxy2fbNy1or65cOlDRnOoKFeeXcbw42H/bNDT5Qs3flgs31gWC1lD1nfUV/X7NdCnSUdHY2e8afzfKsqZ5ZljfDqjLOmk3UebNXB+aHArPYDRs+/HDDxeT5DiP+sFg7OpRaVQMGBV89PpeBdj22hCE0Uub0UqwLrNWsG0cuyadgLXTeR5rbO4+3c/vl15cur2nRq+TXCQDcS3SO+s6ak+e5/eMS+1dw3btu3YG2tvFL8XdIZvdjdW6TO/4B7IdrZWVPmctm5/59AgsPItTSbCiIBr2OqIGzmu20SMKAS7yqwGBUfGfgjDYlLLDeF0SfcLB2LSx8flT+08/kzz6yOj96rft4rpTjdPQcmLd47uKibbDq7ZSz/XtbH2nN717Nd62rU+c8Icevvv7I09wA6WvjVcafb+FsbNG+ZQ80Rn6ZZsvrP7teP2dzTdoETvNhjCmsr8FID2sJ69VYvdUcxk4AzYRlKcaE38eXNRlfW9H1as9i6acLHp1XpuNB5K7DIvkX08y1ZYvh3KfWaiCzH+ztrSDmD7LuX73x/mJelB8Yj39t8nhNQJJ2CAthpoFGLsGgtSOCJooCGoaJAMTjSWHVZ08YAa1Fg9lPI5U6DOsGVjDasJeZZ+YyhfCwfOzCxlBA69M9XLXtza7H/rav+9Tjq5xNi0wpKQIRNO4Lrzz7yp5QVYM6Jd/oc1Uvn/mQhhuWh6ENXoS2YTZ8QT42bF5d/559zp5r0Uff2VnR2tdf2/WCOd2cO0Mw6qpWPnvxpV0nrt5fZd2yItc199GWe8vlNfNDq+CH/7yAAnB9hn7T4QO4c1g9ScxsZgmzntnE/IDGndtHMw69lFwoCnYsMGx+rBp8JSBqdLzBr9QRPq/PbhWMWFtQZp1xguy/haw3TEHm3TWAnxFWQQWgt7M5OV0lCz1VRYucpWliy7z6Zd4urwPIyeZQqli2Lgg7szJV09PysATbOQtYIrB2YzbkJYkGgJ0m4AjPUap1pvYu1K9qr97z0Yl3p332b2LYB78ncYIlRkau/8GObSsOlZancACE5d5ily+c2+7h5Yj4lqhVmXXB+iXLfvdqSgqfKtQvfHDV0OnvQR1qhw42XS/vkvsh/hXcrDFP0a+SJNIomEfD1nsrYGO+1bgTOJhM8Hv6ek+7vVglxuSRwoKn17S937bm6YJCeSSG0Op1n+7tE37tcZ/p7dsTv4EUrGpDbWueKigsLHhqTVsoEj+JU0kaSjnj9tz8/gryQWwJ9BcJXBC/7smO+I/IFURJetFPrdt5WcoL6DbEJaygI8CTHfQTjf40ofD+DwalTqIAAHicY2BkYGAA4jC5t2/j+W2+MnCzM4DAtTC+5cg0OyNYnIOBCUQBAAceB90AeJxjYGRgYGcAARD5/z87IwMjAypQBAAtgwI4AHicY2BgYGAfYAwAOkQA4QAAAAAAAA4AaAB+AMwA4AECAUIBbAGYAcICGAJYArQC4AMwA7AD3gQwBJYE3AUkBWYFigYgBmYGtAbqB1gIEghYCG4IhHicY2BkYGBQZChlYGcAASYg5gJCBob/YD4DABfTAbQAeJxdkE1qg0AYhl8Tk9AIoVDaVSmzahcF87PMARLIMoFAl0ZHY1BHdBJIT9AT9AQ9RQ9Qeqy+yteNMzDzfM+88w0K4BY/cNAMB6N2bUaPPBLukybCLvleeAAPj8JD+hfhMV7hC3u4wxs7OO4NzQSZcI/8Ltwnfwi75E/hAR7wJTyk/xYeY49fYQ/PztM+jbTZ7LY6OWdBJdX/pqs6NYWa+zMxa13oKrA6Uoerqi/JwtpYxZXJ1coUVmeZUWVlTjq0/tHacjmdxuL90OR8O0UEDYMNdtiSEpz5XQGqzlm30kzUdAYFFOb8R7NOZk0q2lwAyz1i7oAr1xoXvrOgtYhZx8wY5KRV269JZ5yGpmzPTjQhvY9je6vEElPOuJP3mWKnP5M3V+YAAAB4nG2PyXLCMBBE3YCNDWEL2ffk7o8S8oCnkCVHC5C/jzBQlUP6IHVPzYyekl5y0iL5X5/ooY8BUmQYIkeBEca4wgRTzDDHAtdY4ga3uMM9HvCIJzzjBa94wzs+8ImvZNAq8TM+HqVkKxWlrQiOxjujQkNlEzyNzl6Z/cU2XF06at7U83VQyklLpEvSnuzsb+HAPnPfQVgaupa1Jlu4sPLsFblcitaz0dHU0ZF1qatjZ1+aTXYCmp6u0gSvWNPyHLtFZ+ZeXWVSaEkqs3T8S74WklbGbNNNq4LL4+CWKtZDv2cfX8l8aFbKFhEnJnJ+IULFpqwoQnNHlHaVQtPBl+ypmbSWdmyC61KS/AKZC3Y+AA==) format("woff"),url(data:application/x-font-ttf;charset=utf-8;base64,AAEAAAALAIAAAwAwR1NVQiCLJXoAAAE4AAAAVE9TLzJRiV3RAAABjAAAAFZjbWFwOfT3xgAAAmgAAAMiZ2x5ZgMJ0sMAAAXQAAARCGhlYWQSy2hLAAAA4AAAADZoaGVhDgMHIQAAALwAAAAkaG10eOAAAAAAAAHkAAAAhGxvY2E9NEHGAAAFjAAAAERtYXhwATIAgQAAARgAAAAgbmFtZdXH9aAAABbYAAACCnBvc3RAAl/0AAAY5AAAAZ4AAQAABwAAAAAABwAAAP//BwEAAQAAAAAAAAAAAAAAAAAAACEAAQAAAAEAAFYfTwlfDzz1AAsHAAAAAADWVg6nAAAAANZWDqcAAAAABwEHAAAAAAgAAgAAAAAAAAABAAAAIQB1AAcAAAAAAAIAAAAKAAoAAAD/AAAAAAAAAAEAAAAKADAAPgACREZMVAAObGF0bgAaAAQAAAAAAAAAAQAAAAQAAAAAAAAAAQAAAAFsaWdhAAgAAAABAAAAAQAEAAQAAAABAAgAAQAGAAAAAQAAAAEGygGQAAUAAARxBOYAAAD6BHEE5gAAA1wAVwHOAAACAAUDAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFBmRWQAQPEB8SAHAAAAAKEHAAAAAAAAAQAAAAAAAAAAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAcAAAAHAAAABwAAAAAAAAUAAAADAAAALAAAAAQAAAGSAAEAAAAAAIwAAwABAAAALAADAAoAAAGSAAQAYAAAAAQABAABAADxIP//AADxAf//AAAAAQAEAAAAAQACAAMABAAFAAYABwAIAAkACgALAAwADQAOAA8AEAARABIAEwAUABUAFgAXABgAGQAaABsAHAAdAB4AHwAgAAABBgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMAAAAAAGQAAAAAAAAACAAAPEBAADxAQAAAAEAAPECAADxAgAAAAIAAPEDAADxAwAAAAMAAPEEAADxBAAAAAQAAPEFAADxBQAAAAUAAPEGAADxBgAAAAYAAPEHAADxBwAAAAcAAPEIAADxCAAAAAgAAPEJAADxCQAAAAkAAPEKAADxCgAAAAoAAPELAADxCwAAAAsAAPEMAADxDAAAAAwAAPENAADxDQAAAA0AAPEOAADxDgAAAA4AAPEPAADxDwAAAA8AAPEQAADxEAAAABAAAPERAADxEQAAABEAAPESAADxEgAAABIAAPETAADxEwAAABMAAPEUAADxFAAAABQAAPEVAADxFQAAABUAAPEWAADxFgAAABYAAPEXAADxFwAAABcAAPEYAADxGAAAABgAAPEZAADxGQAAABkAAPEaAADxGgAAABoAAPEbAADxGwAAABsAAPEcAADxHAAAABwAAPEdAADxHQAAAB0AAPEeAADxHgAAAB4AAPEfAADxHwAAAB8AAPEgAADxIAAAACAAAAAAAAAADgBoAH4AzADgAQIBQgFsAZgBwgIYAlgCtALgAzADsAPeBDAElgTcBSQFZgWKBiAGZga0BuoHWAgSCFgIbgiEAAEAAAAABYsFiwACAAABEQECVQM2BYv76gILAAADAAAAAAZrBmsAAgAbADQAAAkCEyIHDgEHBhAXHgEXFiA3PgE3NhAnLgEnJgMiJy4BJyY0Nz4BNzYyFx4BFxYUBw4BBwYC6wHA/kCVmIuGzjk7OznOhosBMIuGzjk7OznOhouYeW9rpi0vLy2ma2/yb2umLS8vLaZrbwIwAVABUAGbOznOhov+0IuGzjk7OznOhosBMIuGzjk7+sAvLaZrb/Jva6YtLy8tpmtv8m9rpi0vAAACAAAAAAVABYsAAwAHAAABIREpAREhEQHAASv+1QJVASsBdQQW++oEFgAAAAQAAAAABiEGIAAHABcAJwAqAAABNCcmJxUXNjcUBxc2NTQnLgEnFR4BFxYBBwEhESEBEQEGBxU2Nxc3AQcXBNA0MlW4A7spcU1FQ+6VbKovMfu0XwFh/p8BKwF1AT5QWZl6mV/9YJycA4BhUlAqpbgYGGNicZKknYyHvSKaIJNlaQIsX/6f/kD+iwH2/sI9G5ojZJhfBJacnAAAAAEAAAAABKsF1gAFAAABESEBEQECCwEqAXb+igRg/kD+iwSq/osAAAACAAAAAAVmBdYACAAOAAABNCcmJxE2NzYBESEBEQEFZTQyVFQyNPwQASsBdf6LA4BhUlAq/aYqUFIBQf5A/osEqv6LAAMAAAAABiAGDwAFAA4AIgAAExEhAREBBTQnJicRNjc2AxUeARcWFAcOAQcVPgE3NhAnLgHgASsBdf6LAsU0MlVVMjS7bKovMTEvqmyV7kNFRUPuBGD+QP6LBKr+i+BhUlAq/aYqUFIC8Jogk2Vp6GllkyCaIr2HjAE6jIe9AAAABAAAAAAFiwWLAAUACwARABcAAAEjESE1IwMzNTM1IQEjFSERIwMVMxUzEQILlgF24JaW4P6KA4DgAXaW4OCWAuv+ipYCCuCW/ICWAXYCoJbgAXYABAAAAAAFiwWLAAUACwARABcAAAEzFTMRIRMjFSERIwEzNTM1IRM1IxEhNQF14Jb+iuDgAXaWAcCW4P6KlpYBdgJV4AF2AcCWAXb76uCWAcDg/oqWAAAAAAIAAAAABdYF1gATABcAAAEhIg4BFREUHgEzITI+ATURNC4BAyERIQVA/IApRCgoRCkDgClEKChEKfyAA4AF1ShEKfyAKUQoKEQpA4ApRCj76wOAAAYAAAAABmsGawAIAA0AFQAeACMALAAACQEmIyIHBgcBJS4BJwEFIQE2NzY1NAUBBgcGFRQXIQUeARcBMwEWMzI3NjcBAr4BZFJQhHt2YwESA44z7Z/+7gLl/dABel0zNfwS/t1dMzUPAjD95DPtnwESeP7dU0+Ee3Zj/u4D8AJoEy0rUf4nd6P6PP4nS/1zZn+Ej0tLAfhmf4SPS0pLo/o8Adn+CBMtK1EB2QAFAAAAAAZrBdYAEwAXABsAHwAjAAABISIOARURFB4BMyEyPgE1ETQuAQEhFSEBITUhBSE1ITUhNSEF1ftWKUUoKEUpBKopRSgoRfstASr+1gLq/RYC6gHA/tYBKv0WAuoF1ShEKfyAKUQoKEQpA4ApRCj9q5X+1ZWVlZaVAAAAAAMAAAAABiAF1gATACsAQwAAASEiDgEVERQeATMhMj4BNRE0LgEBIzUjFTM1MxUUBisBIiY1ETQ2OwEyFhUFIzUjFTM1MxUUBisBIiY1ETQ2OwEyFhUFi/vqKEUoKEUoBBYoRSgoRf2CcJWVcCsf4B8sLB/gHysCC3CVlXAsH+AfKysf4B8sBdUoRCn8gClEKChEKQOAKUQo/fYl4CVKHywsHwEqHywsH0ol4CVKHywsHwEqHywsHwAGAAAAAAYgBPYAAwAHAAsADwATABcAABMzNSMRMzUjETM1IwEhNSERITUhERUhNeCVlZWVlZUBKwQV++sEFfvrBBUDNZb+QJUBwJX+QJb+QJUCVZWVAAAAAQAAAAAGIQZsADEAAAEiBgcBNjQnAR4BMzI+ATQuASIOARUUFwEuASMiDgEUHgEzMjY3AQYVFB4BMj4BNC4BBUAqSx797AcHAg8eTys9Zzw8Z3pnPAf98R5PKz1nPDxnPStPHgIUBjtkdmQ7O2QCTx4cATcbMhsBNB0gPGd6Zzw8Zz0ZG/7NHCA8Z3pnPCAc/soZGDtkOjpkdmQ7AAAAAAIAAAAABlkGawBDAFAAAAE2NCc3PgEnAy4BDwEmLwEuASMhIgYPAQYHJyYGBwMGFh8BBhQXBw4BFxMeAT8BFh8BHgEzITI2PwE2NxcWNjcTNiYnBSIuATQ+ATIeARQOAQWrBQWeCgYHlgcaDLo8QhwDFQ7+1g4VAhxEOroNGgeVBwULnQUFnQsFB5UHGg26O0McAhUOASoOFQIcRDq6DRoHlQcFC/04R3hGRniOeEZGeAM3Kj4qewkbDAEDDAkFSy4bxg4SEg7GHC1LBQkM/v0MGwl7Kj4qewkbDP79DAkFSy4bxg4SEg7GHC1LBQkMAQMMGwlBRniOeEZGeI54RgABAAAAAAZrBmsAGAAAExQXHgEXFiA3PgE3NhAnLgEnJiAHDgEHBpU7Oc6GiwEwi4bOOTs7Oc6Gi/7Qi4bOOTsDgJiLhs45Ozs5zoaLATCLhs45Ozs5zoaLAAAAAAIAAAAABmsGawAYADEAAAEiBw4BBwYQFx4BFxYgNz4BNzYQJy4BJyYDIicuAScmNDc+ATc2MhceARcWFAcOAQcGA4CYi4bOOTs7Oc6GiwEwi4bOOTs7Oc6Gi5h5b2umLS8vLaZrb/Jva6YtLy8tpmtvBms7Oc6Gi/7Qi4bOOTs7Oc6GiwEwi4bOOTv6wC8tpmtv8m9rpi0vLy2ma2/yb2umLS8AAwAAAAAGawZrABgAMQA+AAABIgcOAQcGEBceARcWIDc+ATc2ECcuAScmAyInLgEnJjQ3PgE3NjIXHgEXFhQHDgEHBhMUDgEiLgE0PgEyHgEDgJiKhs85Ozs5z4aKATCKhs85Ozs5z4aKmHlva6YtLy8tpmtv8m9rpi0vLy2ma29nPGd6Zzw8Z3pnPAZrOznPhor+0IqGzzk7OznPhooBMIqGzzk7+sAvLaZrb/Jva6YtLy8tpmtv8m9rpi0vAlU9Zzw8Z3pnPDxnAAAABAAAAAAGIAYhABMAHwApAC0AAAEhIg4BFREUHgEzITI+ATURNC4BASM1IxUjETMVMzU7ASEyFhURFAYjITczNSMFi/vqKEUoKEUoBBYoRSgoRf2CcJVwcJVwlgEqHywsH/7WcJWVBiAoRSj76ihFKChFKAQWKEUo/ICVlQHAu7ssH/7WHyxw4AAAAAACAAAAAAZrBmsAGAAkAAABIgcOAQcGEBceARcWIDc+ATc2ECcuAScmEwcJAScJATcJARcBA4CYi4bOOTs7Oc6GiwEwi4bOOTs7Oc6Gi91p/vT+9GkBC/71aQEMAQxp/vUGazs5zoaL/tCLhs45Ozs5zoaLATCLhs45O/wJaQEL/vVpAQwBDGn+9QELaf70AAABAAAAAAXWBrYAJwAAAREJAREyFxYXFhQHBgcGIicmJyY1IxQXHgEXFjI3PgE3NjQnLgEnJgOA/osBdXpoZjs9PTtmaPRoZjs9lS8tpWtv9G9rpS0vLy2la28FiwEq/ov+iwEqPTtmaPNpZTw9PTxlaXl5b2umLS8vLaZrb/Nva6UuLwABAAAAAAU/BwAAFAAAAREjIgYdASEDIxEhESMRMzU0NjMyBT+dVjwBJSf+/s7//9Ctkwb0/vhISL3+2P0JAvcBKNq6zQAAAAAEAAAAAAaOBwAAMABFAGAAbAAAARQeAxUUBwYEIyImJyY1NDY3NiUuATU0NwYjIiY1NDY3PgEzIQcjHgEVFA4DJzI2NzY1NC4CIyIGBwYVFB4DEzI+AjU0LgEvASYvAiYjIg4DFRQeAgEzFSMVIzUjNTM1MwMfQFtaQDBI/uqfhOU5JVlKgwERIB8VLhaUy0g/TdNwAaKKg0pMMUVGMZImUBo1Ij9qQCpRGS8UKz1ZNjprWzcODxMeChwlThAgNWhvUzZGcX0Da9XVadTUaQPkJEVDUIBOWlN6c1NgPEdRii5SEipAKSQxBMGUUpo2QkBYP4xaSHNHO0A+IRs5ZjqGfVInITtlLmdnUjT8lxo0Xj4ZMCQYIwsXHTgCDiQ4XTtGazsdA2xs29ts2QADAAAAAAaABmwAAwAOACoAAAERIREBFgYrASImNDYyFgERIRE0JiMiBgcGFREhEhAvASEVIz4DMzIWAd3+tgFfAWdUAlJkZ6ZkBI/+t1FWP1UVC/63AgEBAUkCFCpHZz+r0ASP/CED3wEySWJik2Fh/N39yAISaXdFMx4z/dcBjwHwMDCQIDA4H+MAAAEAAAAABpQGAAAxAAABBgcWFRQCDgEEIyAnFjMyNy4BJxYzMjcuAT0BFhcuATU0NxYEFyY1NDYzMhc2NwYHNgaUQ18BTJvW/tKs/vHhIyvhsGmmHyEcKypwk0ROQk4seQFbxgi9hoxgbWAlaV0FaGJFDhyC/v3ut22RBIoCfWEFCxexdQQmAyyOU1hLlbMKJiSGvWYVOXM/CgAAAAEAAAAABYAHAAAiAAABFw4BBwYuAzURIzU+BDc+ATsBESEVIREUHgI3NgUwUBewWWitcE4hqEhyRDAUBQEHBPQBTf6yDSBDME4Bz+0jPgECOFx4eDoCINcaV11vVy0FB/5Y/P36HjQ1HgECAAEAAAAABoAGgABKAAABFAIEIyInNj8BHgEzMj4BNTQuASMiDgMVFBYXFj8BNjc2JyY1NDYzMhYVFAYjIiY3PgI1NCYjIgYVFBcDBhcmAjU0EiQgBBIGgM7+n9FvazsTNhRqPXm+aHfijmm2f1srUE0eCAgGAgYRM9Gpl6mJaz1KDgglFzYyPlYZYxEEzv7OAWEBogFhzgOA0f6fziBdR9MnOYnwlnLIfjpgfYZDaJ4gDCAfGAYXFD1al9mkg6ruVz0jdVkfMkJyVUkx/l5Ga1sBfOnRAWHOzv6fAAAHAAAAAAcBBM8AFwAhADgATwBmAHEAdAAAAREzNhcWFxYXFhcWBw4BBwYHBicmLwEmNxY2NzYuAQcRFAUWNzY/ATY3NjU2JyMGFxYfARYXFhcUFxY3Nj8BNjc2NzYnIwYXFh8BFhcWFRYXFjc2PwE2NzY3NicjBhcWHwEWFxYVFgUzPwEVMxEjBgsBARUnAxwcaC5MND0sTSsvCgdVREdTNWg1KgECq1JrCQcwYkABfhoSCxAKJBQXAX4dAQMCBgMnFxsBJBoSCxAKJBQWAQF+HgEEAgUEJxcbASMZEwsQCiQUFgEBfh4BBAIFBCcXGwH5Q+5B4arNDfHvAhaOAckC/QIBAwwPHzdcZXlZmC8xCAQBAQIDBMIDVkxCZDQF/pUHwgcTCyAUQEdPU8etCAgFCQZHTFxbwLoHEwsgFEBHT1PHrQgIBQkGR0xcW8C6BxMLIBRAR09Tx60ICAUJBkdMXFvAwGQBZQMMFf6D/oYB/fkBAAABAAAAAAYhBrYALAAAASIHDgEHBhURFB4BOwERITU0Nz4BNzYyFx4BFxYdASERMzI+ATURNCcuAScmA4CJfXi6MzU8Zz3g/tUpKJFeYdRhXpEoKf7V4D1nPDUzunh9BrU0M7t4fYn99j1nPAJVlWthXpAoKSkokF5ha5X9qzxnPQIKiX14uzM0AAAAAAIAAAAABUAFQAACAAYAAAkCIREzEQHAAnv9hQLrlQHAAcABwPyAA4AAAAAAAgAAAAAFQAVAAAMABgAAATMRIwkBEQHAlZUBBQJ7BUD8gAHA/kADgAAAAAAAABAAxgABAAAAAAABAAcAAAABAAAAAAACAAcABwABAAAAAAADAAcADgABAAAAAAAEAAcAFQABAAAAAAAFAAsAHAABAAAAAAAGAAcAJwABAAAAAAAKACsALgABAAAAAAALABMAWQADAAEECQABAA4AbAADAAEECQACAA4AegADAAEECQADAA4AiAADAAEECQAEAA4AlgADAAEECQAFABYApAADAAEECQAGAA4AugADAAEECQAKAFYAyAADAAEECQALACYBHlZpZGVvSlNSZWd1bGFyVmlkZW9KU1ZpZGVvSlNWZXJzaW9uIDEuMFZpZGVvSlNHZW5lcmF0ZWQgYnkgc3ZnMnR0ZiBmcm9tIEZvbnRlbGxvIHByb2plY3QuaHR0cDovL2ZvbnRlbGxvLmNvbQBWAGkAZABlAG8ASgBTAFIAZQBnAHUAbABhAHIAVgBpAGQAZQBvAEoAUwBWAGkAZABlAG8ASgBTAFYAZQByAHMAaQBvAG4AIAAxAC4AMABWAGkAZABlAG8ASgBTAEcAZQBuAGUAcgBhAHQAZQBkACAAYgB5ACAAcwB2AGcAMgB0AHQAZgAgAGYAcgBvAG0AIABGAG8AbgB0AGUAbABsAG8AIABwAHIAbwBqAGUAYwB0AC4AaAB0AHQAcAA6AC8ALwBmAG8AbgB0AGUAbABsAG8ALgBjAG8AbQAAAAIAAAAAAAAAEQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAIQECAQMBBAEFAQYBBwEIAQkBCgELAQwBDQEOAQ8BEAERARIBEwEUARUBFgEXARgBGQEaARsBHAEdAR4BHwEgASEBIgAEcGxheQtwbGF5LWNpcmNsZQVwYXVzZQt2b2x1bWUtbXV0ZQp2b2x1bWUtbG93CnZvbHVtZS1taWQLdm9sdW1lLWhpZ2gQZnVsbHNjcmVlbi1lbnRlcg9mdWxsc2NyZWVuLWV4aXQGc3F1YXJlB3NwaW5uZXIJc3VidGl0bGVzCGNhcHRpb25zCGNoYXB0ZXJzBXNoYXJlA2NvZwZjaXJjbGUOY2lyY2xlLW91dGxpbmUTY2lyY2xlLWlubmVyLWNpcmNsZQJoZAZjYW5jZWwGcmVwbGF5CGZhY2Vib29rBWdwbHVzCGxpbmtlZGluB3R3aXR0ZXIGdHVtYmxyCXBpbnRlcmVzdBFhdWRpby1kZXNjcmlwdGlvbgVhdWRpbwluZXh0LWl0ZW0NcHJldmlvdXMtaXRlbQAAAAA=) format("truetype");font-weight:400;font-style:normal}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-play-control .vjs-icon-placeholder,.vjs-icon-play{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-big-play-button .vjs-icon-placeholder:before,.video-js .vjs-play-control .vjs-icon-placeholder:before,.vjs-icon-play:before{content:"\\F101"}.vjs-icon-play-circle{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-play-circle:before{content:"\\F102"}.video-js .vjs-play-control.vjs-playing .vjs-icon-placeholder,.vjs-icon-pause{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-control.vjs-playing .vjs-icon-placeholder:before,.vjs-icon-pause:before{content:"\\F103"}.video-js .vjs-mute-control.vjs-vol-0 .vjs-icon-placeholder,.vjs-icon-volume-mute{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-0 .vjs-icon-placeholder:before,.vjs-icon-volume-mute:before{content:"\\F104"}.video-js .vjs-mute-control.vjs-vol-1 .vjs-icon-placeholder,.vjs-icon-volume-low{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-1 .vjs-icon-placeholder:before,.vjs-icon-volume-low:before{content:"\\F105"}.video-js .vjs-mute-control.vjs-vol-2 .vjs-icon-placeholder,.vjs-icon-volume-mid{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control.vjs-vol-2 .vjs-icon-placeholder:before,.vjs-icon-volume-mid:before{content:"\\F106"}.video-js .vjs-mute-control .vjs-icon-placeholder,.vjs-icon-volume-high{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-mute-control .vjs-icon-placeholder:before,.vjs-icon-volume-high:before{content:"\\F107"}.video-js .vjs-fullscreen-control .vjs-icon-placeholder,.vjs-icon-fullscreen-enter{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-fullscreen-control .vjs-icon-placeholder:before,.vjs-icon-fullscreen-enter:before{content:"\\F108"}.video-js.vjs-fullscreen .vjs-fullscreen-control .vjs-icon-placeholder,.vjs-icon-fullscreen-exit{font-family:VideoJS;font-weight:400;font-style:normal}.video-js.vjs-fullscreen .vjs-fullscreen-control .vjs-icon-placeholder:before,.vjs-icon-fullscreen-exit:before{content:"\\F109"}.vjs-icon-square{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-square:before{content:"\\F10A"}.vjs-icon-spinner{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-spinner:before{content:"\\F10B"}.video-js.video-js:lang(en-AU) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-GB) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-IE) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js.video-js:lang(en-NZ) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js .vjs-subs-caps-button .vjs-icon-placeholder,.video-js .vjs-subtitles-button .vjs-icon-placeholder,.vjs-icon-subtitles{font-family:VideoJS;font-weight:400;font-style:normal}.video-js.video-js:lang(en-AU) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-GB) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-IE) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js.video-js:lang(en-NZ) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js .vjs-subtitles-button .vjs-icon-placeholder:before,.vjs-icon-subtitles:before{content:"\\F10C"}.video-js .vjs-captions-button .vjs-icon-placeholder,.video-js:lang(en) .vjs-subs-caps-button .vjs-icon-placeholder,.video-js:lang(fr-CA) .vjs-subs-caps-button .vjs-icon-placeholder,.vjs-icon-captions{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-captions-button .vjs-icon-placeholder:before,.video-js:lang(en) .vjs-subs-caps-button .vjs-icon-placeholder:before,.video-js:lang(fr-CA) .vjs-subs-caps-button .vjs-icon-placeholder:before,.vjs-icon-captions:before{content:"\\F10D"}.video-js .vjs-chapters-button .vjs-icon-placeholder,.vjs-icon-chapters{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-chapters-button .vjs-icon-placeholder:before,.vjs-icon-chapters:before{content:"\\F10E"}.vjs-icon-share{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-share:before{content:"\\F10F"}.vjs-icon-cog{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-cog:before{content:"\\F110"}.video-js .vjs-play-progress,.video-js .vjs-volume-level,.vjs-icon-circle{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-progress:before,.video-js .vjs-volume-level:before,.vjs-icon-circle:before{content:"\\F111"}.vjs-icon-circle-outline{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-circle-outline:before{content:"\\F112"}.vjs-icon-circle-inner-circle{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-circle-inner-circle:before{content:"\\F113"}.vjs-icon-hd{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-hd:before{content:"\\F114"}.video-js .vjs-control.vjs-close-button .vjs-icon-placeholder,.vjs-icon-cancel{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-control.vjs-close-button .vjs-icon-placeholder:before,.vjs-icon-cancel:before{content:"\\F115"}.video-js .vjs-play-control.vjs-ended .vjs-icon-placeholder,.vjs-icon-replay{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-play-control.vjs-ended .vjs-icon-placeholder:before,.vjs-icon-replay:before{content:"\\F116"}.vjs-icon-facebook{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-facebook:before{content:"\\F117"}.vjs-icon-gplus{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-gplus:before{content:"\\F118"}.vjs-icon-linkedin{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-linkedin:before{content:"\\F119"}.vjs-icon-twitter{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-twitter:before{content:"\\F11A"}.vjs-icon-tumblr{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-tumblr:before{content:"\\F11B"}.vjs-icon-pinterest{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-pinterest:before{content:"\\F11C"}.video-js .vjs-descriptions-button .vjs-icon-placeholder,.vjs-icon-audio-description{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-descriptions-button .vjs-icon-placeholder:before,.vjs-icon-audio-description:before{content:"\\F11D"}.video-js .vjs-audio-button .vjs-icon-placeholder,.vjs-icon-audio{font-family:VideoJS;font-weight:400;font-style:normal}.video-js .vjs-audio-button .vjs-icon-placeholder:before,.vjs-icon-audio:before{content:"\\F11E"}.vjs-icon-next-item{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-next-item:before{content:"\\F11F"}.vjs-icon-previous-item{font-family:VideoJS;font-weight:400;font-style:normal}.vjs-icon-previous-item:before{content:"\\F120"}.video-js{display:block;vertical-align:top;box-sizing:border-box;color:#fff;background-color:#000;position:relative;padding:0;font-size:10px;line-height:1;font-weight:400;font-style:normal;font-family:Arial,Helvetica,sans-serif;word-break:normal}.video-js:-moz-full-screen{position:absolute}.video-js:-webkit-full-screen{width:100%!important;height:100%!important}.video-js[tabindex="-1"]{outline:none}.video-js *,.video-js :after,.video-js :before{box-sizing:inherit}.video-js ul{font-family:inherit;font-size:inherit;line-height:inherit;list-style-position:outside;margin-left:0;margin-right:0;margin-top:0;margin-bottom:0}.video-js.vjs-4-3,.video-js.vjs-16-9,.video-js.vjs-fluid{width:100%;max-width:100%;height:0}.video-js.vjs-16-9{padding-top:56.25%}.video-js.vjs-4-3{padding-top:75%}.video-js.vjs-fill,.video-js .vjs-tech{width:100%;height:100%}.video-js .vjs-tech{position:absolute;top:0;left:0}body.vjs-full-window{padding:0;margin:0;height:100%;overflow-y:auto}.vjs-full-window .video-js.vjs-fullscreen{position:fixed;overflow:hidden;z-index:1000;left:0;top:0;bottom:0;right:0}.video-js.vjs-fullscreen{width:100%!important;height:100%!important;padding-top:0!important}.video-js.vjs-fullscreen.vjs-user-inactive{cursor:none}.vjs-hidden{display:none!important}.vjs-disabled{opacity:.5;cursor:default}.video-js .vjs-offscreen{height:1px;left:-9999px;position:absolute;top:0;width:1px}.vjs-lock-showing{display:block!important;opacity:1;visibility:visible}.vjs-no-js{padding:20px;color:#fff;background-color:#000;font-size:18px;font-family:Arial,Helvetica,sans-serif;text-align:center;width:300px;height:150px;margin:0 auto}.vjs-no-js a,.vjs-no-js a:visited{color:#66a8cc}.video-js .vjs-big-play-button{font-size:3em;line-height:1.5em;height:1.5em;width:3em;display:block;position:absolute;top:10px;left:10px;padding:0;cursor:pointer;opacity:1;border:.06666em solid #fff;background-color:#2b333f;background-color:rgba(43,51,63,.7);border-radius:.3em;transition:all .4s}.vjs-big-play-centered .vjs-big-play-button{top:50%;left:50%;margin-top:-.75em;margin-left:-1.5em}.video-js .vjs-big-play-button:focus,.video-js:hover .vjs-big-play-button{border-color:#fff;background-color:#73859f;background-color:rgba(115,133,159,.5);transition:all 0s}.vjs-controls-disabled .vjs-big-play-button,.vjs-error .vjs-big-play-button,.vjs-has-started .vjs-big-play-button,.vjs-using-native-controls .vjs-big-play-button{display:none}.vjs-has-started.vjs-paused.vjs-show-big-play-button-on-pause .vjs-big-play-button{display:block}.video-js button{background:none;border:none;color:inherit;display:inline-block;overflow:visible;font-size:inherit;line-height:inherit;text-transform:none;text-decoration:none;transition:none;-webkit-appearance:none;appearance:none}.vjs-control .vjs-button{width:100%;height:100%}.video-js .vjs-control.vjs-close-button{cursor:pointer;height:3em;position:absolute;right:0;top:.5em;z-index:2}.video-js .vjs-modal-dialog{background:rgba(0,0,0,.8);background:linear-gradient(180deg,rgba(0,0,0,.8),hsla(0,0%,100%,0));overflow:auto;box-sizing:content-box}.video-js .vjs-modal-dialog>*{box-sizing:border-box}.vjs-modal-dialog .vjs-modal-dialog-content{font-size:1.2em;line-height:1.5;padding:20px 24px;z-index:1}.vjs-menu-button{cursor:pointer}.vjs-menu-button.vjs-disabled{cursor:default}.vjs-workinghover .vjs-menu-button.vjs-disabled:hover .vjs-menu{display:none}.vjs-menu .vjs-menu-content{display:block;padding:0;margin:0;font-family:Arial,Helvetica,sans-serif;overflow:auto;box-sizing:content-box}.vjs-menu .vjs-menu-content>*{box-sizing:border-box}.vjs-scrubbing .vjs-menu-button:hover .vjs-menu{display:none}.vjs-menu li{list-style:none;margin:0;padding:.2em 0;line-height:1.4em;font-size:1.2em;text-align:center;text-transform:lowercase}.vjs-menu li.vjs-menu-item:focus,.vjs-menu li.vjs-menu-item:hover{background-color:#73859f;background-color:rgba(115,133,159,.5)}.vjs-menu li.vjs-selected,.vjs-menu li.vjs-selected:focus,.vjs-menu li.vjs-selected:hover{background-color:#fff;color:#2b333f}.vjs-menu li.vjs-menu-title{text-align:center;text-transform:uppercase;font-size:1em;line-height:2em;padding:0;margin:0 0 .3em 0;font-weight:700;cursor:default}.vjs-menu-button-popup .vjs-menu{display:none;position:absolute;bottom:0;width:10em;left:-3em;height:0;margin-bottom:1.5em;border-top-color:rgba(43,51,63,.7)}.vjs-menu-button-popup .vjs-menu .vjs-menu-content{background-color:#2b333f;background-color:rgba(43,51,63,.7);position:absolute;width:100%;bottom:1.5em;max-height:15em}.vjs-menu-button-popup .vjs-menu.vjs-lock-showing,.vjs-workinghover .vjs-menu-button-popup:hover .vjs-menu{display:block}.video-js .vjs-menu-button-inline{transition:all .4s;overflow:hidden}.video-js .vjs-menu-button-inline:before{width:2.222222222em}.video-js .vjs-menu-button-inline.vjs-slider-active,.video-js .vjs-menu-button-inline:focus,.video-js .vjs-menu-button-inline:hover,.video-js.vjs-no-flex .vjs-menu-button-inline{width:12em}.vjs-menu-button-inline .vjs-menu{opacity:0;height:100%;width:auto;position:absolute;left:4em;top:0;padding:0;margin:0;transition:all .4s}.vjs-menu-button-inline.vjs-slider-active .vjs-menu,.vjs-menu-button-inline:focus .vjs-menu,.vjs-menu-button-inline:hover .vjs-menu{display:block;opacity:1}.vjs-no-flex .vjs-menu-button-inline .vjs-menu{display:block;opacity:1;position:relative;width:auto}.vjs-no-flex .vjs-menu-button-inline.vjs-slider-active .vjs-menu,.vjs-no-flex .vjs-menu-button-inline:focus .vjs-menu,.vjs-no-flex .vjs-menu-button-inline:hover .vjs-menu{width:auto}.vjs-menu-button-inline .vjs-menu-content{width:auto;height:100%;margin:0;overflow:hidden}.video-js .vjs-control-bar{display:none;width:100%;position:absolute;bottom:0;left:0;right:0;height:3em;background-color:#2b333f;background-color:rgba(43,51,63,.7)}.vjs-has-started .vjs-control-bar{display:flex;visibility:visible;opacity:1;transition:visibility .1s,opacity .1s}.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{visibility:visible;opacity:0;transition:visibility 1s,opacity 1s}.vjs-controls-disabled .vjs-control-bar,.vjs-error .vjs-control-bar,.vjs-using-native-controls .vjs-control-bar{display:none!important}.vjs-audio.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{opacity:1;visibility:visible}.vjs-has-started.vjs-no-flex .vjs-control-bar{display:table}.video-js .vjs-control{position:relative;text-align:center;margin:0;padding:0;height:100%;width:4em;flex:none}.vjs-button>.vjs-icon-placeholder:before{font-size:1.8em;line-height:1.67}.video-js .vjs-control:focus,.video-js .vjs-control:focus:before,.video-js .vjs-control:hover:before{text-shadow:0 0 1em #fff}.video-js .vjs-control-text{border:0;clip:rect(0 0 0 0);height:1px;overflow:hidden;padding:0;position:absolute;width:1px}.vjs-no-flex .vjs-control{display:table-cell;vertical-align:middle}.video-js .vjs-custom-control-spacer{display:none}.video-js .vjs-progress-control{cursor:pointer;flex:auto;display:flex;align-items:center;min-width:4em;touch-action:none}.video-js .vjs-progress-control.disabled{cursor:default}.vjs-live .vjs-progress-control{display:none}.vjs-no-flex .vjs-progress-control{width:auto}.video-js .vjs-progress-holder{flex:auto;transition:all .2s;height:.3em}.video-js .vjs-progress-control .vjs-progress-holder{margin:0 10px}.video-js .vjs-progress-control:hover .vjs-progress-holder{font-size:1.6666666666666667em}.video-js .vjs-progress-control:hover .vjs-progress-holder.disabled{font-size:1em}.video-js .vjs-progress-holder .vjs-load-progress,.video-js .vjs-progress-holder .vjs-load-progress div,.video-js .vjs-progress-holder .vjs-play-progress{position:absolute;display:block;height:100%;margin:0;padding:0;width:0;left:0;top:0}.video-js .vjs-play-progress{background-color:#fff}.video-js .vjs-play-progress:before{font-size:.9em;position:absolute;right:-.5em;top:-.333333333333333em;z-index:1}.video-js .vjs-load-progress{background:#bfc7d3;background:rgba(115,133,159,.5)}.video-js .vjs-load-progress div{background:#fff;background:rgba(115,133,159,.75)}.video-js .vjs-time-tooltip{background-color:#fff;background-color:hsla(0,0%,100%,.8);border-radius:.3em;color:#000;float:right;font-family:Arial,Helvetica,sans-serif;font-size:1em;padding:6px 8px 8px 8px;pointer-events:none;position:absolute;top:-3.4em;visibility:hidden;z-index:1}.video-js .vjs-progress-holder:focus .vjs-time-tooltip{display:none}.video-js .vjs-progress-control:hover .vjs-progress-holder:focus .vjs-time-tooltip,.video-js .vjs-progress-control:hover .vjs-time-tooltip{display:block;font-size:.6em;visibility:visible}.video-js .vjs-progress-control.disabled:hover .vjs-time-tooltip{font-size:1em}.video-js .vjs-progress-control .vjs-mouse-display{display:none;position:absolute;width:1px;height:100%;background-color:#000;z-index:1}.vjs-no-flex .vjs-progress-control .vjs-mouse-display{z-index:0}.video-js .vjs-progress-control:hover .vjs-mouse-display{display:block}.video-js.vjs-user-inactive .vjs-progress-control .vjs-mouse-display{visibility:hidden;opacity:0;transition:visibility 1s,opacity 1s}.video-js.vjs-user-inactive.vjs-no-flex .vjs-progress-control .vjs-mouse-display{display:none}.vjs-mouse-display .vjs-time-tooltip{color:#fff;background-color:#000;background-color:rgba(0,0,0,.8)}.video-js .vjs-slider{position:relative;cursor:pointer;padding:0;margin:0 .45em 0 .45em;-webkit-touch-callout:none;-webkit-user-select:none;user-select:none;background-color:#73859f;background-color:rgba(115,133,159,.5)}.video-js .vjs-slider.disabled{cursor:default}.video-js .vjs-slider:focus{text-shadow:0 0 1em #fff;box-shadow:0 0 1em #fff}.video-js .vjs-mute-control{cursor:pointer;flex:none;padding-left:2em;padding-right:2em;padding-bottom:3em}.video-js .vjs-volume-control{cursor:pointer;margin-right:1em;display:flex}.video-js .vjs-volume-control.vjs-volume-horizontal{width:5em}.video-js .vjs-volume-panel .vjs-volume-control{visibility:visible;opacity:0;width:1px;height:1px;margin-left:-1px}.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical,.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical .vjs-volume-level{-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)"}.video-js .vjs-volume-panel{transition:width 1s}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active,.video-js .vjs-volume-panel .vjs-volume-control:active,.video-js .vjs-volume-panel .vjs-volume-control:hover,.video-js .vjs-volume-panel:active .vjs-volume-control,.video-js .vjs-volume-panel:focus .vjs-volume-control,.video-js .vjs-volume-panel:hover .vjs-volume-control{visibility:visible;opacity:1;position:relative;transition:visibility .1s,opacity .1s,height .1s,width .1s,left 0s,top 0s}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-horizontal,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-horizontal,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-horizontal,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-horizontal{width:5em;height:3em}.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-mute-control:hover~.vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control.vjs-slider-active.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control:active.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel .vjs-volume-control:hover.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:active .vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:focus .vjs-volume-control.vjs-volume-vertical .vjs-volume-level,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-bar,.video-js .vjs-volume-panel:hover .vjs-volume-control.vjs-volume-vertical .vjs-volume-level{-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)"}.video-js .vjs-volume-panel.vjs-volume-panel-horizontal.vjs-slider-active,.video-js .vjs-volume-panel.vjs-volume-panel-horizontal:active,.video-js .vjs-volume-panel.vjs-volume-panel-horizontal:hover{width:9em;transition:width .1s}.video-js .vjs-volume-panel.vjs-volume-panel-horizontal.vjs-mute-toggle-only{width:4em}.video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical{height:8em;width:3em;left:-3.5em;transition:visibility 1s,opacity 1s,height 1s 1s,width 1s 1s,left 1s 1s,top 1s 1s}.video-js .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal{transition:visibility 1s,opacity 1s,height 1s 1s,width 1s,left 1s 1s,top 1s 1s}.video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-horizontal{width:5em;height:3em;visibility:visible;opacity:1;position:relative;transition:none}.video-js.vjs-no-flex .vjs-volume-control.vjs-volume-vertical,.video-js.vjs-no-flex .vjs-volume-panel .vjs-volume-control.vjs-volume-vertical{position:absolute;bottom:3em;left:.5em}.video-js .vjs-volume-panel{display:flex}.video-js .vjs-volume-bar{margin:1.35em .45em}.vjs-volume-bar.vjs-slider-horizontal{width:5em;height:.3em}.vjs-volume-bar.vjs-slider-vertical{width:.3em;height:5em;margin:1.35em auto}.video-js .vjs-volume-level{position:absolute;bottom:0;left:0;background-color:#fff}.video-js .vjs-volume-level:before{position:absolute;font-size:.9em}.vjs-slider-vertical .vjs-volume-level{width:.3em}.vjs-slider-vertical .vjs-volume-level:before{top:-.5em;left:-.3em}.vjs-slider-horizontal .vjs-volume-level{height:.3em}.vjs-slider-horizontal .vjs-volume-level:before{top:-.3em;right:-.5em}.video-js .vjs-volume-panel.vjs-volume-panel-vertical{width:4em}.vjs-volume-bar.vjs-slider-vertical .vjs-volume-level{height:100%}.vjs-volume-bar.vjs-slider-horizontal .vjs-volume-level{width:100%}.video-js .vjs-volume-vertical{width:3em;height:8em;bottom:8em;background-color:#2b333f;background-color:rgba(43,51,63,.7)}.video-js .vjs-volume-horizontal .vjs-menu{left:-2em}.vjs-poster{display:inline-block;background-repeat:no-repeat;background-position:50% 50%;background-size:contain;background-color:#000;cursor:pointer;margin:0;position:absolute;top:0;right:0;bottom:0;left:0;height:100%}.vjs-poster,.vjs-poster img{vertical-align:middle;padding:0}.vjs-poster img{display:block;margin:0 auto;max-height:100%;width:100%}.vjs-has-started .vjs-poster{display:none}.vjs-audio.vjs-has-started .vjs-poster{display:block}.vjs-using-native-controls .vjs-poster{display:none}.video-js .vjs-live-control{display:flex;align-items:flex-start;flex:auto;font-size:1em;line-height:3em}.vjs-no-flex .vjs-live-control{display:table-cell;width:auto;text-align:left}.video-js .vjs-time-control{flex:none;font-size:1em;line-height:3em;min-width:2em;width:auto;padding-left:1em;padding-right:1em}.video-js .vjs-current-time,.vjs-live .vjs-time-control,.vjs-no-flex .vjs-current-time{display:none}.vjs-no-flex .vjs-remaining-time.vjs-time-control.vjs-control{width:0!important;white-space:nowrap}.video-js .vjs-duration,.vjs-no-flex .vjs-duration{display:none}.vjs-time-divider{display:none;line-height:3em}.vjs-live .vjs-time-divider{display:none}.video-js .vjs-play-control .vjs-icon-placeholder{cursor:pointer;flex:none}.vjs-text-track-display{position:absolute;bottom:3em;left:0;right:0;top:0;pointer-events:none}.video-js.vjs-user-inactive.vjs-playing .vjs-text-track-display{bottom:1em}.video-js .vjs-text-track{font-size:1.4em;text-align:center;margin-bottom:.1em;background-color:#000;background-color:rgba(0,0,0,.5)}.vjs-subtitles{color:#fff}.vjs-captions{color:#fc6}.vjs-tt-cue{display:block}video::-webkit-media-text-track-display{transform:translateY(-3em)}.video-js.vjs-user-inactive.vjs-playing video::-webkit-media-text-track-display{transform:translateY(-1.5em)}.video-js .vjs-fullscreen-control{cursor:pointer;flex:none}.vjs-playback-rate .vjs-playback-rate-value,.vjs-playback-rate>.vjs-menu-button{position:absolute;top:0;left:0;width:100%;height:100%}.vjs-playback-rate .vjs-playback-rate-value{pointer-events:none;font-size:1.5em;line-height:2;text-align:center}.vjs-playback-rate .vjs-menu{width:4em;left:0}.vjs-error .vjs-error-display .vjs-modal-dialog-content{font-size:1.4em;text-align:center}.vjs-error .vjs-error-display:before{color:#fff;content:"X";font-family:Arial,Helvetica,sans-serif;font-size:4em;left:0;line-height:1;margin-top:-.5em;position:absolute;text-shadow:.05em .05em .1em #000;text-align:center;top:50%;vertical-align:middle;width:100%}.vjs-loading-spinner{display:none;position:absolute;top:50%;left:50%;margin:-25px 0 0 -25px;opacity:.85;text-align:left;border:6px solid rgba(43,51,63,.7);box-sizing:border-box;background-clip:padding-box;width:50px;height:50px;border-radius:25px;visibility:hidden}.vjs-seeking .vjs-loading-spinner,.vjs-waiting .vjs-loading-spinner{display:block;-webkit-animation:vjs-spinner-show 0s linear .3s forwards;animation:vjs-spinner-show 0s linear .3s forwards}.vjs-loading-spinner:after,.vjs-loading-spinner:before{content:"";position:absolute;margin:-6px;box-sizing:inherit;width:inherit;height:inherit;border-radius:inherit;opacity:1;border:inherit;border-color:transparent;border-top-color:#fff}.vjs-seeking .vjs-loading-spinner:after,.vjs-seeking .vjs-loading-spinner:before,.vjs-waiting .vjs-loading-spinner:after,.vjs-waiting .vjs-loading-spinner:before{-webkit-animation:vjs-spinner-spin 1.1s cubic-bezier(.6,.2,0,.8) infinite,vjs-spinner-fade 1.1s linear infinite;animation:vjs-spinner-spin 1.1s cubic-bezier(.6,.2,0,.8) infinite,vjs-spinner-fade 1.1s linear infinite}.vjs-seeking .vjs-loading-spinner:before,.vjs-waiting .vjs-loading-spinner:before{border-top-color:#fff}.vjs-seeking .vjs-loading-spinner:after,.vjs-waiting .vjs-loading-spinner:after{border-top-color:#fff;-webkit-animation-delay:.44s;animation-delay:.44s}@keyframes vjs-spinner-show{to{visibility:visible}}@-webkit-keyframes vjs-spinner-show{to{visibility:visible}}@keyframes vjs-spinner-spin{to{transform:rotate(1turn)}}@-webkit-keyframes vjs-spinner-spin{to{-webkit-transform:rotate(1turn)}}@keyframes vjs-spinner-fade{0%{border-top-color:#73859f}20%{border-top-color:#73859f}35%{border-top-color:#fff}60%{border-top-color:#73859f}to{border-top-color:#73859f}}@-webkit-keyframes vjs-spinner-fade{0%{border-top-color:#73859f}20%{border-top-color:#73859f}35%{border-top-color:#fff}60%{border-top-color:#73859f}to{border-top-color:#73859f}}.vjs-chapters-button .vjs-menu ul{width:24em}.video-js .vjs-subs-caps-button+.vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder{vertical-align:middle;display:inline-block;margin-bottom:-.1em}.video-js .vjs-subs-caps-button+.vjs-menu .vjs-captions-menu-item .vjs-menu-item-text .vjs-icon-placeholder:before{font-family:VideoJS;content:"\\F10D";font-size:1.5em;line-height:inherit}.video-js .vjs-audio-button+.vjs-menu .vjs-main-desc-menu-item .vjs-menu-item-text .vjs-icon-placeholder{vertical-align:middle;display:inline-block;margin-bottom:-.1em}.video-js .vjs-audio-button+.vjs-menu .vjs-main-desc-menu-item .vjs-menu-item-text .vjs-icon-placeholder:before{font-family:VideoJS;content:" \\F11D";font-size:1.5em;line-height:inherit}.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-custom-control-spacer{flex:auto;display:block}.video-js.vjs-layout-tiny:not(.vjs-fullscreen).vjs-no-flex .vjs-custom-control-spacer{width:auto}.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-small:not(.vjs-fullscreen) .vjs-volume-panel,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-progress-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-subs-caps-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-tiny:not(.vjs-fullscreen) .vjs-volume-panel,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-audio-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-captions-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-chapters-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-current-time,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-descriptions-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-duration,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-mute-control,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-playback-rate,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-remaining-time,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-subs-caps-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-subtitles-button,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-time-divider,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-volume-control,.video-js.vjs-layout-x-small:not(.vjs-fullscreen) .vjs-volume-panel{display:none}.vjs-modal-dialog.vjs-text-track-settings{background-color:#2b333f;background-color:rgba(43,51,63,.75);color:#fff;height:70%}.vjs-text-track-settings .vjs-modal-dialog-content{display:table}.vjs-text-track-settings .vjs-track-settings-colors,.vjs-text-track-settings .vjs-track-settings-controls,.vjs-text-track-settings .vjs-track-settings-font{display:table-cell}.vjs-text-track-settings .vjs-track-settings-controls{text-align:right;vertical-align:bottom}@supports (display:grid){.vjs-text-track-settings .vjs-modal-dialog-content{display:grid;grid-template-columns:1fr 1fr;grid-template-rows:1fr auto}.vjs-text-track-settings .vjs-track-settings-colors{display:block;grid-column:1;grid-row:1}.vjs-text-track-settings .vjs-track-settings-font{grid-column:2;grid-row:1}.vjs-text-track-settings .vjs-track-settings-controls{grid-column:2;grid-row:2}}.vjs-track-setting>select{margin-right:5px}.vjs-text-track-settings fieldset{margin:5px;padding:3px;border:none}.vjs-text-track-settings fieldset span{display:inline-block}.vjs-text-track-settings legend{color:#fff;margin:0 0 5px 0}.vjs-text-track-settings .vjs-label{position:absolute;clip:rect(1px 1px 1px 1px);clip:rect(1px,1px,1px,1px);display:block;margin:0 0 5px 0;padding:0;border:0;height:1px;width:1px;overflow:hidden}.vjs-track-settings-controls button:active,.vjs-track-settings-controls button:focus{outline-style:solid;outline-width:medium;background-image:linear-gradient(0deg,#fff 88%,#73859f)}.vjs-track-settings-controls button:hover{color:rgba(43,51,63,.75)}.vjs-track-settings-controls button{background-color:#fff;background-image:linear-gradient(-180deg,#fff 88%,#73859f);color:#2b333f;cursor:pointer;border-radius:2px}.vjs-track-settings-controls .vjs-default-button{margin-right:1em}@media print{.video-js>:not(.vjs-tech):not(.vjs-poster){visibility:hidden}}.vjs-resize-manager{position:absolute;top:0;left:0;width:100%;height:100%;border:none;z-index:-1000}.js-focus-visible .video-js :focus:not(.focus-visible),.video-js :focus:not(:focus-visible){outline:none}@media \\0screen{.vjs-user-inactive.vjs-playing .vjs-control-bar :before{content:""}}@media \\0screen{.vjs-has-started.vjs-user-inactive.vjs-playing .vjs-control-bar{visibility:hidden}}',""])},"40c3":function(t,e,n){var i=n("6b4c"),r=n("5168")("toStringTag"),o="Arguments"==i(function(){return arguments}()),a=function(t,e){try{return t[e]}catch(n){}};t.exports=function(t){var e,n,s;return void 0===t?"Undefined":null===t?"Null":"string"==typeof(n=a(e=Object(t),r))?n:o?i(e):"Object"==(s=i(e))&&"function"==typeof e.callee?"Arguments":s}},4149:function(t,e,n){n("a29f"),n("589d")},"41a0":function(t,e,n){"use strict";var i=n("2aeb"),r=n("4630"),o=n("7f20"),a={};n("32e9")(a,n("2b4c")("iterator"),(function(){return this})),t.exports=function(t,e,n){t.prototype=i(a,{next:r(1,n)}),o(t,e+" Iterator")}},"454f":function(t,e,n){n("46a7");var i=n("584a").Object;t.exports=function(t,e,n){return i.defineProperty(t,e,n)}},"456d":function(t,e,n){var i=n("4bf8"),r=n("0d58");n("5eda")("keys",(function(){return function(t){return r(i(t))}}))},4588:function(t,e){var n=Math.ceil,i=Math.floor;t.exports=function(t){return isNaN(t=+t)?0:(t>0?i:n)(t)}},4598:function(t,e,n){"use strict";(function(t){n.d(e,"a",(function(){return u}));var i=n("a142"),r=Date.now();function o(t){var e=Date.now(),n=Math.max(0,16-(e-r)),i=setTimeout(t,n);return r=e+n,i}var a=i["e"]?t:window,s=a.requestAnimationFrame||o;a.cancelAnimationFrame||a.clearTimeout;function l(t){return s.call(a,t)}function u(t){l((function(){l(t)}))}}).call(this,n("c8ba"))},"45f2":function(t,e,n){var i=n("d9f6").f,r=n("07e3"),o=n("5168")("toStringTag");t.exports=function(t,e,n){t&&!r(t=n?t:t.prototype,o)&&i(t,o,{configurable:!0,value:e})}},4630:function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},"467f":function(t,e,n){"use strict";var i=n("2d83");t.exports=function(t,e,n){var r=n.config.validateStatus;!r||r(n.status)?t(n):e(i("Request failed with status code "+n.status,n.config,null,n.request,n))}},"46a7":function(t,e,n){var i=n("63b6");i(i.S+i.F*!n("8e60"),"Object",{defineProperty:n("d9f6").f})},"47ee":function(t,e,n){var i=n("c3a1"),r=n("9aa9"),o=n("355d");t.exports=function(t){var e=i(t),n=r.f;if(n){var a,s=n(t),l=o.f,u=0;while(s.length>u)l.call(t,a=s[u++])&&e.push(a)}return e}},"481b":function(t,e){t.exports={}},"499e":function(t,e,n){"use strict";function i(t,e){for(var n=[],i={},r=0;r<e.length;r++){var o=e[r],a=o[0],s=o[1],l=o[2],u=o[3],c={id:t+":"+r,css:s,media:l,sourceMap:u};i[a]?i[a].parts.push(c):n.push(i[a]={id:a,parts:[c]})}return n}n.r(e),n.d(e,"default",(function(){return p}));var r="undefined"!==typeof document;if("undefined"!==typeof DEBUG&&DEBUG&&!r)throw new Error("vue-style-loader cannot be used in a non-browser environment. Use { target: 'node' } in your Webpack config to indicate a server-rendering environment.");var o={},a=r&&(document.head||document.getElementsByTagName("head")[0]),s=null,l=0,u=!1,c=function(){},h=null,d="data-vue-ssr-id",f="undefined"!==typeof navigator&&/msie [6-9]\b/.test(navigator.userAgent.toLowerCase());function p(t,e,n,r){u=n,h=r||{};var a=i(t,e);return v(a),function(e){for(var n=[],r=0;r<a.length;r++){var s=a[r],l=o[s.id];l.refs--,n.push(l)}e?(a=i(t,e),v(a)):a=[];for(r=0;r<n.length;r++){l=n[r];if(0===l.refs){for(var u=0;u<l.parts.length;u++)l.parts[u]();delete o[l.id]}}}}function v(t){for(var e=0;e<t.length;e++){var n=t[e],i=o[n.id];if(i){i.refs++;for(var r=0;r<i.parts.length;r++)i.parts[r](n.parts[r]);for(;r<n.parts.length;r++)i.parts.push(g(n.parts[r]));i.parts.length>n.parts.length&&(i.parts.length=n.parts.length)}else{var a=[];for(r=0;r<n.parts.length;r++)a.push(g(n.parts[r]));o[n.id]={id:n.id,refs:1,parts:a}}}}function m(){var t=document.createElement("style");return t.type="text/css",a.appendChild(t),t}function g(t){var e,n,i=document.querySelector("style["+d+'~="'+t.id+'"]');if(i){if(u)return c;i.parentNode.removeChild(i)}if(f){var r=l++;i=s||(s=m()),e=_.bind(null,i,r,!1),n=_.bind(null,i,r,!0)}else i=m(),e=b.bind(null,i),n=function(){i.parentNode.removeChild(i)};return e(t),function(i){if(i){if(i.css===t.css&&i.media===t.media&&i.sourceMap===t.sourceMap)return;e(t=i)}else n()}}var y=function(){var t=[];return function(e,n){return t[e]=n,t.filter(Boolean).join("\n")}}();function _(t,e,n,i){var r=n?"":i.css;if(t.styleSheet)t.styleSheet.cssText=y(e,r);else{var o=document.createTextNode(r),a=t.childNodes;a[e]&&t.removeChild(a[e]),a.length?t.insertBefore(o,a[e]):t.appendChild(o)}}function b(t,e){var n=e.css,i=e.media,r=e.sourceMap;if(i&&t.setAttribute("media",i),h.ssrId&&t.setAttribute(d,e.id),r&&(n+="\n/*# sourceURL="+r.sources[0]+" */",n+="\n/*# sourceMappingURL=data:application/json;base64,"+btoa(unescape(encodeURIComponent(JSON.stringify(r))))+" */"),t.styleSheet)t.styleSheet.cssText=n;else{while(t.firstChild)t.removeChild(t.firstChild);t.appendChild(document.createTextNode(n))}}},"4a7b":function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e){e=e||{};var n={},r=["url","method","params","data"],o=["headers","auth","proxy"],a=["baseURL","url","transformRequest","transformResponse","paramsSerializer","timeout","withCredentials","adapter","responseType","xsrfCookieName","xsrfHeaderName","onUploadProgress","onDownloadProgress","maxContentLength","validateStatus","maxRedirects","httpAgent","httpsAgent","cancelToken","socketPath"];i.forEach(r,(function(t){"undefined"!==typeof e[t]&&(n[t]=e[t])})),i.forEach(o,(function(r){i.isObject(e[r])?n[r]=i.deepMerge(t[r],e[r]):"undefined"!==typeof e[r]?n[r]=e[r]:i.isObject(t[r])?n[r]=i.deepMerge(t[r]):"undefined"!==typeof t[r]&&(n[r]=t[r])})),i.forEach(a,(function(i){"undefined"!==typeof e[i]?n[i]=e[i]:"undefined"!==typeof t[i]&&(n[i]=t[i])}));var s=r.concat(o).concat(a),l=Object.keys(e).filter((function(t){return-1===s.indexOf(t)}));return i.forEach(l,(function(i){"undefined"!==typeof e[i]?n[i]=e[i]:"undefined"!==typeof t[i]&&(n[i]=t[i])})),n}},"4bf8":function(t,e,n){var i=n("be13");t.exports=function(t){return Object(i(t))}},"4ee1":function(t,e,n){var i=n("5168")("iterator"),r=!1;try{var o=[7][i]();o["return"]=function(){r=!0},Array.from(o,(function(){throw 2}))}catch(a){}t.exports=function(t,e){if(!e&&!r)return!1;var n=!1;try{var o=[7],s=o[i]();s.next=function(){return{done:n=!0}},o[i]=function(){return s},t(o)}catch(a){}return n}},5033:function(t,e,n){var i=n("349d");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("3ae65002",i,!0,{sourceMap:!1,shadowMode:!1})},"50ed":function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},5168:function(t,e,n){var i=n("dbdb")("wks"),r=n("62a0"),o=n("e53d").Symbol,a="function"==typeof o,s=t.exports=function(t){return i[t]||(i[t]=a&&o[t]||(a?o:r)("Symbol."+t))};s.store=i},"520a":function(t,e,n){"use strict";var i=n("0bfb"),r=RegExp.prototype.exec,o=String.prototype.replace,a=r,s="lastIndex",l=function(){var t=/a/,e=/b*/g;return r.call(t,"a"),r.call(e,"a"),0!==t[s]||0!==e[s]}(),u=void 0!==/()??/.exec("")[1],c=l||u;c&&(a=function(t){var e,n,a,c,h=this;return u&&(n=new RegExp("^"+h.source+"$(?!\\s)",i.call(h))),l&&(e=h[s]),a=r.call(h,t),l&&a&&(h[s]=h.global?a.index+a[0].length:e),u&&a&&a.length>1&&o.call(a[0],n,(function(){for(c=1;c<arguments.length-2;c++)void 0===arguments[c]&&(a[c]=void 0)})),a}),t.exports=a},5270:function(t,e,n){"use strict";var i=n("c532"),r=n("c401"),o=n("2e67"),a=n("2444");function s(t){t.cancelToken&&t.cancelToken.throwIfRequested()}t.exports=function(t){s(t),t.headers=t.headers||{},t.data=r(t.data,t.headers,t.transformRequest),t.headers=i.merge(t.headers.common||{},t.headers[t.method]||{},t.headers),i.forEach(["delete","get","head","post","put","patch","common"],(function(e){delete t.headers[e]}));var e=t.adapter||a.adapter;return e(t).then((function(e){return s(t),e.data=r(e.data,e.headers,t.transformResponse),e}),(function(e){return o(e)||(s(t),e&&e.response&&(e.response.data=r(e.response.data,e.response.headers,t.transformResponse))),Promise.reject(e)}))}},"52a7":function(t,e){e.f={}.propertyIsEnumerable},"53a8":function(t,e){t.exports=i;var n=Object.prototype.hasOwnProperty;function i(){for(var t={},e=0;e<arguments.length;e++){var i=arguments[e];for(var r in i)n.call(i,r)&&(t[r]=i[r])}return t}},"53e2":function(t,e,n){var i=n("07e3"),r=n("241e"),o=n("5559")("IE_PROTO"),a=Object.prototype;t.exports=Object.getPrototypeOf||function(t){return t=r(t),i(t,o)?t[o]:"function"==typeof t.constructor&&t instanceof t.constructor?t.constructor.prototype:t instanceof Object?a:null}},"546b":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".quill-editor{width:100%;height:100%}.ql-toolbar.ql-snow{position:absolute;top:-70px;height:70px;width:300px;padding:0;background:#fff}.ql-toolbar.ql-snow .ql-formats{margin:0}.ql-editor{padding:0}",""])},"549b":function(t,e,n){"use strict";var i=n("d864"),r=n("63b6"),o=n("241e"),a=n("b0dc"),s=n("3702"),l=n("b447"),u=n("20fd"),c=n("7cd6");r(r.S+r.F*!n("4ee1")((function(t){Array.from(t)})),"Array",{from:function(t){var e,n,r,h,d=o(t),f="function"==typeof this?this:Array,p=arguments.length,v=p>1?arguments[1]:void 0,m=void 0!==v,g=0,y=c(d);if(m&&(v=i(v,p>2?arguments[2]:void 0,2)),void 0==y||f==Array&&s(y))for(e=l(d.length),n=new f(e);e>g;g++)u(n,g,m?v(d[g],g):d[g]);else for(h=y.call(d),n=new f;!(r=h.next()).done;g++)u(n,g,m?a(h,v,[r.value,g],!0):r.value);return n.length=g,n}})},5537:function(t,e,n){var i=n("8378"),r=n("7726"),o="__core-js_shared__",a=r[o]||(r[o]={});(t.exports=function(t,e){return a[t]||(a[t]=void 0!==e?e:{})})("versions",[]).push({version:i.version,mode:n("2d00")?"pure":"global",copyright:"© 2020 Denis Pushkarev (zloirock.ru)"})},5559:function(t,e,n){var i=n("dbdb")("keys"),r=n("62a0");t.exports=function(t){return i[t]||(i[t]=r(t))}},"55dd":function(t,e,n){"use strict";var i=n("5ca1"),r=n("d8e8"),o=n("4bf8"),a=n("79e5"),s=[].sort,l=[1,2,3];i(i.P+i.F*(a((function(){l.sort(void 0)}))||!a((function(){l.sort(null)}))||!n("2f21")(s)),"Array",{sort:function(t){return void 0===t?s.call(o(this)):s.call(o(this),r(t))}})},"584a":function(t,e){var n=t.exports={version:"2.6.12"};"number"==typeof __e&&(__e=n)},"589d":function(t,e,n){var i=n("5a42");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("75d72fce",i,!0,{sourceMap:!1,shadowMode:!1})},"598e":function(t,e,n){n("a29f"),n("9415")},"5a42":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-swipe{position:relative;overflow:hidden;cursor:grab;-webkit-user-select:none;user-select:none}.van-swipe__track{display:-webkit-box;display:-webkit-flex;display:flex;height:100%}.van-swipe__track--vertical{-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column}.van-swipe__indicators{position:absolute;bottom:12px;left:50%;display:-webkit-box;display:-webkit-flex;display:flex;-webkit-transform:translateX(-50%);transform:translateX(-50%)}.van-swipe__indicators--vertical{top:50%;bottom:auto;left:12px;-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;flex-direction:column;-webkit-transform:translateY(-50%);transform:translateY(-50%)}.van-swipe__indicators--vertical .van-swipe__indicator:not(:last-child){margin-bottom:6px}.van-swipe__indicator{width:6px;height:6px;background-color:#ebedf0;border-radius:100%;opacity:.3;-webkit-transition:opacity .2s,background-color .2s;transition:opacity .2s,background-color .2s}.van-swipe__indicator:not(:last-child){margin-right:6px}.van-swipe__indicator--active{background-color:#1989fa;opacity:1}",""])},"5b4e":function(t,e,n){var i=n("36c3"),r=n("b447"),o=n("0fc9");t.exports=function(t){return function(e,n,a){var s,l=i(e),u=r(l.length),c=o(a,u);if(t&&n!=n){while(u>c)if(s=l[c++],s!=s)return!0}else for(;u>c;c++)if((t||c in l)&&l[c]===n)return t||c||0;return!t&&-1}}},"5c3a":function(t,e,n){(function(t,e){e(n("c1df"))})(0,(function(t){"use strict";
21 21 //! moment.js locale configuration
22   -var e=t.defineLocale("zh-cn",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"周日_周一_周二_周三_周四_周五_周六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日Ah点mm分",LLLL:"YYYY年M月D日ddddAh点mm分",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(t,e){return 12===t&&(t=0),"凌晨"===e||"早上"===e||"上午"===e?t:"下午"===e||"晚上"===e?t+12:t>=11?t:t+12},meridiem:function(t,e,n){var i=100*t+e;return i<600?"凌晨":i<900?"早上":i<1130?"上午":i<1230?"中午":i<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:function(t){return t.week()!==this.week()?"[下]dddLT":"[本]dddLT"},lastDay:"[昨天]LT",lastWeek:function(t){return this.week()!==t.week()?"[上]dddLT":"[本]dddLT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|周)/,ordinal:function(t,e){switch(e){case"d":case"D":case"DDD":return t+"日";case"M":return t+"月";case"w":case"W":return t+"周";default:return t}},relativeTime:{future:"%s后",past:"%s前",s:"几秒",ss:"%d 秒",m:"1 分钟",mm:"%d 分钟",h:"1 小时",hh:"%d 小时",d:"1 天",dd:"%d 天",w:"1 周",ww:"%d 周",M:"1 个月",MM:"%d 个月",y:"1 年",yy:"%d 年"},week:{dow:1,doy:4}});return e}))},"5c4b":function(t,e,n){var i=n("cf89");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("3fa305d5",i,!0,{sourceMap:!1,shadowMode:!1})},"5ca1":function(t,e,n){var i=n("7726"),o=n("8378"),r=n("32e9"),a=n("2aba"),s=n("9b43"),l="prototype",c=function(t,e,n){var u,h,d,f,A=t&c.F,p=t&c.G,g=t&c.S,v=t&c.P,m=t&c.B,y=p?i:g?i[e]||(i[e]={}):(i[e]||{})[l],b=p?o:o[e]||(o[e]={}),w=b[l]||(b[l]={});for(u in p&&(n=e),n)h=!A&&y&&void 0!==y[u],d=(h?y:n)[u],f=m&&h?s(d,i):v&&"function"==typeof d?s(Function.call,d):d,y&&a(y,u,d,t&c.U),b[u]!=d&&r(b,u,f),v&&w[u]!=d&&(w[u]=d)};i.core=o,c.F=1,c.G=2,c.S=4,c.P=8,c.B=16,c.W=32,c.U=64,c.R=128,t.exports=c},"5cc5":function(t,e,n){var i=n("2b4c")("iterator"),o=!1;try{var r=[7][i]();r["return"]=function(){o=!0},Array.from(r,(function(){throw 2}))}catch(a){}t.exports=function(t,e){if(!e&&!o)return!1;var n=!1;try{var r=[7],s=r[i]();s.next=function(){return{done:n=!0}},r[i]=function(){return s},t(r)}catch(a){}return n}},"5d58":function(t,e,n){t.exports=n("d8d6")},"5dbc":function(t,e,n){var i=n("d3f4"),o=n("8b97").set;t.exports=function(t,e,n){var r,a=e.constructor;return a!==n&&"function"==typeof a&&(r=a.prototype)!==n.prototype&&i(r)&&o&&o(t,r),t}},"5df3":function(t,e,n){"use strict";var i=n("02f4")(!0);n("01f9")(String,"String",(function(t){this._t=String(t),this._i=0}),(function(){var t,e=this._t,n=this._i;return n>=e.length?{value:void 0,done:!0}:(t=i(e,n),this._i+=t.length,{value:t,done:!1})}))},"5eda":function(t,e,n){var i=n("5ca1"),o=n("8378"),r=n("79e5");t.exports=function(t,e){var n=(o.Object||{})[t]||Object[t],a={};a[t]=e(n),i(i.S+i.F*r((function(){n(1)})),"Object",a)}},"5f1b":function(t,e,n){"use strict";var i=n("23c6"),o=RegExp.prototype.exec;t.exports=function(t,e){var n=t.exec;if("function"===typeof n){var r=n.call(t,e);if("object"!==typeof r)throw new TypeError("RegExp exec method returned something other than an Object or null");return r}if("RegExp"!==i(t))throw new TypeError("RegExp#exec called on incompatible receiver");return o.call(t,e)}},"60d4":function(t,e,n){var i=n("47fb");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("a3b99734",i,!0,{sourceMap:!1,shadowMode:!1})},"613b":function(t,e,n){var i=n("5537")("keys"),o=n("ca5a");t.exports=function(t){return i[t]||(i[t]=o(t))}},"626a":function(t,e,n){var i=n("2d95");t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==i(t)?t.split(""):Object(t)}},"62a0":function(t,e){var n=0,i=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+i).toString(36))}},"62e4":function(t,e){t.exports=function(t){return t.webpackPolyfill||(t.deprecate=function(){},t.paths=[],t.children||(t.children=[]),Object.defineProperty(t,"loaded",{enumerable:!0,get:function(){return t.l}}),Object.defineProperty(t,"id",{enumerable:!0,get:function(){return t.i}}),t.webpackPolyfill=1),t}},6328:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("8bbf")),r=n("985d"),a=i(n("b459")),s=o.default.prototype,l=o.default.util.defineReactive;l(s,"$vantLang","zh-CN"),l(s,"$vantMessages",{"zh-CN":a.default});var c={messages:function(){return s.$vantMessages[s.$vantLang]},use:function(t,e){var n;s.$vantLang=t,this.add((n={},n[t]=e,n))},add:function(t){void 0===t&&(t={}),(0,r.deepAssign)(s.$vantMessages,t)}};e.default=c},"63b6":function(t,e,n){var i=n("e53d"),o=n("584a"),r=n("d864"),a=n("35e8"),s=n("07e3"),l="prototype",c=function(t,e,n){var u,h,d,f=t&c.F,A=t&c.G,p=t&c.S,g=t&c.P,v=t&c.B,m=t&c.W,y=A?o:o[e]||(o[e]={}),b=y[l],w=A?i:p?i[e]:(i[e]||{})[l];for(u in A&&(n=e),n)h=!f&&w&&void 0!==w[u],h&&s(y,u)||(d=h?w[u]:n[u],y[u]=A&&"function"!=typeof w[u]?n[u]:v&&h?r(d,i):m&&w[u]==d?function(t){var e=function(e,n,i){if(this instanceof t){switch(arguments.length){case 0:return new t;case 1:return new t(e);case 2:return new t(e,n)}return new t(e,n,i)}return t.apply(this,arguments)};return e[l]=t[l],e}(d):g&&"function"==typeof d?r(Function.call,d):d,g&&((y.virtual||(y.virtual={}))[u]=d,t&c.R&&b&&!b[u]&&a(b,u,d)))};c.F=1,c.G=2,c.S=4,c.P=8,c.B=16,c.W=32,c.U=64,c.R=128,t.exports=c},"63c4":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'@font-face{font-weight:400;font-family:vant-icon;font-style:normal;src:url(data:font/ttf;base64,AAEAAAALAIAAAwAwR1NVQiCLJXoAAAE4AAAAVE9TLzJGIFOOAAABjAAAAFZjbWFwKtSucgAABaQAAA50Z2x5ZoHDAeAAABX8AADAfGhlYWQbuu4hAAAA4AAAADZoaGVhB9ME2AAAALwAAAAkaG10eKWYAAAAAAHkAAADwGxvY2HJ2poGAAAUGAAAAeJtYXhwAgcAuQAAARgAAAAgbmFtZbLxp5gAANZ4AAACdnBvc3S70QsOAADY8AAACmIAAQAAA+gAAAAAA+gAAP//A+kAAQAAAAAAAAAAAAAAAAAAAPAAAQAAAAEAADAmu19fDzz1AAsD6AAAAADcWVSqAAAAANxZVKoAAP//A+kD6QAAAAgAAgAAAAAAAAABAAAA8ACtAA0AAAAAAAIAAAAKAAoAAAD/AAAAAAAAAAEAAAAKADAAPgACREZMVAAObGF0bgAaAAQAAAAAAAAAAQAAAAQAAAAAAAAAAQAAAAFsaWdhAAgAAAABAAAAAQAEAAQAAAABAAgAAQAGAAAAAQAAAAED5AGQAAUAAAJ6ArwAAACMAnoCvAAAAeAAMQECAAACAAUDAAAAAAAAAAAAAAAAAAAAAAAAAAAAAFBmRWQAQPAA8O4D6AAAAFoD6QABAAAAAQAAAAAAAAAAAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAPoAAAD6AAAA+gAAAAAAAUAAAADAAAALAAAAAQAAAMwAAEAAAAAAioAAwABAAAALAADAAoAAAMwAAQB/gAAAAQABAABAADw7v//AADwAP//AAAAAQAEAAAAAQACAAMABAAFAAYABwAIAAkACgALAAwADQAOAA8AEQASABMAFAAVABYAFwAYABkAGgAbABwAHQAeAB8AIAAhACIAIwAkACUAJgAnACgAKQAqACsALAAtAC4ALwAwADEAMgAzADQANQA2ADcAOAA5ADoAOwA8AD0APgA/AEAAQQBCAEMARABFAEcASABJAEoASwBMAE0ATgBPAFAAUQBSAFQAVQBWAFcAWABZAFoAWwBcAF0AXgBfAGAAYwBkAGUAZgBnAGgAaQBqAGsAbABtAG4AbwBwAHEAcgBzAHQAdQB2AHcAeAB5AHoAewB8AH0AfgB/AIAAgQCCAIMAhACFAIYAhwCIAIkAigCMAI0AjgCPAJAAkQCSAJMAlACVAJYAlwCYAJkAmgCbAJwAnQCeAJ8AoAChAKIApAClAKYApwCoAKkAqgCrAKwArQCuAK8AsACxALIAswC0ALUAtwC4ALkAugC7ALwAvQC+AMAAwQDCAMMAxADFAMYAxwDIAMkAygDLAMwAzgDPANAA0QDSANMA1ADVANYA1wDYANkA2gDbANwA3QDeAN8A4ADhAOIA4wDkAOUA5gDnAOgA6QDqAOsA7ADtAO8AUwCjABAAvwCLAEYAzQBiAGEAtgDuAAABBgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAMAAAAAAtEAAAAAAAAAO8AAPAAAADwAAAAAAEAAPABAADwAQAAAAIAAPACAADwAgAAAAMAAPADAADwAwAAAAQAAPAEAADwBAAAAAUAAPAFAADwBQAAAAYAAPAGAADwBgAAAAcAAPAHAADwBwAAAAgAAPAIAADwCAAAAAkAAPAJAADwCQAAAAoAAPAKAADwCgAAAAsAAPALAADwCwAAAAwAAPAMAADwDAAAAA0AAPANAADwDQAAAA4AAPAOAADwDgAAAA8AAPAPAADwDwAAABEAAPAQAADwEAAAABIAAPARAADwEQAAABMAAPASAADwEgAAABQAAPATAADwEwAAABUAAPAUAADwFAAAABYAAPAVAADwFQAAABcAAPAWAADwFgAAABgAAPAXAADwFwAAABkAAPAYAADwGAAAABoAAPAZAADwGQAAABsAAPAaAADwGgAAABwAAPAbAADwGwAAAB0AAPAcAADwHAAAAB4AAPAdAADwHQAAAB8AAPAeAADwHgAAACAAAPAfAADwHwAAACEAAPAgAADwIAAAACIAAPAhAADwIQAAACMAAPAiAADwIgAAACQAAPAjAADwIwAAACUAAPAkAADwJAAAACYAAPAlAADwJQAAACcAAPAmAADwJgAAACgAAPAnAADwJwAAACkAAPAoAADwKAAAACoAAPApAADwKQAAACsAAPAqAADwKgAAACwAAPArAADwKwAAAC0AAPAsAADwLAAAAC4AAPAtAADwLQAAAC8AAPAuAADwLgAAADAAAPAvAADwLwAAADEAAPAwAADwMAAAADIAAPAxAADwMQAAADMAAPAyAADwMgAAADQAAPAzAADwMwAAADUAAPA0AADwNAAAADYAAPA1AADwNQAAADcAAPA2AADwNgAAADgAAPA3AADwNwAAADkAAPA4AADwOAAAADoAAPA5AADwOQAAADsAAPA6AADwOgAAADwAAPA7AADwOwAAAD0AAPA8AADwPAAAAD4AAPA9AADwPQAAAD8AAPA+AADwPgAAAEAAAPA/AADwPwAAAEEAAPBAAADwQAAAAEIAAPBBAADwQQAAAEMAAPBCAADwQgAAAEQAAPBDAADwQwAAAEUAAPBEAADwRAAAAEcAAPBFAADwRQAAAEgAAPBGAADwRgAAAEkAAPBHAADwRwAAAEoAAPBIAADwSAAAAEsAAPBJAADwSQAAAEwAAPBKAADwSgAAAE0AAPBLAADwSwAAAE4AAPBMAADwTAAAAE8AAPBNAADwTQAAAFAAAPBOAADwTgAAAFEAAPBPAADwTwAAAFIAAPBQAADwUAAAAFQAAPBRAADwUQAAAFUAAPBSAADwUgAAAFYAAPBTAADwUwAAAFcAAPBUAADwVAAAAFgAAPBVAADwVQAAAFkAAPBWAADwVgAAAFoAAPBXAADwVwAAAFsAAPBYAADwWAAAAFwAAPBZAADwWQAAAF0AAPBaAADwWgAAAF4AAPBbAADwWwAAAF8AAPBcAADwXAAAAGAAAPBdAADwXQAAAGMAAPBeAADwXgAAAGQAAPBfAADwXwAAAGUAAPBgAADwYAAAAGYAAPBhAADwYQAAAGcAAPBiAADwYgAAAGgAAPBjAADwYwAAAGkAAPBkAADwZAAAAGoAAPBlAADwZQAAAGsAAPBmAADwZgAAAGwAAPBnAADwZwAAAG0AAPBoAADwaAAAAG4AAPBpAADwaQAAAG8AAPBqAADwagAAAHAAAPBrAADwawAAAHEAAPBsAADwbAAAAHIAAPBtAADwbQAAAHMAAPBuAADwbgAAAHQAAPBvAADwbwAAAHUAAPBwAADwcAAAAHYAAPBxAADwcQAAAHcAAPByAADwcgAAAHgAAPBzAADwcwAAAHkAAPB0AADwdAAAAHoAAPB1AADwdQAAAHsAAPB2AADwdgAAAHwAAPB3AADwdwAAAH0AAPB4AADweAAAAH4AAPB5AADweQAAAH8AAPB6AADwegAAAIAAAPB7AADwewAAAIEAAPB8AADwfAAAAIIAAPB9AADwfQAAAIMAAPB+AADwfgAAAIQAAPB/AADwfwAAAIUAAPCAAADwgAAAAIYAAPCBAADwgQAAAIcAAPCCAADwggAAAIgAAPCDAADwgwAAAIkAAPCEAADwhAAAAIoAAPCFAADwhQAAAIwAAPCGAADwhgAAAI0AAPCHAADwhwAAAI4AAPCIAADwiAAAAI8AAPCJAADwiQAAAJAAAPCKAADwigAAAJEAAPCLAADwiwAAAJIAAPCMAADwjAAAAJMAAPCNAADwjQAAAJQAAPCOAADwjgAAAJUAAPCPAADwjwAAAJYAAPCQAADwkAAAAJcAAPCRAADwkQAAAJgAAPCSAADwkgAAAJkAAPCTAADwkwAAAJoAAPCUAADwlAAAAJsAAPCVAADwlQAAAJwAAPCWAADwlgAAAJ0AAPCXAADwlwAAAJ4AAPCYAADwmAAAAJ8AAPCZAADwmQAAAKAAAPCaAADwmgAAAKEAAPCbAADwmwAAAKIAAPCcAADwnAAAAKQAAPCdAADwnQAAAKUAAPCeAADwngAAAKYAAPCfAADwnwAAAKcAAPCgAADwoAAAAKgAAPChAADwoQAAAKkAAPCiAADwogAAAKoAAPCjAADwowAAAKsAAPCkAADwpAAAAKwAAPClAADwpQAAAK0AAPCmAADwpgAAAK4AAPCnAADwpwAAAK8AAPCoAADwqAAAALAAAPCpAADwqQAAALEAAPCqAADwqgAAALIAAPCrAADwqwAAALMAAPCsAADwrAAAALQAAPCtAADwrQAAALUAAPCuAADwrgAAALcAAPCvAADwrwAAALgAAPCwAADwsAAAALkAAPCxAADwsQAAALoAAPCyAADwsgAAALsAAPCzAADwswAAALwAAPC0AADwtAAAAL0AAPC1AADwtQAAAL4AAPC2AADwtgAAAMAAAPC3AADwtwAAAMEAAPC4AADwuAAAAMIAAPC5AADwuQAAAMMAAPC6AADwugAAAMQAAPC7AADwuwAAAMUAAPC8AADwvAAAAMYAAPC9AADwvQAAAMcAAPC+AADwvgAAAMgAAPC/AADwvwAAAMkAAPDAAADwwAAAAMoAAPDBAADwwQAAAMsAAPDCAADwwgAAAMwAAPDDAADwwwAAAM4AAPDEAADwxAAAAM8AAPDFAADwxQAAANAAAPDGAADwxgAAANEAAPDHAADwxwAAANIAAPDIAADwyAAAANMAAPDJAADwyQAAANQAAPDKAADwygAAANUAAPDLAADwywAAANYAAPDMAADwzAAAANcAAPDNAADwzQAAANgAAPDOAADwzgAAANkAAPDPAADwzwAAANoAAPDQAADw0AAAANsAAPDRAADw0QAAANwAAPDSAADw0gAAAN0AAPDTAADw0wAAAN4AAPDUAADw1AAAAN8AAPDVAADw1QAAAOAAAPDWAADw1gAAAOEAAPDXAADw1wAAAOIAAPDYAADw2AAAAOMAAPDZAADw2QAAAOQAAPDaAADw2gAAAOUAAPDbAADw2wAAAOYAAPDcAADw3AAAAOcAAPDdAADw3QAAAOgAAPDeAADw3gAAAOkAAPDfAADw3wAAAOoAAPDgAADw4AAAAOsAAPDhAADw4QAAAOwAAPDiAADw4gAAAO0AAPDjAADw4wAAAO8AAPDkAADw5AAAAFMAAPDlAADw5QAAAKMAAPDmAADw5gAAABAAAPDnAADw5wAAAL8AAPDoAADw6AAAAIsAAPDpAADw6QAAAEYAAPDqAADw6gAAAM0AAPDrAADw6wAAAGIAAPDsAADw7AAAAGEAAPDtAADw7QAAALYAAPDuAADw7gAAAO4AAAAAAGoAqgDyAcoCQgK0Ay4DVgN+A6YDzgQmBGoE8gVEBYIFvgXyBrAHWAgICIoI5AlECYAJ+gp2CuQLPguGDCQMoA0cDbgOBg6ODsQPVg/kEEQQjhGCEe4SZBLmE3IT6hRAFIwU0BUgFXoVthYiFoYXEheAF+AYUBiiGPgZQhm+GhYatBsEG0AbcBvQHIYdLh2GHegeQB6CHrofph/WICYgcCCcIJwg+iE0IX4iBCJgIvQjUiN6I+wkGCTAJTAlmCaGJsQnACeuKFYorij+KTIpriokKpAq4CtkK8gsNCx4LWAt2C4qLnIu+C/wMOAxUDHSMg4yfDK8MxgzaDOuM/Y0IDRqNMI1AjU4Ne42UDaYNwQ3mDfuOAg4cji+OUA5pDpgOww7ZjuwPDg8sj0IPVI9yj42Pp4+5j8QP1w/pkB4QSpBrkIyQoxC6EMmQ3RD0EQORDBEXET0RXRGBEZORtJHVEfiSFJIxEl4SdRKJkqUSthLFktQS8JMKEzaTT5NiE3QTrRPSk/AUBZQeFDKUSxRkFH2UlJSzlMuU3pTylQIVGBUmlS4VOZVwlaAVxZXllfeWDBYjljqWSpZjlpkWr5bGltqW7pcAlyKXOpdOl10Xaxd+F5eXqhe6F82X7xgPgAAAAMAAAAAA7EDsQAdADIARwAAATU0NjMxMhYVBzMyFhQGKwEHFAYiJj0BIyImNDYzEzI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGAdgQDAwQAcMMEBAMxAEPFhDCDBAQDN5qWlg0NTU0WFrUWlg0NTU0WFpqeWdlOzw8O2Vn8mdlOzw8O2VnAhDCDBARC8IRFxDECw8PC8QQFxH+XzU0WFrUWlg0NTU0WFrUWlg0NTc8O2Vn8mdlOzw8O2Vn8mdlOzwAAAAAAgAAAAADeQN5ABsAKwAAASMiBhQWOwEVFBYyNj0BMzI2NCYrATU0JiIGFSUhMhYVERQGIyEiJjURNDYB2MIMEBAMwhAYEMIMEBAMwhAYEP7PApoXISEX/WYXISECEBAYEMIMEBAMwhAYEMIMEBAMpyEX/WYXISEXApoXIQAAAAACAAAAAAOxA7EAGwAwAAABIxUUBiImPQEjIiY0NjsBNTQ2MhYdATMyFhQGAyIHBgcGFBcWFxYyNzY3NjQnJicmArenERYRpwsQEAunERYRpwsQEM55Z2U7PDw7ZWfyZ2U7PDw7ZWcB2KcLEBALpxEWEacLEBALpxEWEQHYPDtlZ/JnZTs8PDtlZ/JnZTs8AAAFAAAAAAOTA48AJwBPAFgAXQCUAAABJw4BBwYjJicuATc2Nz4BFxYXFhc3JicmJyIGBwYHFBYXFjMWNz4BBz4BNycOAQcGIyYnLgE3Njc+ARcWFxYXNyYnJiciBgcGBxQWFxYzFhMyNjQmIgYUFgMXNycHAx4BDwEzMhYUBisBFTMyFhQGKwEVFAYiJj0BIyImNDY7ATUjIiY0NjsBJyY2NzE2Fh8BMzc+AQNUMhZIL1FdWk5QXgEBLC6hXVpOUS8wNl5baWu8NTQBbF5baGxeN1OKN1MZMhZIL1FdWk5QXgEBLC6hXVpOUS8wNl5baWu8NTQBbF5baGzYDBAQFxAQPa8BK4WECgYFLz0MEBAMb28MEBAMbxAXEW8LEBALb28LEBALKC8FBQoKFwU/MT4GFgFaFzFQGy4BLC6iXVpOUF4BASwuURxeNTQBbF5baGy8NTQBNiBdfSBdOBcxUBsuASwuol1aTlBeAQEsLlEcXjU0AWxeW2hsvDU0AQIsERcQEBcR/vFPAYw+ATgFFwpQEBcQOBAXEW8LEBALbxEXEDgQFxBQChYGBgYKbGwKBgADAAAAAAOxA7EAFABIAFEAAAEyFxYXFhQHBgcGIicmJyY0NzY3NhcVFAYiJj0BBgcGBwYHMzIWFAYrARYXFhcWFzU0NjIWHQE2NzY3NjcjIiY0NjsBJicmJyYDMhYUBiImNDYB9HlnZTs8PDtlZ/JnZTs8PDtlZ5URFhFfUE8xMgaJCxERC4kGMjFPUF8RFhFfUE8xMgaJCxERC4oHMjFPUHsXISEuISEDsDw7ZWfyZ2U7PDw7ZWfyZ2U7PDmJCxERC4kGMjFPUF8RFhFfUE8xMgeKCxERC4kGMjFPUF8RFhFfUE8xMv67IS4hIS4hAAACAAAAAAN5A3kAPQBOAAABMh4BFREnJi8BNjcjNTM1IzUjIgcGHQEjFTMVIxUhBgcmBw4CFhcWMzI2NxYXFRQOASMhIi4BNRE0PgEzEzYXFhcGBwYjIicuATc2NzYC/CI5IhsoRngpGZq8vE0IBAK9vZ0BMQ4dvVI6NwklJSk3RIE0ZssiOSL98CI5IiI5IkExOSpGLTE1MzkjIAMfDhgUA3kiOSL+bAcLFyxGXTcfXAcDBFAfNR80Nz8VD0JPRhUWR0EyVAUiOSIiOSICECI5Iv5ZBhIMIzceIBsYRxoMCAcAAAAIAAAAAAN5A3kADAAZAB0ALQAxAEEARQBVAAABIg4BFB4BMj4BNC4BJzIeARQOASIuATQ+AQUVMzUnMzIWHQEUBisBIiY9ATQ2ExUzNSczMhYdARQGKwEiJj0BNDYFFTM1JzMyFh0BFAYrASImPQE0NgLEIjkiIjlEOiEhOiIxUzExU2JTMDBT/hT6+voXICAX+hchIRf6+voXICAX+hchIQG3+vr6FyEhF/oXICADQSE6RDkiIjlEOiE4MVNiUzAwU2JTMTj6+jghF/oXICAX+hch/ij6+jcgF/oXISEX+hcgN/r6NyAX+hchIRf6FyAAAAAAAQAAAAADcAKrABIAAAEmJwEmNDYyFwkBNjIWFAcBDgEB7gwI/rIMGCMMATEBMAwjGAz+sggVAQsCCQFODCIZDP7PATANGSIM/rIIBgAAAAABAAAAAALJA24AEgAAASY2NwE2MhYUBwkBFhQGIicBJgEoAgUIAU4MIxgM/tABMAwYIwz+sggB7AoVCAFODBgjDP7Q/s8MIxgMAU4IAAAAAAEAAAAAA3ACzgASAAABFhcBFhQGIicJAQYiJjQ3AT4BAgEMCAFODBgjDP7Q/s8MIxgMAU4IFQLLAwj+sgwjGAwBMf7PDBgjDAFOCAUAAAAAAQAAAAACygNuABIAAAEGBwEGIiY0NwkBJjQ2MhcBHgECxwMI/rIMIxgMATH+zwwYIwwBTggGAewMCP6yDBgjDAExATAMIxgM/rIIFQAAAAAEAAAAAANhAycAFAAgACwAOAAAAQcGIiY0PwE2NzYWFxYHERQGIiY1ASEyFhQGIyEiJjQ2FyEyFhQGIyEiJjQ2FyEyFhQGIyEiJjQ2AwlBDCMYDIUJDwoVCA8DGSIZ/asBaRIYGBL+lxEYGBEBaRIYGBL+lxEYGBEBaRIYGBL+lxEYGAKXQgwYIwyFDAMDBggPFf33ERkZEQIEGSIYGCIZ3hkiGRkiGd8YIhkZIhgAAAEAAAAAA3kDeQAvAAATNDc2NzYyFxYXFhURFAYrASImPQE0NjsBNCcmJyYiBwYHBhUzMhYdARQGKwEiJjVvNTRYWtRaWDQ1IRc3FyEhFzctLExNtk1MLC03FyEhFzcXIQH0alpYNDU1NFhaav7qFyAgF94XIVtNTCwtLSxMTVshF94XICAXAAAGAAAAAANCA7EAFAApADIAPwBGAFcAAAEyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgMyNjQmIgYUFhciLgE0PgEyHgEUDgEDNxc1BiIvARYyNxEUBiMiLwEHBiYnJjUB9EtBPyUmJiU/QZZBPyUmJiU/QUtbTUwsLS0sTE22TUwsLS0sTE1bHSgoOigoHSI5IiI5RDkiIjmRb283cDc4VKdTEQsGBYCACxUEAwFNJiU/QZdAPyUmJiU/QJdBPyUmNy0sTE61TUwsLS0sTE21TkwsLQEIKDopKTooOCI5RDkiIjlEOSL+pS8vnxUVWzg4/twLEAI2NgUJCwUFAAAAAAMAAAAAA0IDlQASACcANAAAJRUUBiMiLwEmDwEGJicmPQEWMgMyFxYXFhQHBgcGIicmJyY0NzY3NhciDgEUHgEyPgE0LgECmxELBgVqFhZqCxUEA0+wWFtNTCwtLSxMTbZNTCwtLSxMTVseMx4eMzwzHh4z76IMEAItCQktBAgLBQaiJgLMLixLTrVOSywuLixLTrVOSywu3x0zPTMeHjM9Mx0AAgAAAAADJwNrABgAJAAAATYXARYUBiIvAREUBiImNREHBiImNDcBNiUyFhQGIyEiJjQ2MwH1DAkBEwgQFwnlEBcQ5QkXEAgBEwkBIgwQEAz91QwQEAwC8AEJ/u0IFxAI5f4FCxAQCwH75QgQFwgBEwl6EBcRERcQAAAAAAIAAAAAAz4DeQADACQAAAEDIQMnIg4BFSM0PgEyHgEVMzIWFRMWBgchIiY1Ez4BMyE0LgEBAiMCJSPyHjEeNyxLWUssYA8WJQEUEP2zDxYlARUPAWodMgKb/dQCLKYdNB4tTS0tTS0UD/2xEBcBFg8CUg8UHjQdAAIAAAAAA0ADeQAXAB8AAAE0PgEyHgEVMzIWFxMWBgchIiY1Ez4BOwI0LgEiDgEBTSxMWEwsXw8WASUBFRD9tBAWJQEWD5HYHTI6Mh0C0i1NLS1NLRQP/bEQFwEWDwJSDxQeNB0dNAAABwAAAAADsQN5ABoAJwA0AGcAcwB/AIsAABMhMhYdARQGIiY9ASERMzIWFAYrASImNRE0NgEyPgE0LgEiDgEUHgEXIi4BND4BMh4BFA4BJzI2NCYrATc2NCYiDwEnJiIGFB8BIyIGFBY7ARUjIgYUFjsBFRQWMjY9ATMyNjQmKwE1ASEyFhQGIyEiJjQ2FzMyFhQGKwEiJjQ2FzMyFhQGKwEiJjQ23gIsFyAQFxD91MMLEBALwxcgIAILLU0tLU1aTSwsTS08Zjw8ZnlmOztmAQoODgoTGgcOFAchIQcTDgcZEgoODgojIwoODgojDhQOJAoODgok/kgBTQsREQv+swwQEAzeCxERC94MEBAMbwsQEAtvDBAQA3khF/oLEBAL+v1mERcQIRcCmhch/PYtTVpNLCxNWk0tNztmeWY8PGZ5ZjvbDhQOGQcUDgchIQcOFAcZDhQOFw4UDhgKDg4KGA4UDhcBvxAXEBAXEG8QFxAQFxBvEBcRERcQAAAGAAAAAAN5A3kADAAiAFYAYgBuAHoAAAEyHgEUDgEiLgE0PgETMhYVESYjIg4BFRQWFyEiJjURNDYzASYiDwEnJiIGFB8BIyIGFBY7ARUjIgYUFjsBFRQWMjY9ATMyNjQmKwE1MzI2NCYrATc2NCUjIgYUFjsBMjY0JjcjIgYUFjsBMjY0JjchIgYUFjMhMjY0JgLSLkwtLUxbTSwsTWUXIDU6PGY8KST+nRcgIBcCNAYRBiMiBhIMBhsZCQwMCSkpCQwMCSkNEQwqCA0NCCoqCA0NCBkaBv6JbwwQEAxvCxAQZN4MEBAM3gsREWT+swwQEAwBTQsREQG8LE1bTC0tTFtNLAG9IRf+lB88ZjwxVx8hFwKaFyH9+AYGIiIGDBEGGwwRDBwMEQ0XCQwMCRcNEQwcDBEMGwYRiRAXEREXEG8QFxAQFxBvEBcQEBcQAAAEAAAAAANqA3kAFAAiAEcAegAAJQ4BIyEiLgI/AT4CMh4BHwEWBgEiJicmNjMhMhYHDgEjAScuASc+ATc2LgEjISIOARceARcGBwYPAQYXFhcWMyEyNzY3NiUyNjQmKwE3NjQmIg8BJyYiBhQfASMiBhQWOwEVIyIGFBY7ARUUFjI2PQEzMjY0JisBNQMEF0Ek/vkkQS4TBRgKTXOEc00LFwYT/sgqQAkBCAUBEQUHAQhBKQE5Fw5qTBwoBwQQIRX+7xUhEAQHJx1NNDUOFwsbGjQ3QgEHQjY1Ghv+4AsQEAsWHggQFwgnJggXEAgdFQwQEAwpKQwQEAwpERcQKgsQEAsqqRweHjdFI4tBaDs7aEGLI0UCDjYqBgkJBio2/mOLVIMhEzkjFSYXFyYVIzkTIUFCVItBOzojJCQjOjt1EBcRHQgXEQkmJgkRFwgdERcQHBAXEBwMEBAMHBAXEBwABQAAAAADeQN5ABsAHwAiACUAWQAAATIWHwEzMhYVERQGIyEiJjURNDY/ATYyHwElNhchESEDBSElBzcXIg8BJyYiBhQfASMiBhQWOwEVIyIGFBY7ARUUFjI2PQEzMjY0JisBNTMyNjQmKwE3NjQmAvAKDwImFhUdHRX9WhUdGBOZBhIGUAFIBFT9ZgKaZP6QAYr+S1WGuwwIJiYIFxEIHhUMEBAMKSkMEBAMKREWESkMEBAMKSkMEBAMFR4IEQN5DAmMHRT+ABUdHRUCABIbA5oGBlFYAdj+DAKOY2xUJOUJJiYJERcIHREXEBwQFxAcDBAQDBwQFxAcEBcRHQgXEQAAAAAGAAAAAAN5A4gAAwATABcAJwArADsAABMRMxEnMzIWFREUBisBIiY1ETQ2JREzESczMhYVERQGKwEiJjURNDYlETMRJzMyFhURFAYrASImNRE0Nqdvb28XICAXbxchIQEsb29vFyEhF28XICABLW9vbxchIRdvFyAgAjr+XwGhNyAX/l8XISEXAaEXIDj98AIQNyAX/fAXISEXAhAXIG/9SgK2OCEX/UoXISEXArYXIQAAAAAGAAAAAANeA0IACAAUACAALAA1AD4AABMiJjQ2MhYUBjchMhYUBiMhIiY0NhMhMhYUBiMhIiY0NhMhMhYUBiMhIiY0NiciJjQ2MhYUBgMiJjQ2MhYUBsIXICAuISGCAdgSGBgS/igRGBgRAdgSGBgS/igRGBgRAdgSGBgS/igRGBiIFyAgLiEhFxcgIC4hIQLSIS4gIC4hYRgiGRkiGP7rGSIZGSIZ/uoZIhgYIhm0IS4hIS4h/usgLiEhLiAAAAACAAAAAAOxA3kABQAmAAAlFAYiJjUTMhYdAR4BFxYVETMyFhQGIyEiJjQ2OwERNDc+ATc1NDYCRzBGMFMMEFSMKClUCxAQC/y+CxAQC1QpKIxUEIsjMDAjAu4QDB0HXEhLVv7qEBcQEBcQARZWS0hcBx0MEAAAAAAEAAAAAANCA7EAAwAPACcAWgAAARUzNRcjFAYrASImNSMRIRMRFAYjISImNRE0NjsBNDY7ATIWFTMyFgE3NjIWFA8BMzIWFAYrARUzMhYUBisBFRQGIiY9ASMiJjQ2OwE1IyImNDY7AScmNDYyFwGF3qdvIRfeFyFvAiw3IBf91BcgIBdvIRfeFyFvFyD+sycIFxEIHRMMEBAMKSkMEBAMKRAYECkMEBAMKSkMEBAMFB0IERcIA3k4ODgXICAX/S4C0v0uFyAgFwLSFyEXICAXIf7VJwgRFwgcEBgQHBAXEBwLERELHBAXEBwQGBAcCBcRCAAABQAAAAADQgN5AAIANQA4AFIAXgAAATMjNScmIgYUHwEjIgYUFjsBFSMiBhQWOwEVFBYyNj0BMzI2NCYrATUzMjY0JisBNzY0JiIPATkBAxUUFjsBMjY9ATMyFhURFAYjISImNRE0NjsCMhYUBisBIiY0NgH0AQEmCBcRCB0UDBAQDCkpDBAQDCkQGBApDBAQDCkpDBAQDBMdCBEXCAvDIRfeFyFvFyAgF/3UFyAgF8OmDBAQDKYMEBACLAEnCBEXCBwQGBAcEBcQHAsREQscEBcQHBAYEBwIFxEIRAFpOBcgIBc4IRf9LhcgIBcC0hchEBcRERcQAAAHAAAAAAN5A5sAAwATABcAJwA0AD0ASQAAExEhESUhMhYVERQGIyEiJjURNDY3FSE1JSEyFh0BFAYjISImPQE0NjcyFh0BFAYiJj0BNDY3FAYiJjQ2MhYBITIWFAYjISImNDanApr9ZgKaFyEhF/1mFyEhhgG8/kQBvBchIRf+RBchIfUMEBAYEBApFBwUFBwU/ukB9AwQEAz+DAwQEAG8/usBFTghF/7rFyEhFwEVFyFvb284IRdvFyEhF28XIW8QDG8MEBAMbwwQWhcgIC0gIP3TEBcQEBcQAAAAAwAAAAADQgOxAAcAHwA8AAATETc2Mh8BESUhMhYVERQGIyIvASYiDwEGJicmNRE0NgEyFhUUDgEHIyIuATUxNDYyFhUUHgEyPgE9ATQ23tAfTx7Q/dQCLBcgIBcUD9APKA/QEi0PDCABuAsRLEwsAy1NLREXEB4zPDMeEQN5/PipGRmpAwg3IBf8+BchDakMDKkPBRIPFAMIFyD+zxAMLUwtAS1MLgwQEAweMx4eMx4BCxAAAgAAAAADQgOxABcALwAAARQeATI+ATU0JiIGFRQOASIuATU0JiIGAyEyFhURFAYjIi8BJiIPAQYmJyY1ETQ2AU0tTVpNLREXEB4zPDMeEBcRbwIsFyAgFxQP0A8oD9ASLQ8MIAJjLU0tLU0tDBAQDB4zHh4zHgwQEAFBIBf8+BchDakMDKkPBRIPFAMIFyAABQAAAAADsQOxABQAKQBOAF0AZgAAJTI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGAzIXFhcWFxYXFhQHBgcGBwYHBiInJicmJyYnJjQ3Njc2NzY3NhciBwYHFhcWMjc2NyYnJgcyFhQGIiY0NgH0alpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZ3k1MCklHhkTDgsLDRMZHiUpMWoxKSUeGRMNCwsOExkeJSkwNWFLGBISF0rGShcSEhhLYRchIS4hIW81NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8AmMRDhoVGxUVEAgQFRUbFRoOEREOGhUbFRUQCBAVFRsVGg4ROEIVGBgVQkIVGBgVQjchLiEhLiEAAAQAAAAAA7EDsQAUADkARgBPAAABMhcWFxYUBwYHBiInJicmNDc2NzYTIgcGBwYHBgcGFBcWFxYXFhcWMjc2NzY3Njc2NCcmJyYnJicmBzIeARQOASIuATQ+ARciBhQWMjY0JgH0eWdlOzw8O2Vn8mdlOzw8O2VneTUwKSUeGRMOCwsNExkeJSkxajEpJR4ZEw0LCw4TGR4lKTA1HjMeHjM8Mx4eMx4XISEuISEDsDw7ZWfyZ2U7PDw7ZWfyZ2U7PP7rEQ4aFRsVFRAIEBUVGxUaDhERDhoVGxUVEAgQFRUbFRoOETgeMzwzHh4zPDMeNyEuISEuIQAAAwAAAAADQgOxACcATQBRAAABMhURFAcOAQcGBwYXFhcWFRQHBiInJjU0NzY3NicmJy4BJyY1ETQzBSEVFh8BFhceAhcWBwYPARQWMzI+ATUnJicmNz4CNzY/ATY3ESEVIQMKNx8UaBYkCQ4CAQgDDhqOGg4DCAECDgkkFmgUHzcCLP3UDicMMRoeIxcEBAIBBQYZHxYWDAYFAQIEBBcjHhoxDCcO/dQCLAOwN/57EwoGDgYKEhw9Iz4eBzAfOzsfMAcePiM9HBIKBg4GChMBhTfeyAMGAQcHBxovIR4rHCY0KygQJR40JhwrHiEvGgcHBwEGAwFvbwAIAAAAAAMmA4cACwAXACQAMQA+AEsAWABlAAABNTQmJyYiBw4BHQElFSE1NDY3NjIXHgEDMhYdARQGIiY9ATQ2Fx4BDwEOAS4BPwE+ARcWFA8BBiImND8BNjIBNDYzITIWFAYjISImEzYWHwEWDgEmLwEmNgc2Mh8BFhQGIi8BJjQCly8lKFUoJS8Bhf5DPTE1dzUxPd4LEBAXEBCyCgYGGwYWFAYGGwYWkAkJJwgXEAgnCBf9xhAMAfQLEBAL/gwMEGgJFwUcBgYUFgYcBQZuCBcIJwgQFwgnCQFbgiRFFRYWFUUkgoK5uTJeHR8fHV4BeBAMOAsQEAs4DBA4BhYKMAoGDBYKMAoGdQgXCCcJERcIJwj9lQwQEBgQEALeBgYKMAoWDAYKMAoWaQgIJwgXEQknCBcAAAAEAAAAAANCA40ABQAbAB8ALwAAAQUjETMFExEUBiMiJyUjIiY1ETQ2OwElNhYXFgEzJyMTESMXFgYHBisBIiYvATMRAwr+we3tAT83IBcPDf7O3hcgIBfeATIULQsH/jo1ITWaLB8EGRcFBjUUHwQupgNRtv6ytgK6/UYXIAevIBcBThcgrwsMFA39EKcBvP5EnBcmBAEZE+kBhQAJAAAAAAN5A3kAAwAkADcAOwA/AE8AUwBbAGMAABMRIREnMhYdATMyFhURFAYjISImNRE0NjsBNTQ2MhYdASE1NDYDIxUGBxc2NzUzFRQjIicXMzI1JyMVMycVIzU3IxUjFTMVIxUzNSM1MzUjJSEVISUjFRQWMjY1JSMVFBYyNjWnApqLDBBvFyEhF/1mFyEhF28QFxABThBI2QEWFh0BnwoOFAgiHzN2dhw/MB0uLjaINS0tATz9ZgKa/gw3EBcQAYU3EBcQAwr9nQJjbxAMHCAX/Z0XISEXAmMXIBwMEBAMHBwMEP6ScEcuFDVWU7kJARwaV0kxGBh+ERgVGRkVGMI4pxwMEBAMHBwMEBAMAAMAAAAAA7EDQgAMABYAIAAAARQWOwEyNjQmKwEiBgEhERQGIyEiJjUBFSE1NDYzITIWAisRC6cLERELpwsR/g0DeCAX/PYXIAN4/IggFwMKFyABaQwQEBcQEAEn/kMXICAXAiw4OBcgIAAAAAYAAAAAA7EDsQAUACkATABQAFkAYgAAJTI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGATIWFSEyFhUUDwEOASMhFSEyFhQGIyEiJj0BMTUjIiY0NjMFIRUhBRQWMjY0JiIGBRQWMjY0JiIGAfRqWlg0NTU0WFrUWlg0NTU0WFpqeWdlOzw8O2Vn8mdlOzw8O2Vn/qkXIQGdDBABNgMOCf6YAWkLEBAL/pcXIRwLEBALAcv+iQFU/pAQFxAQFxABTRAXEBAXEG81NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8ApogFxELBAWmCQs3ERcQIRc33xAXEG9v3gwQEBcREQsMEBAXEREAAAAGAAAAAAOxA7EAFAApADUAPgBHAF0AACUyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgEhMhYVFA8BDgEjIRcUFjI2NCYiBgUUFjI2NCYiBgEiJjQ2OwEyFhURITIWFAYjISImNREB9GpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWf+qQHVDBABNgMOCf5gHBAXEBAXEAFNEBcQEBcQ/nsLEBALHBchAWkLEBAL/pcXIW81NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8AmMRCwQFpgkLpgwQEBcREQsMEBAXEREBehAXECAX/uoRFxAhFwEWAAAAAAQAAAAAA6YDeQAIABEAHwA8AAAlFBYyNjQmIgYFFBYyNjQmIgYBEx4BMyEyNjcTNiYvASUhMhceAQcDDgEjISImJwMuASsBIiY0NjsBMhYXARYgLiEhLiABhSAuISEuIP5IKgEQCgHpChACPAIOCwX9kAJwCAciJwY8BS8e/hcfMAQ0ARALTQwQEAxNIDADpxchIS4gIBcXISEuICACFP6UCw4NCgFNCxMCATcBBjki/rMeJiofAcoKDhEXECogAAMAAAAAA6YDeQAIABEALgAAJRQWMjY0JiIGBRQWMjY0JiIGASEyFx4BBwMOASMhIiYnAy4BKwEiJjQ2OwEyFhcBFiAuISEuIAGFIC4hIS4g/kICcAgHIicGPAUvHv4XHzAENAEQC00MEBAMTSAwA6cXISEuICAXFyEhLiAgAksBBjki/rMeJiofAcoKDhEXECogAAAJAAAAAAPaA48AJwBPAFgAYQBuAHsAkwCcAKUAAAEnDgEHBiMmJy4BNzY3PgEXFhcWFzcmJyYnIgYHBgcUFhcWMxY3PgEHPgE3Jw4BBwYjJicuATc2Nz4BFxYXFhc3JicmJyIGBwYHFBYXFjMWEzI2NCYiBhQWEzI2NCYiBhQWEzAxFwc1IyImNDY7ASU0NjMhMhYUBiMhIiY3FTMyFhQGKwEVFAYiJj0BIyImNDY7ATU3HgEPASc3PgEHNhYfAQcnJjYDVDIWSC9RXVpOUF4BASwuoV1aTlEvMDZeW2lrvDU0AWxeW2hsXjdTijdTGTIWSC9RXVpOUF4BASwuoV1aTlEvMDZeW2lrvDU0AWxeW2hs2AwQEBcQEBwLEBAXEBA7b299DBAQDH393BALARYMEBAM/uoLEMJvDBAQDG8QFxFvCxAQC2+OCgYFRjBFBhbwChcFRjBGBgYBWhcxUBsuASwuol1aTlBeAQEsLlEcXjU0AWxeW2hsvDU0ATYgXX0gXTgXMVAbLgEsLqJdWk5QXgEBLC5RHF41NAFsXltobLw1NAECLBEXEBAXEf6vEBcRERcQAQtgYEMQGBAiDBAQFxAQC1MQFxFvCxAQC28RFxBTkgUXCngceAoGBgYGCngceAoXAAAAAAMAAAAAA3kDeQADABoATQAAExEhES8BIQcjNz4BMyEyFh8BERQGIyEiJjURBTc2MhYUDwEzMhYUBisBFTMyFhQGKwEVFAYiJj0BIyImNDY7ATUjIiY0NjsBJyY0NjIXpwKaBhz9qhw+KAcbEAJWEBsHKCEX/WYXIQGFJwgXEQgdEwwQEAwpKQwQEAwpEBgQKQwQEAwpKQwQEAwUHQgRFwgC0v3VAis4NzdQDhERDlD9nRchIRcCY90nCBEXCBwQGBAcEBcQHAsREQscEBcQHBAYEBwIFxEIAAMAAAAAA7EDeQADACMAVgAAExEhEQEVMzIWFAYjISImNDY7ATUhIiY1ETQ2MyEyFhURFAYjATc2MhYUDwEzMhYUBisBFTMyFhQGKwEVFAYiJj0BIyImNDY7ATUjIiY0NjsBJyY0NjIXbwMK/pemDBAQDP58DBAQDKb+lxcgIBcDChcgIBf+eycIFxEIHRMMEBAMKSkMEBAMKRAYECkMEBAMKSkMEBAMFB0IERcIA0H+DAH0/dVvERcQEBcRbyAXAfQXISEX/gwXIAGNJwgQFwgdEBcQHBAXERsMEBAMGxEXEBwQFxAdCBcQCAAABAAAAAADegN5ACkAMgA7AFMAAAEWFRQHBgcGIicmJyY0NzY3NjMyFwcmIyIHBgcGFBcWFxYyNzY3NjU0LwEiJjQ2MhYUBhMiJjQ2MhYUBiUuAT8BPgEfARY2NwE2Fh8BFhQHAQYiJwN1BDU0WFrUWlg0NTU0WFpqWVAZRExbTUwsLS0sTE22TUwsLQOsCxERFxAQvAsRERcQEP3tBQEEDwQOBnwFDgUBRwUPBQgFBv6hCBcJAigaGmpaWDQ1NTRYWtRaWDQ1JjIgLSxMTbZNTCwtLSxMTVsWF/wQFxERFxD+6REXEBAXERgGDgYSBQMEUwMBAwEKBAEECAYOBv6iCAkAAAAIAAAAAAN5A4gAEAAUACQAKAA4ADwATABdAAABIiY0NjsBMhYdARQGIiY9AQERMxEnMzIWFREUBisBIiY1ETQ2JREzESczMhYVERQGKwEiJjURNDYlETMRNTIWFREUBisBIiY1ETQ2MzcWBgcFJwUGLgE2NyUXJTYWAtgLEBALawsQEBYQ/ZdsbGwWHx8WbBYfHwEja2trFiAgFmsXHx8BI2sWICAWaxYgIBaABwIJ/uij/v8KFgsGCQEXngEBCRYDUBAWEBALawsQEAtQ/lP+9AEMNiAW/vQWICAWAQwWIDb+iAF4NR8W/ogWICAWAXgWHzb+HQHjNR8W/h0WICAWAeMWH80JFgffNZkGBRQVBqUzzQcCAAAABQAAAAADsQN5ABcAMwA8AEUATgAAPwEXFjMyNzY3NjQnJicmIgcGBwYVFB8BBSImJwcGLgE/AS4BNTQ3Njc2MhcWFxYUBwYHBgMUFjI2NCYiBgcUFjI2NCYiBgUUFjI2NCYiBphtFmJ3altYMzU1M1hb1FtYMzU9EwE1Q3w2jwkUCQQyIyU8O2Vn8mdlOzw8O2VnsSEuISEuId4hLiAgLiEBvSAuISEuIMkjDDkuLExNtE1MLC4uLExNWmJRGrghIC8DCRUKeS9sOmpaWDQ1NTRYWtRaWDQ1AYUXISEuISEXFyEhLiEhFxchIS4hIQAABAAAAAADsQN5ABwAJQAuADcAAAEyFxYXFhQHBgcGIyImJwcGLgE/AS4BNTQ3Njc2EyIGFBYyNjQmIyIGFBYyNjQmISIGFBYyNjQmAfR5Z2U7PDw7ZWd5Q3w2jwkUCQQyIyU8O2VneRchIS4hIfUXISEuICABpRcgIC4hIQN5NTRYWtRaWDQ1ISAvAwkVCnkvbDpqWlg0Nf6zIS4hIS4hIS4hIS4hIS4hIS4hAAIAAAAAA7EDsAAUACwAAAEyFxYXFhQHBgcGIicmJyY0NzY3NgEmIgcFDgEvASYGDwEGFh8BFjI3ATY0JwH0eWhkOz09O2Ro8WhkOz09O2RoAYMFDQX+2gUMBW8FDQQNBAEFiQgVBwE8BQQDsD07ZGjxaGQ7PT07ZGjxaGQ7Pf7mBAPfAwEDRQQCBQ8FDAWABwcBJgQNBAAAAgAAAAADsQOxABQAKQAAJTI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGAfRoWVYzNDQzVlnQWVYzNDQzVlloeWdlOzw8O2Vn8mdlOzw8O2VndjQzVlnQWVYzNDQzVlnQWVYzND48O2Vn8mdlOzw8O2Vn8mdlOzwAAAIAAAAAA7EDsQAUADEAAAEyFxYXFhQHBgcGIicmJyY0NzY3NgEmIg8BJyYiBhQfAQcGFBYyPwEXFjI2NC8BNzY0AfR5Z2U7PDw7ZWfyZ2U7PDw7ZWcBKQgXCImKCBcQCImJCBAXCIqJCBcRCYmJCQOwPDtlZ/JnZTs8PDtlZ/JnZTs8/vUICIqKCBEXCImKCBcQCImJCBAXCIqJCBcAAAADAAAAAAOxA7EAFAApADsAACUyNzY3NjQnJicmIgcGBwYUFxYXFhMyFxYXFhQHBgcGIicmJyY0NzY3NhciBh0BFBY7ATI2NCYrATU0JgH0alpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZ10LEREL+gwQEAzeEG81NFha1FpYNDU1NFha1FpYNDUDQTw7ZWfyZ2U7PDw7ZWfyZ2U7PN4QDPoLEBAXEN4MEAACAAAAAAOxA7EAFAAmAAABMhcWFxYUBwYHBiInJicmNDc2NzYXIgYdARQWOwEyNjQmKwE1NCYB9HlnZTs8PDtlZ/JnZTs8PDtlZ10LEREL+gwQEAzeEAOwPDtlZ/JnZTs8PDtlZ/JnZTs83hAM+gsQEBcQ3gwQAAADAAAAAAOxA7EAGwAwAEUAAAE3NjIWFA8BFxYUBiIvAQcGIiY0PwEnJjQ2MhcTMjc2NzY0JyYnJiIHBgcGFBcWFxYXIicmJyY0NzY3NjIXFhcWFAcGBwYB9IkIFxEJiYkJERcIiYoIFxAIiYkIEBcIimpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWcCG4oIERcIiYoIFxAIiYkIEBcIiokIFxEI/co1NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8AAABAAAAAAO0AsgAPgAAEyY+ARcWFxYXFjc2NzYeAQcGBxcWDgEvARcGBxcWBiYvAQYHMRcUBiY1NyYvAQcOASY/AiYnBw4BLgE/ASZVDAsfDSo7OD2PkoZ6DiALDh8fNQkTIQg7Bzc4KwcYIgcqQD8BHx4BPjwDLgciGAcuAjcvRwgWFQgHShwCjw0hCw4tJSMVMikmbQwLIAwbGGoQHQIQcwwjF3ERFgUSbRIDhBIPDxKEBBQBeBEFFRJ4BBgfXgoHDRoJYxYAAAkAAAAAA7EDeQADABMAFwAnACsAOwA/AE8AZQAAARUzNSczMhYdARQGKwEiJj0BNDYBFTM1JzMyFh0BFAYrASImPQE0NgUVMzUnMzIWHQEUBisBIiY9ATQ2BRUzNSczMhYdARQGKwEiJj0BNDYhPgI3NTMVHgIXIy4BJxUjNQ4BBwG8cHBwFyAgF3AXICD+ym9vbxchIRdvFyAgAWRwcHAXICAXcBcgIAFlb29vFyAgF28XISH9qRZdgEk4SYBdFjsgilc4V4ogA0FvbzghF28XICAXbxch/Z1vbzcgF28XISEXbxcgN29vNyAXbxchIRdvFyA3b283IBdvFyEhF28XIERtQwWMjAVDbURQagjCwghqUAAAAAABAAAAAAOxA3kAVQAAARUeAhczMhYdARQGKwEiJj0BNDY7AS4BJxUzMhYdARQGKwEiJj0BNDY7ATUOAQczMhYdARQGKwEiJj0BNDY7AT4CNzUjIiY9ATQ2OwEyFh0BFAYjAhBJgF0WLRcgIBdvFyEhFwcgilccFyAgF3AXICAXHFeKIAcXISEXbxcgIBctFl2ASRwXICAXcBcgIBcCm1UFQ21EIBdvFyEhF28XIFBqCMIgF28XISEXbxcgwghqUCAXbxchIRdvFyBEbUMFVSAXbxchIRdvFyAAAAAABQAAAAADQgN5AA8AHAAoADQAQAAAEyEyFhURFAYjISImNRE0NiEyFhURFAYiJjURNDYFIgYUFjMhMjY0JiMFIgYUFjMhMjY0JiMFIgYUFjsBMjY0JiPeAb0XICAX/kMXICACXwsQEBcQEP4YDBAQDAEVDBAQDP7rDBAQDAEVDBAQDP7rDBAQDKYMEBAMA3khF/1mFyEhFwKaFyEQDP0uDBAQDALSDBCnEBcQEBcQbxAXEBAXEG8QFxERFxAAAAAABAAAAAADsQOxABQAKQBBAEgAAAEyFxYXFhQHBgcGIicmJyY0NzY3NhciBwYHBhQXFhcWMjc2NzY0JyYnJhcyFhURFAYjIQcGBwYmLwEjIiY1ETQ2MwUhETMXNyEB9HlnZTs8PDtlZ/JnZTs8PDtlZ3lqWlg0NTU0WFrUWlg0NTU0WFpxDRISDf7dIAUJCxkGIBsNEhINAZ3+fCQaGgEsA7A8O2Vn8mdlOzw8O2Vn8mdlOzw3NTRYWtRaWDQ1NTRYWtRaWDQ1pxIN/rUNEj8IBQYICz8SDQFLDRI3/uUyMgADAAAAAAOxA7EAFAAsADMAAAEyFxYXFhQHBgcGIicmJyY0NzY3NgUhIgYVERQWOwEXHgE3Nj8BITI2NRE0JgcRIQcnIxEB9HlnZTs8PDtlZ/JnZTs8PDtlZwFU/koNEhINGyAGGQsJBSABIw0SEib+1BoaJAOwPDtlZ/JnZTs8PDtlZ/JnZTs83hIN/rUNEj8LCAYFCD8SDQFLDRI3/uUyMgEbAAQAAAAAA7EDeQAGAB4AKgA2AAAlNyERIREhFwYHBiYvASEiJjURNDYzITIWFREUBiMhASEyFhQGIyEiJjQ2FyEyFhQGIyEiJjQ2AfRRATT89gE0fwYJEy0NQf7qFyAgFwMKFyAgF/7q/s8BhAwQEAz+fAwQEAwBhAwQEAz+fAwQENN6AfT+DJkJBg0JE2IgFwH0FyEhF/4MFyABvBAXEBAXEKYRFxAQFxEAAAADAAAAAAOxA3kAFwAjAC8AAAEHBgcGJi8BISImNRE0NjMhMhYVERQGIwEiBhQWMyEyNjQmIwUiBhQWMyEyNjQmIwJjQQYJEy0NQf7qFyAgFwMKFyAgF/25DBAQDAGEDBAQDP58DBAQDAGEDBAQDAEWYgkGDQkTYiAXAfQXISEX/gwXIAG8EBcQEBcQphEXEBAXEQAABgAAAAADQgOxABEAMgA2ADoARgBSAAABMhYVERQGIyEiJjURNDYzESEDNzYfARYPARYGDwEGJyIvASY1JzQ/AT4BHwEWNj8BNjIBFSM1IRUjNSMiBhQWOwEyNjQmIyczMhYUBisBIiY0NgMKFyAgFv3TFyAgFwIsQwECAgYBAgEDAQT1BwkFBG8DAQMKAwoEVwMKBOQECP7CpwIsp8IMEBAMpgwQEAympiMxMSOmIzExA3khF/0uFyAgFwLSFyH89gHyAgEBBgIBAgMJBPUHAQRtAwUBBQQNBAECOgMBA7kDARY4ODg4EBcRERcQNzBFMTFFMAAAAAAEAAAAAAN5A7EAEAAfACwAOQAAATIWFxYVFAYjISImNTQ3PgEXIg4BFRQWMyEyNjU0LgEnMj4BNC4BIg4BFB4BFyIuATQ+ATIeARQOAQH0b7ExNEQ2/eo3QzQysW5fmFYiIAIWICJVmGAtTS0tTVpNLS1NLTxmPDxmeGY8PGYBoTYxNEQuPDwuQzQxNzgrTS8XGxwWMEwrwyxNWk0tLU1aTSw4PGZ5Zjs7ZnlmPAAAAAkAAAAAA7EDQgABAAMABQAHAD8ASwBXAGUAcwAAEzUdASUVPQEdASIGFBYzFRQGIyEiJj0BMjY0JiM1NDYzITIWHQEjNSEVIzUVMhYUBiMVNTMVITUzFTUiJjQ2MyUhMhYUBiMhIiY0NhchMhYUBiMhIiY0NiUyHgEUDgEjNTI2NCYjJRUiBhQWMxUiLgE0PgE4A3gXICAXIBf89hcgFyAgFyAXAwoXIDf89jcXICAXNwMKNxcgIBf9uQEWCxERC/7qCxERCwEWCxERC/7qCxER/toeMx4eMx4XICAXA3gXICAXHjMeHjMCOQ6YDg4OmA4ODSEuId4XICAX3iEuId4XICAX3t7eDQ0hLiENDd7eDQ0hLiE3EBcQEBcQpxAXEBAXEKceMzwzHjchLiE3NyEuITceMzwzHgAAAAADAAAAAAOxA0IAHwArADcAABM1NDYzITIWHQEiDgEUHgEzFRQGIyEiJj0BMj4BNC4BISIGFBYzITI2NCYjBSIGFBYzITI2NCYjOCAXAwoXIB4zHh4zHiAX/PYXIB4zHh4zARMLERELARYLEREL/uoLERELARYLERELAmOnFyAgF6ceMzwzHqcXICAXpx4zPDMeEBcQEBcQpxAXEBAXEAAABAAAAAADsQNCAA8AEwAXACMAAAEyFhURFAYjISImNRE0NjMFIREhESEVIQEzMjY0JisBIgYUFgN5FyAgF/z2FyAgFwMK/PYDCvz2Awr+zqcLEBALpwsREQNBIBf91BcgIBcCLBcgpv5DAiw4/nsQFxAQFxAAAAAAAQAAAAADPAM6ABsAAAETFhQGIiclBwYiJjQ3EycmNDYyHwElNjIWFAcCMP8NGSIM/wD/DCMYDP//DBgjDP8BAAwiGQ0B8/8ADCIZDf//DRkiDAEA/wwjGAz//wwYIwwABgAAAAADsQNCAA8AEwAXACQAMAA8AAABMhYVERQGIyEiJjURNDYzBSERIREhFSEBFjI/ATY0JiIPAQYUFzc2NCYiDwEGFBYyPwE2NCYiDwEGFBYyA3kXICAX/PYXICAXAwr89gMK/PYDCv5cCBcIJwgQFwgnCZ8nCBAXCCcIEBd3JwgQFwgnCBAXA0EgF/3UFyAgFwIsFyCm/kMCLDj+XAgIJwkXEAgoCBcIJwkXEAgoCBcQCCcJFxAIKAgXEAAADAAAAAADeQN5AAUAFgAfACgAMQA5AEMAWQBmAHMAgACMAAATMDEjNTM3IyIUMzEVFDsBMj0BMzA0IwcwPQEwIh0BFCMwPQEwIh0BFDMyJzUyIhcVFCczMDQrASIUARQGIyEiJjURITchIgYUFjsBERQWMyEyNjURMzI2NCYDMjY1ETQmIgYVERQWITI2NRE0JiIGFREUFjMyNjURNCYiBhURFBYDITI2NCYjISIGFBaNCgoCDQEBAQoBAQEDAQQBAwEBAQIBAwcBBgEChgIB/doBAgIsU/0uDBAQDBwiGAImGCIcDBAQ6gsRERcQEP72DBAQFxERlgwQEBcREbcBhAwQEAz+fAwQEAI1CgEBCgEBCgEJAQUBBAEBBQEEAQEFAQQBCgEB/mgBAQEBAik4ERcQ/dcYIiIYAikQFxH+DBAMARUMEBAM/usMEBAMARUMEBAM/usMEBAMARUMEBAM/usMEAIrERcQEBcRAAsAAAAAA3kDegAFABYAHwAoADEAOQBPAFwAaQB2AIIAABMwMSM1MzcjIhQzMRUUOwEyPQEzMDQjBzA9ATAiHQEUIzA9ATAiHQEUMzInNTIiFxUUJzMwNCsBIhQlMhYUBisBERQGIyEiJjURIyImNDYzBSIGFREUFjI2NRE0JiEiBhURFBYyNjURNCYzIgYVERQWMjY1ETQmJyEyNjQmIyEiBhQWjQoKAg0BAQEKAQEBAwEEAQMBAQECAQMHAQYBAtkMEBAMHCIY/doYIhwMEBAMAfQMEBAXERH+3wsRERcQEH8MEBAXERHOAYUMEBAM/nsLEBACNQoBAQoBAQoBCQEFAQQBAQUBBAEBBQEEAQoBAckQFxH91xgiIhgCKREXEKcQDP7rDBAQDAEVDBAQDP7rDBAQDAEVDBAQDP7rDBAQDAEVDBDeERcQEBcRAAAAAAQAAAAAA3kDJgAUACAALAA4AAABNzYyFhQPAQYHBiYnJjcRNDYyFhUFITIWFAYjISImNDYXITIWFAYjISImNDYXITIWFAYjISImNDYC70IMIxgMhQoOChYHEAQYIxj9qgFqERgYEf6WERgYEQFqERgYEf6WERgYEQFqERgYEf6WERgYAVFCDBgjDIUMAwMGCA8VAgkRGRkRDBkiGBgiGd4ZIhkZIhnfGCIZGSIYAAAABgAAAAADQgOxAAIACwAdACkANQBBAAAlNTMFESERIyIGHQETISIGFREUFjMhMj8BNjURNCYHISIGFBYzITI2NCYHISIGFBYzITI2NCYHIyIGFBY7ATI2NCYCY5D96wIspxcg3v3UFyAgFwFuFxC+ECCi/uoLERELARYLEREL/uoLERELARYLERF6pwsREQunCxERhpCnAwr91CAXpwNBIBf89hcgEL0RFwJMFyCmERcQEBcRbxEXEBAXEW8RFxAQFxEAAAUAAAAAA0IDsQADAAcACwAvADsAAAERIREXMzUjBSEVIRMyFhURFAYrARUzMhYdARQGIyEiJj0BNDY7ATUjIiY1ETQ2MwEiJjQ2OwEyFhQGIwMK/dSn3t4BTf5EAbw4FyAgF283FyEhF/5EFyEhFzdvFyAgFwFpCxAQCzgLERELAbwBvf5DbzhvpwNBIBf+QxcgOCAXpxcgIBenFyA4IBcBvRcg/PcQFxAQFxAAAAAAAwAAAAADsgNCAAQAGAAkAAATCQEnIQcuAT8BPgEzITIWHwEWBgcBBiInAyEyFhQGIyEiJjQ2dAGAAYB6/fSsCQIHhQYVCwIWCxUGhQcCCf5wDSoNoAGEDBAQDP58DBAQAlL+WQGnuNMKGQvJCQoKCckLGQr+Rw8PAh0RFxAQFxEAAAAAAgAAAAADsgNCABMAHwAAATIWHwEWBgcBBiInAS4BPwE+ATMFISIGFBYzITI2NCYC/wsVBoUHAgn+cA0qDf5wCQIHhQYVCwHN/nwMEBAMAYQMEBADQQoJyQsZCv5HDw8BuQoZC8kJCqYRFxAQFxEAAAcAAAAAA7sDuwA7AF8AbABwAH0AigCXAAAlNxcWNj8BFxY2LwE3PgEvATc2Ji8BNzYmDwEnLgEPAScmBg8BJyYGHwEHDgEfAQcGFh8BBwYWPwEXHgEXBiYnBiY3LgE3JjY3JjYXPgEXNhYXNhYHHgEHFgYHFgYnDgETMhcWFAcGIicmNDc2JzMDIwMyFxYUBwYiJyY0NzYFIgcGFBcWMjc2NCcmJyIHBhQXFjI3NjQnJgHWHh4uOBkQJDYpAgIgMA8dExMdDzEfAgIpNiQQGTguHh4uOBkQJDYpAgIgMA8dExMdDzEfAgIpNiQQGThMQ2ckT0wERhwrKxxGBExPJGdDQ2ckT0wERhwrKxxGBExPJGctJRQSEhRKFBISFAclsiQHJRMSEhRJFBISEwEKEQgGBggiCAYHB/URCAYGCCEIBgYHhhMTHQ8wIAICKTYkEBk4Lh4eLjgZECQ2KQICHzEPHRMTHQ8wIAICKTYkEBk4Lh4eLjgZECQ2KQICHzEPESscRgRMTyRnQ0NnJE9MBEYcKyscRgRMTyRnQ0NnJE9MBEYcAc4aF0sYGhoYTBYalv62AUQbF0oYGhoXTBYbrxENMw4REg8vDxGQEQ4yDhESDy8OEgAAAAABAAAAAAM7A7EAGgAAATIWFRE3PgEfARYUBwEGIicBJjQ2Mh8BETQ2AfQRGdQMIwwBDAz+7hEvEf7uDBkjDdMZA7AZEv0+0wwBDAEMJAz+7hERARIMJBgM0wLCEhkAAAAEAAAAAAOxA0IADwATABcANQAAATIWFREUBiMhIiY1ETQ2MwUhESERIRUhATMyNjQmKwE1MzI2NCYrATUzMjY0JisBIgYdARQWA3kXICAX/PYXICAXAwr89gMK/PYDCv4opgwQEAyLiwwQEAyLiwwQEAymDBAQA0EgF/3UFyAgFwIsFyCm/kMCLDj+YBAXEDgQFxA4EBcQEAvfCxAAAAAABQAAAAADeQN5AAMADQAZACMAKAAAAScHFzcHJzc2Mh8BFhQBITIWFAYjISImNDYBFwEHBiYnJj8BFwc3AScC6E8nT2JinmMIFwh2CP1gAtIMEBAM/S4MEBABfZ3+xpwLEwICAh8zFGIBCE8C508nTxRjnmIICHYIF/3LERcQEBcRAkCd/sYfAw0LBgWcG2MUAQdPAAMAAAAAA3kCSAAIABEAGgAAEzIWFAYiJjQ2ITIWFAYiJjQ2ITIWFAYiJjQ2tRwpKTkpKQFcHSgoOigoAVwdKSk5KSkCRyg6KSk6KCg6KSk6KCg6KSk6KAAEAAAAAAN5A3kAEQAjADQARQAAEzIWHQEzMhYUBisBIiY9ATQ2ITIWHQEUBisBIiY0NjsBNTQ2ATIWFAYrARUUBiImPQE0NjMhMhYdARQGIiY9ASMiJjQ2M5kRGJkRGRkRtBchGALIERkhF7QSGBgSmBn+HREZGRGZGCMYIRcCmhchGSIZmBIYGBIBhRgSmBkiGSEXtBIYGBK0FyEZIhmYEhgB9BgjGJkRGRkRtBchIRe0ERkZEZkYIxgAAAMAAAAAA7EDQgADABMAHwAAExEhESUhMhYVERQGIyEiJjURNDYHNwEWMjcBFwEGIidvAwr89gMKFyAgF/z2FyAgFiMBfwcUBwF9I/6DFzoXAwr91AIsNyAX/dQXICAXAiwXIE0r/s8GBgExK/7PExIAAAAAAgAAAAADlQN2ABcALwAAASEiBhQWMyEHBhQWMj8BNjQvASYiBhQXASEyFhQGIyEXFhQGIi8BJjQ/ATYyFhQHAzr99wsREQsCBVUJERcIgwkJhQkXEAj90AIIDBAQDP37VggQFwiDCgqFCBcQCAEvERcQVQgXEQiDChwJhQkRFwgBYRAXEFYIFxAIgwkcCoUIEBcIAAgAAAAAA3kDeQADABMAHwAsADgARABRAF0AABMRIRElITIWFREUBiMhIiY1ETQ2BTMyFhQGKwEiJjQ2MzIWHQEUBiImPQE0NgcGIiY0PwE2MhYUBwEjIiY0NjsBMhYUBiMiJj0BNDYyFh0BFAY3NjIWFA8BBiImNDenApr9ZgKaFyEhF/1mFyEhAbenDBAQDKcLEBCyDBAQGBAQhwgXEAimCBgQCP6fpwwQEAynCxAQsgwQEBgQEIcIFxAIpggYEAgDQf1mApo4IRf9ZhchIRcCmhchbxAYEBAYEBAMpwsQEAunDBDWCBAXCKcIEBgI/gQQGBAQGBAQDKcLEBALpwwQ1ggQFwinCBAYCAADAAAAAAN5A3kAFwAvAD8AAAEUBiImPQEHBiImND8BIyImNDY7ATIWFQEHMzIWFAYrASImPQE0NjIWHQE3NjIWFAEhIgYVERQWMyEyNjURNCYDChEWEX8IFxEJf2QLEBALpwsR/rJ/ZAsQEAunCxERFhF/CBcRAXz9ZhchIRcCmhchIQJHCxAQC2R/CREXCH8RFhERC/6nfxEWERELpwsQEAtkfwkRFwHcIRf9ZhchIRcCmhchAAAABAAAAAADsQMmACMARgBTAGAAAAEmJyYiBwYHBgcGBzQfARYXFhcWFxYyNzY3Njc2PwE2FSYnJiUyFxYXFhcWFxYVFAcGBwYHBiInJicmJyY1NDc2NzY3Njc2FyIOARQeATI+ATQuAQcyHgEUDgEiLgE0PgEDFT5IS6BLSD4nIBwBAgIHDSIzQkZJjklHQTMiDQcCAgIcH/64T0pBOjMpIxYTIiY4Q0pYrlhKQzgmIhMWIykzOkFKTy1NLS1NWk0tLU0tHjMeHjM8Mx4eMwJ5OB4fHx44JCwnDgIEAw8TMC04Hx8fHzgtMBMPAwQBDicr0RsXKiQuKCcjEhcwNjE6IigoIjoxNjAXEiMnKC4kKhcbiy1NWk0tLU1aTS04HjM8Mx4eMzwzHgADAAAAAAOxA0IAJAAxADoAAAEiBwYHBgcGBwYUFxYXFhcWFxYyNzY3Njc2NzY0JyYnJicmJyYDIi4BND4BMh4BFA4BJyIGFBYyNjQmAfRUTUI7MCgfFhERFR8oLztCTqpOQjsvKB8VEREWHygwO0JNVC1NLS1NWk0tLU0tIzAwRjAwA0EeGi8mMyUnHw0eJyYyJi8aHx8aLyYyJiceDR8nJTMmLxoe/igtTVpNLCxNWk0t+jFFMTFFMQAAAAIAAAAAAiwDeQAPABgAAAE0NjsBMhYVAxQGKwEiJjUXIiY0NjIWFAYBvAgHUgYJDAkGOgYJLBchIS4hIQNqBgkJBv3yBgkJBrUgLiEhLiAABAAAAAADQgOxABcAIwBDAE8AAAEyFhURFAYjISImNRE0NjsBFSMRIREjNSMiBhQWOwEyNjQmIwMXFhQGIi8BBwYiLwEmND8BJyY0NjIfATc2Mh8BFhQHAzMyFhQGKwEiJjQ2AwoXICAX/dQXICAXp6cCLKfCDBAQDKYMEBAMKj4IERgIPj4JFwgBCQk+PggRGAg+PgkXCAEJCbqmIzExI6YjMTEDeSEX/S4XICAXAtIXITj9LgLSOBAXEREXEP57PggYEQg+PgkJAQgXCT4+CBgRCD4+CQkBCBcJAX4wRTExRTAAAgAAAAADTgN5AAUAFQAAARMhExEXCwEmNTQ2MyEyFx4BBwMRJwIQ+v3U+jhv/AgaEgJWDgsPBwv8pgHXAWr+lv7kIQEsAW0MDRMaCAolD/6T/nJkAAAAAAIAAAAAA5UDzwAyAGsAAAE0JyYnBgcGLgE3NicmLwEGBwYPAQYHDgEVFBcWFyY3Njc2Nz4BHgEHBgcGFxYXHgEHNgM+ARYXFhcWFRQFByMiJjc+AScmJwYHBgcGFxYOASsBJyYnJjU0Njc2PwE2Nz4BNz4BFxYXFhcWFwNdRBYZHBoKFw0CKY0jKwILKCRVAz4eIhw5N2dAFRFIHCISGBcHBwECDA8SNSoOGumPBxgUDx0YUP7HCxcREAorBiVcBA0MOw4XbQcBDwwNCZhVWCInI0QCOh4hHwQBFg0RGDAoggEBZWBdHRokFAgFEwyvbRsUAUs3MkICMCMmVT5ZSEYwaGNQQxoWCwwLGAwBBiEnLTIraT1wAb0KBBAPHCJscsKFAh4NQGEmWFMKDDc/aXoJFg8BM1tfe0hlLSk1Ai0gJEw3DQ8EBQwWH2WWAAAAAAEAAAAAA3kDsQBFAAABFhcWFxYXFhcWFxYXFhcWBzc2NzY3FxYXFhcWFxYVFAUjNicmJyYnJjc2PwEHBgcGBwYHBhcjJicmNTQ3Njc2NzY3Njc2AbwHBhARFxYbFxoUFw0PAgMLCQwNEQ4QEhIZExgND/7YF2JaJRUSBwUCAgUFFhsYIRccCRp2DYhQWhkUKRg4NBgnFRoDsAICBggMDhEUGBsfIyYrLzMIDA4TFw4SFR0fJygvL7B9jlwkIh4cFxUQDAoNEBQdICgrd4QtT1p3SzowKRksKBgnKzQAAAAAAgAAAAADYQNFABgAPQAAAS4BLwEuAScmBwM2FxYXFh8BHgEXFjcTJgUHDgEuAT8BMRM+ATc2FxYXFhcWFxYXFjcDBicmJyYnJicmJyYCuhwxHBsgKxo7QElGPiAbGR8THysbLBlJKP4ZRQMYGg0EPmIFIRVKRSYjFSMgERscS0tpLlwpJBUjHxAbHT8CcAcaFRUZGAcQA/7tAxAIDw4ZDxsYBgoFAQ8Buf0NDQcXDeMBbhQbAQMSCxUNGxkKEQgTE/54IRYJFg0eGQoSBxAAAAcAAAAAA28DlgAnAFEAZABtAHYAlwCgAAABHgIfATc+Ajc2NQYHBicmLwEmJyYvASYyBwYHBgcGBwYnLgEnBhMVIzUnLgInJjc2FxYXFhcWNzY3NjcyFxYfARY3Njc2NzYXFgcOAg8CLgEHIgcGDwEnBjc2NzYzNhYXMhYUBiImNDYnMhYUBiImNDYlMhcWFxYnFhUUBiMiLwEmJyYjJgYHMQ4BIiY1NDcxPgEFMhYUBiImNDYBIgMpQSY6SCdCKQIIHxIbFxgQEwwKFRAHBQEGDAgZEw0aGB0LFRYB+zgnNFc4BBQOBxcOIR4MFAcVHiceGykWJQcIFQ0dJg4YAgQLBDdZNZY1GzweEBYIBwgrHiEQCCYmNVRzDBAQFxERXwsQEBcQEAF2JSYIDxcQBRAMDggIBwgWEB48HAIPFRACIlT95wsQEBcQEAIyJj8nAgMEAihBJ3Y+EQUIBQcWGxENGw8GBAcMCiAoGwoIBwMKCzz+vvr5AwM0VTTOJhIFAxEQAwUNLSYyAS0aNAsLBgQQEwIDHjetNVk2A+ISUE4BFgcJCyQkJxUHJQJhYxAXEBAXEBAQFxERFxCyJQcTGxIHCAsRDAoJBxYBTlAJCxAMBQVjYT0QGBAQGBAAAwAAAAADeQN6AA8AEwAnAAABMhYVERQGIyEiJjURNDYzBSERIQMyFhQGKwERFAYiJjURIyImNDYzA0EXISEX/WYXISEXApr9ZgKaiwwQEAymERcQpwsQEAsDeSEX/WYXISEXApoXITj9ZgIrEBcQ/pcMEBAMAWkQFxAAAAIAAAAAA3kDegAPACYAAAEyFhURFAYjISImNRE0NjMFISIGFBYXOwERFBYyNj8BETMyNjQmJwNBFyEhF/1mFyEhFwIP/nsLEA0JBacQFg8CAaYMEA0KA3khF/1mFyEhFwKaFyGnEBYPAv6XDBANCgUBaRAWDwIAAAgAAAAAA7EDsQAUACkAQgBjAGoAcQB4AH8AAAEyFxYXFhQHBgcGIicmJyY0NzY3NhciBwYHBhQXFhcWMjc2NzY0JyYnJgcyFh0BMzIWHQEUBisBIiY9ATQ2OwE1NDYFMhYdARQGKwEiJjQ2OwE1NCYrASIGHQEUBiImPQE0NjMFIxUUFjsBNyMVMzI2NScjIgYdATM3IxUzNTQmAfR5Z2U7PDw7ZWfyZ2U7PDw7ZWd5alpYNDU1NFha1FpYNDU1NFha1AoPPB4qKh6hHioqHjMOATcbJw8KLQoPDwoUCgYxBgoPFA8nG/7sRAoHM39NPAcKfzMHCkRuPE0KA7A8O2Vn8mdlOzw8O2Vn8mdlOzw3NTRYWtRaWDQ1NTRYWtRaWDQ1sg8KPCgdpx0oKB2nHSg8Cg9VKB1QCg8PFA83CAsLCLYLDg4Lth0orj4FCUxMCQW1CQU3RUU3BQkAAAgAAAAAA3cDeQARACQAPgBHAFAAWQBmAHMAAAEVDgIVNRUUBiImPQE0Nz4BNzEyFhQGIyIGFBYzFSIuATQ+AQEyFxYXFhUjNCcmJyYrAQ4BBwYVIzQ3Njc2JzIWFAYiJjQ2AzIWFAYiJjQ2ITIWFAYiJjQ2ATI+ATQuASIOARQeARciLgE0PgEyHgEUDgEBPDleNhAXECIid0cLEBALIzExIyZAJSVAARVbTUwsLjgmJT9ATARLfSQmNy0tS06VCxAQFxAQNgsQEBcQEAJvCxERFxAQ/twlQCYmQEtAJSVAJjVZNTVZalk0NFkCRjgHQmY7AQILEBALAUpBPlHmEBcQMUUxNyVAS0Al/u0uLEtOWktBPyQmAUs/QEpaTkssLjUQFxAQFxD+mRAXEBAXEBAXEBAXEAFNJUBLQCUlQEtAJTg0WmlaNDRaaVo0AAAAAAIAAAAAA7EDeQAjAD4AAAEyHgEVFAYHMR4BFxYVOQEUBiMhIiY9ATY3PgE3MS4BNTQ+AQcyFwYVFBYXDgEHIyImPQE+AjcxLgE1ND4BAmU0WjQ+MkdyICAQC/2cCxABISFxRzI9NFqqDg0pKSRbdQhnCg0BN187KjMsSgN5NFo1OV8YEl5CREwMEBAMBUtEQVwSGF45NVo0QQI5RzBYHyijZQ4JBT9uTQ8UTjAsSysABwAAAAADsgN5ABMAFgAZABwAIAAkACgAAAEyFh8BFgYHAQ4BJwEuAT8BPgEzASETASMDASMBAyMHMzcjByE3IxczAzIIDwNjAwMF/l4IFwj+XgUDA2EDDwgBvv73iQFjp33+/JwBIEiiTLX8iTkBB623Rr4DeQoI+QcPBv4oCQEHAdsGDwf5CAr+zv6sAVT+tgFK/rkCQcLCwsLCAAAAAAYAAAAAA6kDeQACAAUACAANABEAFwAAAQsBIQETIRMJAQcjNzMhFyE3ITIxFyMnAneEjQI7/qJt/n10/qcBMknwYQEBe1X++EkBkAFj+lYCR/4mAdr+dQGL/nkBhwEy+vr6+vr6AAAABQAAAAADsQNCAAMAEwA5AEQATwAAExEhESUhMhYVERQGIyEiJjURNDYBFx4BDgEvAREjEQcGLgE2PwEuAjY3NjMyFzUzFTYzMhceAQ4BJyYiBhQXHgEXLgE3DgEHPgE3NjQmIm8DCvz2AwoXICAX/PYXICAB8EcLBwoWC2Y4ZgsWCgcLSDQpDg4UHiseGTgZHisfFA4OKbgPKBwOBzEgAwtcBQsDIDEHDh0oAwr91AIsNyAX/dQXICAXAiwXIP6QIwYVFQcFM/74AQgzBQcVFQYkCic0NRQfEHt7EB8UNTQnfQ4cJg0GDQMgMQYGMSADDQYNJhwAAAAEAAAAAAOxA0IAJQA1AEAASwAAAT4CJicmIyIHNSMVJiMiBw4BHgEXBw4BHgE/AREzERcWPgEmJwEhMhYVERQGIyEiJjURNDYFNjIWFAcOAQc+ASceARcuAScmNDYyAkg0KQ4OFB8rHhk4GR4rHhQODik0SAsHChYLZjhmCxYKBwv94AMKFyAgF/z2FyAgAc0OKB0OBzEgAwtcBQsDIDEHDhwoAdELJzQ1FB8QsrIQHxQ1NCcKJAYVFQcFM/74AQgzBQcVFQYBkyAX/dQXICAXAiwXIOgOHCYNBg0DIDEGBjEgAw0GDSYcAAAAAAgAAAAAA3kDeQAlACkALQAxADUAOQBAAEcAADciJjURIiY9ATQ2OwE+ATMyFhc+ATMyFhczMhYdARQGKwERFAYjAyMRMwMjETMBIxEzASMVMyUjFTMDIgYHMy4BIyIGBzMuAd4XIBchIRdWCkwyITsTEzshMkwKVhchIBcBIBbfcHCnp6cBhaen/nve3gG83t7eGysInQkr+RsrCZ0IK28hFwFNIRemFyEwPx4aGh4/MCAXpxch/rMXIQJj/dUBTf6zAU3+swIrpqamARUfGBgfHxgYHwAAAAQAAAAAA3kDeQAFACoAMAA0AAABLgEiBgcjPgEzMhYXPgEzMhYXMzIWHQEUBiMRFAYjISImNREiJj0BNDYzITMuASIGBxEzEQHTCCs2Kwk5CkwyITsTEzshMkwKVhchIRcgF/3UFyAXISEXAW6dCSs2K2FwAwoYHx8YMD8eGhoePzAhF6YXIf6zFyEhFwFNIRemFyEYHx8Y/WUCmwAAAAADAAAAAAOxA7EAMgBHAFwAAAEnJjQ2Mh8BNzYyFhQPATMyFhQGKwEVMzIWFAYrARUUBiImPQEjIiY0NjsBNSMiJjQ2MxMyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgG8UAgQFwhiYggXEAhQUQsREQtvbwsREQtvEBgQbwsREQtvbwsREQuLalpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZwJHUAgXEQhiYggRFwhQEBcQVBAXEG8MEBAMbxAXEFQQFxD+KDU0WFrUWlg0NTU0WFrUWlg0NTc8O2Vn8mdlOzw8O2Vn8mdlOzwAAAACAAAAAAOxA7EAFABHAAAlIicmJyY0NzY3NjIXFhcWFAcGBwYDIyIGFBY7ARUjIgYUFjsBFRQWMjY9ATMyNjQmKwE1MzI2NCYrATc2NCYiDwEnJiIGFBcB9HlnZTs8PDtlZ/JnZTs8PDtlZ7FTCxERC29vCxERC28QGBBvCxERC29vCxERC1FQCBAXCGJiCBcQCDg8O2Vn8mdlOzw8O2Vn8mdlOzwCDxAXEFQQFxBvDBAQDG8QFxBUEBcQUAgXEQhiYggRFwgAAAMAAAAAA3kDegAoAEMARwAAATY3Njc2NzY3Njc2MhceAQ8BBhY7ATEzMhYVFAcDDgEjISImNRE0NjMXESEyNjcSNCYrATEjIicmJyY3NjcuAQ8BBgcDMxEjAU0aCx8WEAkHEwIHIXkkCAgELAEDAoURJzcDLwczIf27FyEhF6YBnwoRAjgSDTZlIhQNAgIGGREBUg0XKHS2b28CYwkHEh8XFxNFCA84OA8mGJkDBDYmCBD+1h8oIRcBhRcgPf6BDQoBKxoSFxARDhZXQC0MM1FsJf57AYUAAAIAAAAAA3kDegAhACsAACURNjc2NzY3Njc2NzYyFx4BDwEGFjsBMTMyFhUUBwMOASMhIyImNRE0NjsBAU0aCx8WEAkHEwIHIXkkCAgELAEDAoURJzcDLwczIf4qbxchIRdvbwH0CQcSHxcXE0UIDzg4DyYYmQMENiYIEP7WHyghFwGFFyAAAAAJAAAAAAN5A7EAAQAEABcAKgBaAH4AhwCQAKEAACUjMyIjEycuASMhIgYHAxQWMyE1IRMhFzcnLgEjISIGBwMUFjMhNSETIR8BMh4BHQEUBwYHNzA3BzAVBwYHBg8BBjcGIicjMRYvASYnJicmJzUmPQE0PgEyFzYXIg8BJyYiBh0BNRQfARYXFhcWHwE3Njc2PwI2PQEUPQE0JgUyFhQGIiY0NhMyFhQGIiY0NgMyHgEVIzQuASIOARUjND4BAs8EBAICIwsBIBb+URYgAR8gFwEW/uofAa8KOAsBIBb+URYgAR8gFwEW/uofAa8KVh4yHQcCBwIBAQoSIBUYEQoFDBwLAQULEBgVIRIJBQgdMj0aGx8WDxUUECwfBAEDBg8cExcMDBcTHA4GBgMf/tIMEBAYEBDqDBAQFxER7y9PLjcgNT82HzgvT6cBTeIWHh4W/ggXIDcB9OED4hYeHhb+CBcgNwH04VAfNB8FEBIICwMBAQEQHCAUFA0IBAkJBAgNFBQhHA4NARQSBR80HxISOBEXFxEiGAcBBwoBCAkXHBITCgoTEhsXCQ0IBgEBBAIYIosQFxAQFxABMhAYEBAYEAGgLk8uHzYfHzYfLk8uAAMAAAAAA3YDeQAfACYAVAAAATIWHQEUBwYPAQYHBg8BBiIvASYnJic1Jj0BNDYyFzYBIgYHMy4BEzkDFRYXFhchIiY1Ez4BOwE+ATczMh4BFzMyFhcTBgcmIyIOAR0BFBc5ARUDJCIvBQICBRMtGBsBBAoDAh8aMg8GL0MYGP7YJz4L3wo+MQcKDxn+cxcgIQEgFjIMXT0DKUgwCEMWIAEUFBMbHyU/JAoBTTIkBQsNBgUIISoWFQEDAwEYGS8lAQ4NBSQyGhoB9C4lJS79ggIQDxkaIRcCExYeO08BJEAnHhb+yQMJDiZBJwYWGAEAAAQAAAAAA0EDkwAPAB8AKwA3AAATNDYzITIWFREUBiMhIiY1EyIGFREUFjMhMjY1ETQmIwEiBhQWMyEyNjQmIwUiBhQWOwEyNjQmI6YhFwIrFyEhF/3VFyGLDBAQDAGFCxERC/57DBAQDAGFCxERC/57DBAQDN4MEBAMA1sXISEX/S8XISAYApoQDP7qCxAQCwEWDBD+QxAXEBAXEG8QFxAQFxAAAwAAAAADgQOMABEAFgAoAAATJjY3ATYyFwEeAQ4BJwkBBiYXFSE1JQU0NyU2MhcFFh0BFAYjISImNW8HAQkBXg8qDwFeCQEPFwj+ov6iCBdnAiz+6v6zFAEVECgQARUUIBf91BcgAiwIFwgBKw4O/tUIFxECCAEr/tUIAriNjefnGhHnDQ3nERqNFyAgFwAABgAAAAADsQOxAA8ANwBDAE8AWQBhAAABByMVBxcVMxc3MzU3JzUjJzc2Mh8BMzIWHQEXFhQPARUUBisBBwYiLwEjIiY9AScmND8BNTQ2MxczFTM1MxUjNSMVIzc0NjIWFRQOASIuATcUFjI2NTQmIgY3MxUjFSM1IwH0cqFycqFycqFycqH7YhAuEGKKFyBiEBBiIBeKYhAuEGKKFyBiEBBiIBc1KzAsLDArniZGJhEfLyATLA8cDxAbD26ELCstA3lyoXJyoXJyoXJyoTdiEBBiIBeKYhAuEGKKFyBiEBBiIBeKYhAuEGKKFyD5OTmiQkJRJywrJxwkFBEmHBkVFRsXFRY5KHp6AAAAAAsAAP//AwoD6QAPABMAMwBIAE4AVABaAGAAZgCRAKwAAAEyFhURFAYjISImNRE0NjMFIREhAxUGBzMVIwcWFwcmJwYHJzY/ASM1MyYnNxYXBzM2NzU3FTMVIxUzFQYHJzY3IzUzNSM1MzUHFhcHJicDFwYHJzY3FhcHJi8BFhcHJic3FhcHJic3FTMVFBcWMjY1FwYHBiMiJyY9ASMGBxYXByYnBgcnNjcmJzcXNjcjNTM1BxUzFSMVNxUHFRQrAScWMj0BByc2NzUjNTM1AtIXISEX/kQXISEXAbz+RAG8tgEDancDPjUUODskUhNTHQd6TBwgESMhDzcEAgtdXXUIDCEJCOt4X18/JCESISMTHREXHRjoHREdERxoCQkjBgpmDgsjCQ4oRAYDBQQaAwgGCRMMFSIBBxUSFBAQEB0aHQ4NDxMTBAEiIlAkJCIiICAIERQsCBoaLCwD6CEX/IgXISEXA3gXITj8iAECNg8NIQUSGR4fEh8RHhEXByESChgLEhcPDTZ0FiAWFiIhChMcIBYgFm8KEBoSCgFdDiYcFRkoJBwVHiUDGSQIIR0LHiIJJhz0KEQ2EwkeDg0sDQgOGE4iIxwQEh4RDSIXFxYiCgkbDBIXIigBJiIoCiEJLiIiAwwcCCADBjAiJgAAAAAKAAD//wMKA+kADwAvAEQASgBQAFYAXABiAI0AqAAAATIWFREUBiMhIiY1ETQ2MwEjFQYHIzcmJwcWFyMVMwcGBxc2NxYXNyYnNzM1IzY3JyMVIxUzFSMVMwYHFzY3NSM1MzUjDwEWFzcmAwYHFzY/AQcWFzcmJwcWFzcmNwcWFzcmAyMVIxUzBgcnBxYXBgcXNjcWFzcmJzY3MxUUFxYzMjc2NycUBiInJj0BIycjFSMVMxUGBxc3FRQiJxczMj0BNzUHNTM1IwLSFyEhF/5EFyEhFwEGIQIENw8hIxEgHEx6Bx1TE1IkOzgUNT4Dd2oDARYiX1946wgJIQwIdV1dYREjIRIhSBAYHRcRuxwcER0RoSEKBiMJPCEOCSMLByIiIgEEExMPDQ4dGh0QEBAUEhUHASIVDBMJBggDGgQFAwZEciMsLBoaCCwUEQggICIiJCQD6CEX/IgXISEXA3gXIf1SNg0PFxILGAoSIQcXER4RHxIfHhkSBSEND6oWIBYgHBMKISIWFiBZGAoSGhABTyIZFRwmFBIlHhUcFQcdIQgkHQccJgkiAQsoIhcSDBsJCiIWFxciDREeEhAcIyJOGA4IDSwNDh4JEzZEJyYiMAYDIAgcDAMiIi4JIQooIgAFAAAAAAOxA7EAJwAzAD8ASQBRAAABNzYyHwEzMhYdARcWFA8BFRQGKwEHBiIvASMiJj0BJyY0PwE1NDYzFxUzNTMVMzUjFSM1FxQeATI+ATU0JiIGFzQ2MhYVFAYiJjcVMxUzNTM1AWtiEC4QYooXIGIQEGIgF4piEC4QYooXIGIQEGIgFxkxNTExNYEWIzUjEytOKzESHhIRHxJ8MjEyAz5iEBBiIBeKYhAuEGKKFyBiEBBiIBeKYhAuEGKKFyD5okJCojk5URwmERQkHCcrLCcYFhUXGxUVaih6eigAAAgAAAAAA3kDegADABMAIAAtADoARwBLAFsAABMRMxEnMzIWFREUBisBIiY1ETQ2JTIWHQEUBiImPQE0NhcyFh0BFAYiJj0BNDY3MhYdARQGIiY9ATQ2FzIWHQEUBiImPQE0NgMRIRElITIWFREUBiMhIiY1ETQ2p6amphchIRemFyEhAdMMEBAYEBAMDBAQGBAQewwQEBcREQsMEBAXERHTAU3+swFNFyEhF/6zFyEhAmP+RAG8OCEX/kQXISEXAbwXITcQCzgMEBAMOAsQ3hAMNwwQEAw3DBBvEAw3DBAQDDcMEN4QDDcMEBAMNwwQAbz9ZgKaOCEX/WYXISEXApoXIQAABAAAAAADsQNCAA8AEwAfACMAAAEyFhURFAYjISImNRE0NjMFIREhJzIWFAYjISImNDYzASEVIQN5FyAgF/z2FyAgFwMK/PYDCsMMEBAM/nwMEBAMAkf89gMKA0EgF/3UFyAgFwIsFyCm/kOnEBcRERcQAYU4AAAABAAAAAADsQOxABQAKQBCAEsAACUyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBiczMhYUBisBIiY0NjsBNSMiJjQ2OwEyFhUnFBYyNjQmIgYB9GpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWddHAsQEAtwCxAQCxwOCxAQCyoMEEYZIhkZIhlvNTRYWtRaWDQ1NTRYWtRaWDQ1Nzw7ZWfyZ2U7PDw7ZWfyZ2U7PPoRFxAQFxH6EBcQEAx9ERgYIxgYAAMAAAAAA7EDsQAUAB4AJwAAATIXFhcWFAcGBwYiJyYnJjQ3Njc2EyMVMxUjFTM1IwMiBhQWMjY0JgH0eWdlOzw8O2Vn8mdlOzw8O2VnlWEpN6Y3HBEZGSIZGQOwPDtlZ/JnZTs8PDtlZ/JnZTs8/rM3+jg4AbwYIxgYIxgAAAAAAwAAAAADeQN5ABwAJAA+AAABFBcVFhcWFzMWMjczNjc2PwE2PQE0JiIHJiIGFQUHBiIvATUhFyM1NCYjISIGHQEjIgYVERQWMyEyNjURNCYBhQUMKBUZAQMIAwEVEyQQBwQmNhMTNiYBTcoJFgnKAbxvNyEX/kQXITcXISEXApoXISECtwkMARwlExMDAxARIRoOCwgEHCcUFCcccHkGBnn2b28XISEXbyAX/gwXISEXAfQXIAAAAAQAAAAAA0IDsQAEABkAJQAxAAAlESERJQEhMhYVERQGIyIvAQcGJicmNRE0NhchMhYUBiMhIiY0NhchMhYUBiMhIiY0NgMK/dQBFv7qAiwXICAXDQz9/RUrCgYgogEWCxERC/7qCxERCwEWCxERC/7qCxERkQLo/RiLApQgF/0YFyAGfn4LDxULDQLoFyDeEBcQEBcQphEXEBAXEQAAAAADAAAAAANCA7EACwAXACsAAAEhIiY0NjMhMhYUBgchIiY0NjMhMhYUBhMhIgYVERQWNyU2MhcFFjY1ETQmAn/+6gwQEAwBFgsQEAv+6gwQEAwBFgsQEID91BchGw4BDAwaDAEMDhogApsQFxAQFxCnEBcRERcQAbwgF/zaDxAHhgUFhgcQDwMmFyAAAAIAAAAAA7oDggASACgAACUXAT4BLgIGDwEnLgEOAhYXARc3PgEeAgYHAQYmLwIuAT4CFgGXXQFNJhkcTWZmJjExJ2ZmTB0aJQFECgkxg4NiIx8w/rARLg9d8TAgJGKCg+pjAWEoaWhMGxsmMTEmGxtMaGgoAUYKCjAiImKDhTP+nRABEWP/MoWDYiIiAAAAAAEAAAAAA7sDggAVAAAlJy4BPgIWHwE3PgEeAgYHAQYmJwFw8TAgJGKCgzEKCTGDg2IkIDD+sBEuD8T/MoWDYiIiMAoKMCIiYoOFM/6dEAERAAAAAAIAAAAAA3kDXgAfAC8AAAEzNzYyFhQPATMyFhURFAYjISImNRE0NjsBJyY0NjIXATY3NiYvASYiBh0BFB4BNwGsjZMIFxAIa7kXISEX/WYXISEXt2wIEBcIASYCAgcCCXEIFRANFwkCwpMIEBcIbCEX/kQXISEXAbwXIWwIFxAI/j4CAgkXB1sGEQu1ChADBwAAAAAEAAAAAANCA7IADAAgAC0ANgAAATQmJyYiBw4BFRQBAAMwBwYmJwA1NDc2NzYyFxYXFhUUJSIuATQ+ATIeARQOAScyNjQmIgYUFgMKSz5Bl0E/SgEVARbuARAuEP7aLixLTrVOSywu/rIlQCYmQEtAJSVAJiMxMUUxMQJrSX0jJSUjfUnf/uMBHP69ARABEAEu9VlMSSstLStJTFn2SCVATD8mJj9MQCU4MEUxMUUwAAIAAAAAA0EDsAAVACYAAAEyFx4BFxYVFAEHBiInADU0Nz4BNzYXIg4CFB4CMj4CNC4CAfREPjtcGhr+2gEQLRD+2hoaXDs+RBcoHxISHyguKB8SEh8oA7AaGFo7PEP2/tQBEBEBLfVDPDtaGBrdEh4pLigfEhIfKC4pHhIAAAAAAgAAAAADQgN5ABkAIwAAATU0PgEyHgEdATMyFhURFAYjISImNRE0NjsBITU0LgEiDgEVARY8ZnhmPEYRGBgR/bgRGBgRmQEWJUBMQCUCLG88Zjw8ZjxvGRH+lxEZGREBaREZbyVAJiZAJQAACQAAAAADsQN5ABcAIwAvAEwAVQBiAGsAeAB8AAABMhYfAh4BFREUBisBNTMRLwEuASMhNQEyFhQGIyEiJjQ2MyUyFhQGIyEiJjQ2MzcuATQ2MyEyFh8CHgEVERQGKwE1MxEvAS4BIyEBMjY0JiIGFBYXIi4BND4BMh4BFA4BJTI2NCYiBhQWFyIuATQ+ATIeARQOATc1IRUCdyg9CCaAERUgF97enywEHxT+MAEVDBAQDP6zCxERCwFNDBAQDP6zCxERCzcLEBAMAdAoPQgmgBEVIBfe3p8sBB8U/jABvBchIS4gIBceMx4eMzwzHh4z/l0XISEuICAXHjMeHjM8Mx4eMxoBFgN5Mie9KwUeEf7aFyA3ASY13BMZOP57EBcRERcQpxEXEBAXEaYBEBcQMie9KwUeEf7aFyA3ASY13BMZ/UogLiEhLiA4HjM9Mx4eMz0zHjggLiEhLiA4HjM9Mx4eMz0zHlQ3NwAAAAUAAAAAA3kDsQAFABsAKAA1AEEAABMVITUnIQc3NjMhMh8BHgEdARQGIyEiJj0BNDYlMj4BNC4BIg4BFB4BFyIuATQ+ATIeARQOARczMhYUBisBIiY0NqcCmrP+zMuzCw0BNA0Lsw8RIRf9ZhchEQF0LU0tLU1aTS0tTS08Zjw8ZnhmPDxmF28MEBAMbwsQEAEvwMBWJFYFBVYGHBDAFyAgF8AQHNEsTVpNLS1NWk0sODxmeWY7O2Z5ZjzeEBgQEBgQAAADAAAAAAN5A7EAFQAiAC8AABM3NjMhMh8BHgEdARQGIyEiJj0BNDYFFBY7ATI2NCYrASIGJyIuATQ+ATIeARQOAY+zCw0BNA0Lsw8RIRf9ZhchEQGsEAtvDBAQDG8LEDg8Zjw8ZnhmPDxmAWFWBQVWBhwQwBcgIBfAEBxhDBAQGBAQ7jxmeWY7O2Z5ZjwAAAAEAAAAAAO7A3kAHwAjAD0ARgAAATIWHwEWBgcGIyEiJjU0PwE+ATsBFhcWFxYwNzY3NjcXFSE1EzIeARUUBwYHBgcGDwEnJicmJyYnJjU0PgEXIgYUFjI2NCYC6w4ZB5UNCRMOEfznFyAJkwgZDl8rNxwbAQEbHDcrRP5E3jxmPBcTJBwmGh0XFx0aJhwkExc8ZjwjMDBGMDABhQ0M3hMtDQkgFxEO3gwNMi4XEwEBExcuMt44OALSPGY8NDgvMScnGxgTExgbJycxLzg0PGY8izFFMTFFMQAFAAAAAANCA7EAFAA2AFEAVQBlAAABNjMyHwE1MxUWFzc1IRUXNjc1MxUXFhcWFRQHBgcGIicmJyY1NDc2NycmPQE0NjMhMhYdARQPATEmJyYnJiMiBw4CFRQXFhcWMjc2NzY1NCYPARc3JxcWFA8BBiIvASY0PwE2MgG+GxsWFQ03FBNI/kRHExU3/T8kJS0sTE22TUwsLSUjP0cJIRcBvBchCmYICTQ+ERIWFkJqPiYlP0GWQT8lJjzaT09PKE8QEE8QLhBPEBBPEC4CzgQDAau5BwpsXl5sCge5qzwvRUhRW01MLC0tLExNW1FIRS5rDhFeFyAgF14RDpkGBiIHAgMKTnZETEA/JSYmJT9ATEN1ak5PT3ZPEC4QTxAQTxAuEE8QAAAAAAMAAAAAA0IDsQAUACQANgAAATIXFhcWFAcGBwYiJyYnJjQ3Njc2FyYiDwEGFB8BFjI/ATY0JxMyFh0BByYnNSMVBgcnNTQ2MwH0W01MLC0tLExNtk1MLC0tLExNghAuEE8QEE8QLhBPEBAxFyArOkFwQTorIBcC0i0sTE61TUwsLS0sTE21TkwsLdcQEE8QLhBPEBBPEC4QAgQgF28sHgl0dAkeLG8XIAAAAAABAAAAAAOEAhoADAAAASEiJjQ2MyEyFhQGIwIa/nAQFhYQAtUPFhYPAc8VIBYWIBUAAAAABQAAAAADsQOxABQAKQAyADsARAAAJTI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGAxQWMjY0JiIGBxQWMjY0JiIGBRQWMjY0JiIGAfRoWVYzNDQzVlnQWVYzNDQzVlloeWdlOzw8O2Vn8mdlOzw8O2VnsSEuISEuId4hLiAgLiEBvSAuISEuIHY0M1ZZ0FlWMzQ0M1ZZ0FlWMzQ+PDtlZ/JnZTs8PDtlZ/JnZTs8AbwXISEuISEXFyEhLiEhFxchIS4hIQAEAAAAAAOxA7EAFAAdACYALwAAATIXFhcWFAcGBwYiJyYnJjQ3Njc2EyIGFBYyNjQmIyIGFBYyNjQmISIGFBYyNjQmAfR5Z2U7PDw7ZWfyZ2U7PDw7ZWd5FyEhLiEh9RchIS4gIAGlFyAgLiEhA7A8O2Vn8mdlOzw8O2Vn8mdlOzz+fCEuISEuISEuISEuISEuISEuIQAAAAQAAAAAA7EDsQAUACkANQBXAAAlIicmJyY0NzY3NjIXFhcWFAcGBwYDIgcGBwYUFxYXFjI3Njc2NCcmJyYDIyImNDY7ATIWFAYTJyYrASIGBwMmKwEiDgEUHgE7ATI+ATUnMxEXFjMyNzYmAfRpW1g0NTU0WFvSW1g0NTU0WFtpeWdlOzw8O2Vn8mdlOzw8O2VnqkUUHR0URRQdHbtyBwgDCg4BARgZRRwwHBwwHEUdMBwBAUoHBxAIBgZvNTRYW9JbWDQ1NTRYW9JbWDQ1A0E8O2Vn8mdlOzw8O2Vn8mdlOzz9ZhwoHR0oHAGtQgUOCf6vDRwwOTAcHDAcBwFxKwQOChYAAwAAAAADsQOxABQANgBCAAABMhcWFxYUBwYHBiInJicmNDc2NzYXIyIGBwMmKwEiDgEUHgE7ATI+ATUnMxEXFjMyNzYmLwEmAzIWFAYrASImNDYzAfR5Z2U7PDw7ZWfyZ2U7PDw7ZWeWAwoOAQEYGUUcMBwcMBxFHTAcAQFKBwcQCAYGCnIHVhQdHRRFFB0dFAOwPDtlZ/JnZTs8PDtlZ/JnZTs8pg4J/q8NHDA5MBwcMBwHAXErBA4KFgZCBf5tHSgcHCgdAAANAAAAAAPpAwoADQAXADoATgBWAF4AZABqAG4AcgB2AHoAhAAAATIXFhcWFAcGBwYjIREFIREhMj4BNC4BBRcGBzMVIxUzFSMVFCsBJxYzMj0BIzUzNSM1MyYnNxYXMzY3FwYHFTMVIxUjNSMVBgcnNjc1NhcVIzUjFSM1IRUjNSMVIzUFFwYHJzY3FhcHJiclIxUzNyMVMycVIzUXIxUzJRYXMxUjNTMmJwLSTEA/JSYmJT9ATP0uAtL9ZgKaPWY7O2b+FRwGCCI9ODghEgcIBgw7O0AjBwgcCQYgCLIQKzRnIB8oAyQXHQI87R8+HwEXIEAf/ikdDRUaFnEOBxsIDAFOPj6aQEANvZ5+fv4uCAU9mDsGBwMKJiU/QZZBPyUmAiw4/kQ8ZnhmPHYKEhAdHhxaHh4CClIcHh0SDwoUFxZOHA8ENh6vryJYNBgqSpABgpYQEJaWEBCWNAY0JBEjLCEZCh8eG0tLS/Z0dB44ZRIMHR0NDAAADAAAAAAD6QMKAA0AMABEAEwAVABaAGAAZABoAGwAcAB6AAABMhcWFxYUBwYHBiMhEQUGByMmJwcWFyMVMxUjFTMVFCMiJxczMj0BMzUjNTM1IzY/AQYHFQYHFzY3NTMVMzUzNSM1NjcXIxUzNTMVMzcjFTM1MxUzJQYHFzY/AQcWFzcmJRUjNTMVIzU3IxUzJxUjNSUHFhcjFTM1IyYC0kxAPyUmJiU/QEz9LgEjBgceBwcfCAYiQDo6DAUIBxIiNzc9IQYHjzE9Ah0ZJQIkIx5lNCqrfiI7IZyCIj0j/aYIFh0VDEwcCwceBgEjO9U9M8DAI3n+qyQHBjmZPQcDCiYlP0GWQT8lJgIswBUUGBELDREeGR9LCQIeHVMfGR4NEUESAYpGKBkzVB6lpR8yAg5xkA8PkJAPD14nIhEjMQgHHR0LFjFEREREpnJTMzMsBgoMHh4TAAAFAAAAAANCA+gACwAXACMALwA/AAATERQeATMhMj4BNRElIREUDgEjISIuATU3IzUzFzM1MxUjJyMXFSM1MxUjFTMVIxU3ByMnMxcxNzMXMzczByMn3h4zHgFOHjMe/Z0Cmi1MLf6yLUwtkSIcPAEiHDwBz2FhPTk5qRgiJCUTGB0XARMlJSEYA7D9wBgpGRkpGAJAOP2IKEMnJ0MooKZgYKZiQCKmIiEfIkZopnBwcHCmaAAEAAAAAANCA+gACwAXACMAMwAAAREUDgEjISIuATUREyMVMzUzFzM1IxUjNyMVMzUjNTM1IzUzNyMXMzczFzM3IwcjJyMHMQNBLUwt/rItTC2LHCIBPBwiAZlhYT05OT0zJSQiGAEYISUlEwEXHRgD6P2IKEMnJ0MoAnj+zqZiYqZgYKYiIh8hIqZoaKZwcHAAAAAACQAAAAADeQN5AAMAGAAcACAAMAA8AEgAVABgAAAlMzUjNzIWHQEUBiMhIiY1ETQ2MyEyFhURBSERIRMzNSMHIiY9ATQ2OwEyFh0BFAYjAyImNDYzITIWFAYjByImNDY7ATIWFAYjByImNDY7ATIWFAYjByImNDY7ATIWFAYjAwo3NzcXISEX/WYXISEXAisXIf2dAiv91W9vbxwMEBAMpwsQEAunDBAQDAGFCxERC28MEBAMbwsREQtvDBAQDG8LERELbwwQEAxvCxERC6emOCEXphchIRcCmhchIRf+RN4Cmv5Ep98RC94MEBAM3gsRAU4QFxAQFxBvEBcQEBcQcBEXEBAXEW8RFxAQFxEAAAAFAAAAAAN5A3kAEwAzAD8ASwBXAAAlESMVFAYiJj0BIRUUBiImPQEjEQEzMhYVERQGIyEiJjURNDY7ATU0NjIWHQEhNTQ2MhYVASImNDYzITIWFAYjJSImNDYzITIWFAYjBSImNDY7ATIWFAYjA0FvEBcQ/rIQFxBvAitvFyEhF/1mFyEhF28QFxABThAXEP5gDBAQDAGEDBAQDP58DBAQDAGEDBAQDP58DBAQDKYMEBAMpwJjHAwQEAwcHAwQEAwc/Z0CmiAX/Z0XISEXAmMXIBwMEBAMHBwMEBAM/igQFxAQFxBvEBcRERcQ3hAXEBAXEAAABQAAAAADQgOwAAMAEwAfACsANwAAExEhESUhMhYVERQGIyEiJjURNDYTITIWFAYjISImNDYXITIWFAYjISImNDYXMzIWFAYrASImNDbfAiv91QIrFyEhF/3VFyEhoQEWDBAQDP7qCxAQCwEWDBAQDP7qCxAQC6cMEBAMpwsQEAN4/PcDCTghF/z3FyEhFwMJFyH+6hAXEBAXEKYRFxAQFxGnEBcRERcQAAAAAAUAAAAAA7EDQgAPABMAHAAlAC4AAAEyFhURFAYjISImNRE0NjMFIREhJTI2NCYiBhQWMzI2NCYiBhQWMzI2NCYiBhQWA3kXICAX/PYXICAXAwr89gMK/dQRGRkiGRm4ERgYIxgYuBIYGCMYGANBIBf91BcgIBcCLBcgN/3U8RgjGBgjGBgjGBgjGBgjGBgjGAAAAAAFAAAAAAOxA6MAAwAWACoAMwBTAAATESERJzIWHQEzMhYVERQGIyEiJjURIRcVISIOARQeATMhFSEiLgE0PgEzFzIWFAYiJjQ2AzEyFh8BMxUjFy8BBSc3IyIGFBYzFSInIzU0NjchNzZvAwpvFyA4FyAgF/z2FyAC0qb+6x8zHR0zHwEV/usuTC0tTC4OERgYIxgYUA8ZCChrSzRCav7bZ3SkDBAQDBoWIy8iAQacDQKb/kMBvaYgFzggF/5DFyAgFwH0bzceMz0zHjctTFtMLX0YIxgYIxgBvQ8NRjdaArmoBEMQGBA3D0UiLwFaCAADAAAAAAOxA7EAFwAsAEEAAAEXFhQHAQYmLwEuAT8BPgEfARYyNyU2FgEyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgL+BwUF/sQIFQeKBQEEDQQNBXAEDQQBJgUO/vpqWlg0NTU0WFrUWlg0NTU0WFpqeWdlOzw8O2Vn8mdlOzw8O2VnApYHBA0F/s4HAQeFBQwFEAUCA0gDBOcEAf3VNTRYWtRaWDQ1NTRYWtRaWDQ1Nzw7ZWfyZ2U7PDw7ZWfyZ2U7PAAAAAAEAAAAAAOxA7EADAAZAC4AQwAAATIWFREUBiImNRE0NjMyFhURFAYiJjURNDYDMjc2NzY0JyYnJiIHBgcGFBcWFxYXIicmJyY0NzY3NjIXFhcWFAcGBwYBmg4UFB0UFMMPFBQdFBRMalpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZwKbFQ7++A4VFQ4BCA4VFQ7++A4VFQ4BCA4V/dQ1NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8AAAAAwAAAAADsQOxABQAIQAuAAAlIicmJyY0NzY3NjIXFhcWFAcGBwYDIgYVERQWMjY1ETQmMyIGFREUFjI2NRE0JgH0eWdlOzw8O2Vn8mdlOzw8O2Vn0w8UFB0UFKYOFBQdFBQ4PDtlZ/JnZTs8PDtlZ/JnZTs8AmMVDv74DhUVDgEIDhUVDv74DhUVDgEIDhUAAgAAAAAC7wNeAAwAGQAAATIWFREUBiImNRE0NiEyFhURFAYiJjURNDYBTSMxMUUxMQFwIjExRTExA10xIv3UIjExIgIsIjExIv3UIjExIgIsIjEABAAAAAADsQNCAAMABwAXAC8AAAERIRElFSE1JSEiBhURFBYzITI2NRE0JgEzBwYUFjI/ATY0LwEmIgYUHwEjIgYUFgN5/PYDCvz2Awr89hcgIBcDChcgIP6Vhh8IEBcITwgITwgXEAgfhgwQEAKb/kMBvW84ODcgF/3UFyAgFwIsFyD+LR8IFxEITwgXCE8IEBcIIBAXEAAEAAAAAAOxA0IAAwATACUALgAAExEhESUhMhYVERQGIyEiJjURNDYFFSEiBhQWMyEVISIuATQ+ATMXIiY0NjIWFAZvAwr89gMKFyAgF/z2FyAgAz3+ziIxMSIBMv7OJj8mJj8mRhIYGCMYGAMK/dQCLDcgF/3UFyAgFwIsFyDCODBGMDglQExAJbUZIhkZIhkAAAAABAAAAAADsQOxABQAKQBgAI4AACUyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgMuAScmJyIxIgYHBhQWHwEeATI3PgE1MDUmJy4CIzIGDwEGDwEnJicuAScmLwE3Nj8BPgEVNAcnJicmNDc2NzYzMhceARcWFRQHBgcXHgEfATY3NjMyFx4BFxYVFAcGBwYiJyYB9GpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWfEChsNBQUBAxUJGT4wCzFmMyMLEwQGDSghBAEFBgUDAwsREBseMBQTAwQOBAcLDActCzUjJyUTERQVGRoQIAsPGwcJBBEoGgUEBRIdEhwULw8cDwwaMVZAOG81NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8Ai4RKA0GBBMLIzNmMQswPhkJFQMBBQUNGxIHDAsHBA4EAxMUMB4bEBELAwMFBgUBBN0LNjhAVjEaDA8cDy8UHBIdEgUEBRooEQQJBxsPCyAQGhkVFBETJScjAAAAAwAAAAADsQOxABQAQgB5AAABMhcWFxYUBwYHBiInJicmNDc2NzYHIgcGBwYUFxYfARYXFjI3Njc2NTQnLgEnJiMiBwYHJy4BLwE2NzY1NCcuAScmBzAzFhceAhUxMAYPAQYPARcWFx4BFxYfATc2PwE+ASMyHgEXFhcUMRQGBwYiJi8BLgE0Nz4BAfR5Z2U7PDw7ZWfyZ2U7PDw7ZWcPFRQREyUnIzULNjhAVjEaDA8cDy8UHBIdEgUEBRooEQQJBxsPCyAQGhkBBQUMHBIHDAsHBA4EAxMUMB4bEBELAwMFBgUBBCEoDQYEEwsjM2YxCzA+GQkVA7A8O2Vn8mdlOzw8O2Vn8mdlOzzCDwwaMVZAODYLNSMnJRMRFBUZGhAgCw8bBwkEESgaBQQFEh0SHBQvDxw4BAYNKCEEBAYFAwMLERAbHjAUEwMEDgQHCwwHEhsNBQUBAxUJGT4wCzFmMyMLEwACAAAAAANvA3sAJwBTAAABMCsBBgcGFxYXFhcxFhcWFxY3Njc2JicmBgcGBwYuAjc2Nz4BJyYBIicmJyYnJicmJyY3PgE3NhcWFxYGBwYHBhceARcWNzY3PgEXFhcWBwYHBgEnAQEjND4kGUgmHyQvXU1rPjQBARQVLDkeFicjU24wBAUmLAUrKQFaSlxDRiUZKClQGCJQIzwdIiEVGj4KQxEBAg4UZSQZEAwJLmw/GQ4TAQNDOANBATQ+bU5eMB8jJEcZIj00IxAjFisFLSUFBTFtVSInFx05LCj9OjEjOB8YKTdrXH9PIyIBARMNGj5tLQoMDxklZRQOAgIORQs/GRchIThEOAABAAAAAAN1A3IAVgAAARYXFh8CFRYHBgcGBwYHBiMiJy4BJy4BJy4BJyY3Nj8BNjc2NzYyHwEWFxYXFhcWHwEWBg8BBg8BBgcxDgIXFhcWFxYzMjY/ATY3Njc2NzYzMh8CAzIGBRgKBAsGAgIGDiAeGSQkCAkdVTBspD8cJAQFFxQlBBIJEBIOGQwLCQsTEhMOEQwCBQYKCwkHCgkSDxMFAxlLM00HBwkSBRQJBgQDCQ8ICg0KFCkBcgUEFQwFDwEOEw8NIR8cDxUBBCMcP6JrMFUdJysmIAQPBwsHBgUGBAoQGRoZHhsIDhwLCQYEBwUIBgoXBjtKMy4EDQkqDwoGAw0GAwULHAADAAAAAAOxA0EAFgAsADgAAAEHIRE3PgEfAjcXByEiJic1ETQ2NzMhMhYXFREUBg8BITcnNz4BHwETESE3BzIXBxcOASMiJjQ2AYUS/v1HDyoRBUhndzj+fBYfAxwVBwMJFh8DHBUH/us3qUgPLxIE6/5pEsIXEw4tCycXIjExA0E4/nxHDwMNBUd7s6cdFAcCKxYfAxwVB/3VFSACAaf9VRMDEAX+7gF7OG8MLEQTGDFFMQAFAAAAAAOxA0IACAARAB4AKAA4AAABIiY0NjIWFAYnIgYUFjI2NCYFJiIHAycmIg8BESERFSE1NxcWNjcTAREhIgYVERQWMyEyNjURNCYBMgwQEBcQEAsjMTFFMTEBOhEzEexHES4QSAMK/PZvSBExEOwBFfz2FyAgFwMKFyAgAmMQFxERFxBvMUUwMEUxMhQU/uVIEBBIAYX+hLBYb0cSAxIBG/69AgggF/3UFyAgFwIsFyAAAAAAAwAAAAADsQNCAAgAFQAlAAABIgYUFjI2NCYFJiIHAycmIg8BESEZASEiBhURFBYzITI2NRE0JgEyIzExRTExAToRMxHsRxEuEEgDCvz2FyAgFwMKFyAgAtIxRTAwRTEyFBT+5UgQEEgBhf6EAbMgF/3UFyAgFwIsFyAAAAMAAAAAA7EDeQAZACYAMwAAATIWHwEzMhYVERQGIyEiJjURNDY7ATc+ATMXIg4BFB4BMj4BNC4BBzIeARQOASIuATQ+AQJqDhkIOacXICAX/PYXICAXpzkIGQ52PGY8PGZ4Zjw8ZjweMx4eMzwzHh4zA3kNDFYhF/3VFyEhFwIrFyFWDA3ePGZ5Zjw8ZnlmPG8eMz0zHh4zPTMeAAMAAAAAA7EDsQAPACQAOQAAAQcGLgE1ETQ2Mh8BHgEHBgMyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgKczgkXDRAWB84JAgcCqmpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWcB3qQHAhEKAUgMEAakCBYJA/6PNTRYWtRaWDQ1NTRYWtRaWDQ1Nzw7ZWfyZ2U7PDw7ZWfyZ2U7PAACAAAAAAOxA7EAFAAkAAAlIicmJyY0NzY3NjIXFhcWFAcGBwYTNjc2Ji8BJiIGFREUHgE3AfR5Z2U7PDw7ZWfyZ2U7PDw7ZWcvAgIHAgnOBxYQDRcJODw7ZWfyZ2U7PDw7ZWfyZ2U7PAGmAgMJFgikBhAM/rgKEQIHAAAAAQAAAAADCwNCAA8AAAkBBi4BNRE0NjIXAR4BBwYC//57CRYOERUHAYUJAwcCAdn+yQgDEQkCbwsQBv7JBxcJAgAAAAABAAAAAAOEA4QAGwAAAREUBiImNREhIiY0NjMhETQ2MhYVESEyFhQGIwIaFiAV/rsQFhYQAUUVIBYBRQ8WFg8Bz/67EBYWEAFFFSAWAUUPFhYP/rsWIBUABwAAAAADeQOHAC8AMwA3ADsAPwBQAGEAAAEWFAYPATMyFh0BFAYrAREUBiMhIiY1ESImPQE0NjsBJy4BPgEyFhcWFxU2Nz4BMgMjETMBIxEzASEVISUhFSEnBgcOARY2Nz4BNz4BJgYHBiUGFhceARceATYmJy4BJy4BAtgQHRsGlxchIBcBIBf91BcgFyEhF7wHGh4BIDU9GygMDCgbPTbw+voBMvr6/s7+zwExAWn+zwEx3xEKCQcGGg8TIAsJBgYZDxP+6gMGCQshEhAZBgYJCyESEBkDdhA2PRsGIBdvFyH+sxchIRcBTSEXbxcgBhs9NiAdGygtAS4oGx3+bv6zAU3+swH0b29v+xATDxoGBwkKIRMPGQYGCQsXAxkPEyEKCQcGGg8TIAsJBgAAAAUAAAAAA3kDegAPAB4AJQAsAFQAAAEGByM2NzY3Njc+ARYGBwYHLgEnLgE2MzIXHgEXFh8BESMiJjURIREUBisBEQMWFzY3PgEWFxYGDwEzMhYdARQGIyE1IxUhIiY9ATQ2OwEuATc+ARYCdxMXJgEJCxQREw8YBgUJC+0XJAsJBQQFDBEXKAsJARf6FyACmiAX+lAoDAwoHDw1EBgRJAKbFyEgF/7OOP7PFyEgF5wlEhgQNTwC8hMMDREVExIKCQUFGQ8TMAwkEw8YBQkLKBURDd7+eyAXAU7+sxchAYUBSygsLCgcHQEQGFIpAh8XORYhpqYgFjkXIClUGBABHQAEAAAAAAOVA5UAEAAhAEEAYQAAASImJyY0Nz4BMhYXFhQHDgEnMjc+ATQmJyYiBw4BFBYXFicXDgEVFBYXFjI3PgE1NCYnNx4BFRQHDgEiJicmNTQ2HwEOARUUFhcWMjc+ATU0Jic3HgEVFAcOASImJyY1NDYB9HK/Njo6Nr/kvzY6Oja/cmJVUWFhUVXEVVFhYVFVyxgpK2FRVcRVUWEwLhc8Qzo2v+S/Njo9OBgpLGFRVcRVUWEvLRc7Qjo2v+S/Njo9AhAyKy5vLSwyMiwtby4rMjcVE0BGQBQUFBRARkATFTYyFC0WI0ATFRUTQCMXMBQzG0kqOC0rMjIrLTgpRcMyFC0WI0AUFBQUQCMXLxQzG0gqOC0sMjIsLTgoRgAEAAAAAAOxA3kAEwAdACYAMAAAJTUhFSMiJjURNDYzITIWFREUBiMBITIWHQEhNTQ2ATI2NCYiBhQWBSEVFAYjISImNQNB/WY4FyAgFwMKFyAgF/1lAiwXIP1mIAJsEhgYIxgY/bwCLCEX/kQXId6npyEXAU0XISEX/rMXIQKbIRdvbxch/nsYIxgYIxinphchIRcACgAAAAADeQN5AAgADgAUACEAKgAzADcARwBLAFsAACUiJjQ2MhYUBjczBzUXJyUXFSImNRMVMzUyFh0BIyc1IycBFxUzFyMiJjUBMhYdASc1IycFFTM1JzMyFh0BFAYrASImPQE0NgEVMzUnMzIWHQEUBisBIiY9ATQ2AsQRGBgjGBhrODgHB/7rNxcgwlMXIVhrIDf+EDirOOMXIQEyFyA3rDcBifr6+hchIRf6FyAg/nf6+voXICAX+hchIYsYIxgYIxjCNyoDByo4xyEXATGLiyAXi2ohNwFSN6w3IBcBMiEX4zirODj6+jghF/oXICAX+hch/ij6+jcgF/oXISEX+hcgAAAACQAAAAADeQN5ABEAGgAjACcANwA7AEsAWwBfAAABFTM1MhYdASM1IxEiJjURNDMXMhYUBiImNDYzMhYUBiImNDYBFTM1ETIWHQEUBisBIiY9ATQ2MxcjFTMRMhYdARQGKwEiJj0BNDYzITIWHQEUBisBIiY9ATQ2MxcjFTMC7lMXIcNTFyABlxIYGCMYGJwRGRkiGBj9afoXICAX+hchIRf6+voXICAX+hchIRcCmhchIRf6FyAgF/r6+gHYi4sgF4uL/s4hFwEwAfoYIxgYIxgYIxgYIxgCY/r6/pcgF/oXISEX+hcgN/oC0iEX+hcgIBf6FyEhF/oXICAX+hchOPoAAAAEAAAAAAOxA7EAFAApAFUAXwAAJSInJicmNDc2NzYyFxYXFhQHBgcGAyIHBgcGFBcWFxYyNzY3NjQnJicmByIGHQEUFjI2NSc0NzYzMhYVFA8BBgcGBwYdARQWMjY/ATY3Njc2NzY1NCYDIgcGFBYyNjQmAfRpW1g0NTU0WFvSW1g0NTU0WFtpeWdlOzw8O2Vn8mdlOzw8O2Vnc0NNExsTARESKiEkEQo3DwYDAhMbEQICBAQIESsJFkhGFAsOGiUbGW81NFhb0ltYNDU1NFhb0ltYNDUDQTw7ZWfyZ2U7PDw7ZWfyZ2U7PN5NQwENExMNASkWGiUgFxUMMBwLDAkJBw0TEQ8LDQcQDyULHi03QP6bDAwmGRkmGAAAAAMAAAAAA7EDsQAUAB4ASgAAATIXFhcWFAcGBwYiJyYnJjQ3Njc2EyIHBhQWMjY0JgMiBh0BFBYyNjUnNDc2MzIWFRQPAQYHBgcGHQEUFjI2PwE2NzY3Njc2NTQmAfR5Z2U7PDw7ZWfyZ2U7PDw7ZWd1FAsOGiUbGQpDTRMbEwEREiohJBEKNw8GAwITGxECAgQECBErCRZIA7A8O2Vn8mdlOzw8O2Vn8mdlOzz9vQwMJhkZJhgBZU1DAQ0TEw0BKRYaJSAXFQwwHAsMCQkHDRMRDwsNBxAPJQseLTdAAAAABQAAAAADQgOxABoAJgAyAEcATAAAASEiBhURFBYzITI2NRE0JiIGFREhESEyNjQmAyMiBhQWOwEyNjQmByMiBhQWOwEyNjQmEyIPAQYPAQYWMzI/ATY/ATY0LwEmBxcPATcCEP7KFR4eFQH8Fh4RFhH+DAEyCxERQ6YMEBAMpgwQEAymDBAQDKYMEBDzCwnSBgIcBBENBANrCAbSCAhOCQsnujUOA3keFv0mFR4eFQIUCxERC/3wAtIRFxD91BAXEBAXEG8QFxAQFxAC0gjSBgdsDRUBHAIG0gkXCE4IQye6DjUABAAAAAADsQN5ABQAKQBgAHwAAAEyFxYXFhQHBgcGIicmJyY0NzY3NhciBwYHBhQXFhcWMjc2NzY0JyYnJhceAQ8BMzIWFAYrARUzMhYUBisBFRQGIiY9ASMiJjQ2OwE1IyImNDY7AScmNjczNhYfATM3PgElHgEHBhUUFxYGBwYnJi8BJj4BFh8BJjU0Nz4BAixpW1gzNTUzWFvTW1gzNTUzWFtqW05LLC4uLEtOtU5LLC4uLEtOHwoGBi49CxAQC3BwCxAQC3AQFxBvDBAQDG9vDBAQDCcuBgYJAQoWBj4yPgYW/hQLBwUxGwQKCw0MBANWBwMTFwcKAzcFFgN5NTRYWtRaWDQ1NTRYWtRaWDQ1OC0sTE22TUwsLS0sTE22TUwsLX0FFwpQEBcQOBAXEW8LEBALbxEXEDgQFxBQChYGBgYJbWwKBiEFFgpjb1FMCxUEBQgDBHEKFg4DCQ4ZGXxvCgcAAAAAAQAAAAADegOoADgAAAEXFhQPAQYmPQEmBgcGBwYXFhceATc2NzY3Nj8BNDc+AR4BBwYHBgcGBwYmJyYnJjc2Nz4BFzU0NgI/pwwMpw4dR4cyNRkeEA82OKVWVEFEHgkFAQIEGRkLBAUMJFFPZGfHQ0ESEyQePjyeVR0Dnm8IHghvChARZAcxMTNGU1ZTQkM8DxA2OFIaGwMEAw0LCRgNHyBjQ0ESE0hRTmVnY1M9OzsHOREPAAAAAAEAAAAAA0IDlgA2AAABHgEPAQ4BLwQ1FT8ENjIeAQ8CMzIXFhcWFAcGBwYHISImNDY3MyEyNz4BNC4BJyMBfQcCBgMHFAgEqQQCAQICAqgIFw8CBgN34l5QTy0wLitMTVv+zgwQDQoFASVPREFOSn9N7gJACBQIBAcCBgOpBwYJBAcEBASnCA8UCQN4LSxMTbRMSi0uAxAWDwImJYCUfksEAAAABQAAAAADeQN5ABAAIQAyAEMATwAAEzU0NjsBMhYUBisBFRQGIiYTFTMyFhQGKwEiJj0BNDYyFgE1IyImNDY7ATIWHQEUBiImExUUBisBIiY0NjsBNTQ2MhYlITIWFAYjISImNDZvIReLCxAQC4sRFxA4iwsQEAuLFyEQFxECmosLEBALixchEBcROCEXiwsQEAuLERcQ/RIC0gwQEAz9LgwQEAK2ixchEBcRiwsQEP6HixEXECEXiwsQEAF5ixEXECEXiwsQEP6HixchEBcRiwsQENMQGBAQGBAAAAIAAAAAA4EDhQAMACkAAAEyPgE0LgEiDgEUHgElFxYUBiIvAQ4BIyInJicmNDc2NzYyFxYXFhUUBgGTRHNDQ3OIc0NDcwEw+ggQGAj5KWU3U0dGKCoqKEZHpkdFKSkkAVlDc4hzQ0NziHNDOPkIGBAI+iMlKSlFR6ZHRigqKihGR1M2YwAAAAADAAAAAAN5A4kAFgAfACQAAAEhByM3PgEzITIWHwERFAYjISImNREhFyMRJwcRIxEhAyMVNxcDHv2rGz4oBxsPAlUQGwcoIBf9ZhcgAsoHp6anpgKa3t5vbwNROFEOEBAOUf2eFyAgFwJiN/6zQEABTf3VAiv8KysAAAAAAwAAAAADeQN5AAkAFgAgAAABERQGIyEiJjURBSERFBY/ATYfARY2NRMyFh8BITc+ATMDeSEX/WYXIQIs/rIKBYYSEoYFCoQQGwco/PYoBxsQAtL91RchIRcCKzf+wgYHAi0GBi0CBwYCHBEOUFAOEQAAAAAEAAAAAAN5A7EAMgA2ADoATgAAATIXFhcWFxEUBisBIiY9ATQ2OwE0JyYnJicjBgcGBwYHFTMyFhcVFAYHIyI1ETQ3Njc2ASMVMyUjFTMBNDYyFhURDgErASImNDY7ATI2NQH0aVpXNDUCIRc3FyEhFzcsLEpMWQxYTEksLQE3FyABIBdvATU0WFoBtzc3/Z03NwJjERcQAU5LzwsREQvPMjADsDQyV1lo/uQXISEX3hchWU1LLS0CAi0rSkxYBSAX3xcgAQEBTWlbWDM1/kTe3t4BDgsREQv+w1VbERcQOUAAAAAEAAAAAAN5A7EADAAZAC4ARwAAEzIWHQEUBisBIiY1ESERFAYrASImPQE0NjMXMhYdAQ4BKwEiJjQ2OwEyNj0BNDYBMhcWFxYVIzQnJicmIgcGBwYVIzQ3Njc23hchIRc3FyEDCiEXNxchIRdTDBABTkvPCxERC88yMBH+ompaWDQ1OC0sTE22TUwsLTg1NFhaAiwhF94XISEXARb+6hchIRfeFyHDEAxmVVsRFxA5QGUMEAJHNTNYW2laTkssLi4sS05aaVtYMzUAAAAEAAAAAAO/A7QAKwBbAGgAdQAAExYOAgcGFBceAwcWFz4BMhYXNjcmPgI3NjQnLgM3JicOASImJwYlHgEXDgEeATcWFAcmDgEWFw4BBy4BIgYHLgEnPgEuAQcmNDcWPgEmJz4BNx4BMjYHIg4BFB4BMj4BNC4BBzIeARQOASIuATQ+AeMJByM2IQoKITYjBwlDVhc/RD8XVkMJByM2IQoKITYjBwlDVhc/RD8XVgEwRnswEAIfNx4VFR43HwIQMHtGDjU+NQ5GezAQAh83HhUVHjcfAhAwe0YONT41VC1NLS1NWk0tLU0tHjMeHjM8Mx4eMwMcIEQ7KQgrWisIKTtEID4bGRsbGRs+IEQ7KQgrWisIKTtEID4bGRsbGRtaD0g0Gj03HQFEjkQBHTc9GjRIDxsgIBsPSDQaPTcdAUSORAEdNz0aNEgPGyAg/i1NWk0tLU1aTS04HjM8Mx4eMzwzHgAAAAIAAAAAA78DtAAzAEAAAAEeARcOAR4BNxYUByYOARYXDgEHMS4BIgYHMS4BJz4BLgEHJjQ3Fj4BJic+ATcxHgEyNjcDIg4BFB4BMj4BNC4BAlZGezAQAh83HhUVHjcfAhAwe0YONT41DkZ7MBACHzceFRUeNx8CEDB7Rg41PjUOYh4zHh4zPDMeHjMDtA9INBo9Nx0BRI5EAR03PRo0SA8bICAbD0g0Gj03HQFEjkQBHTc9GjRIDxsgIBr+sB4zPDMeHjM8Mx4AAgAAAAADsQN8ABsALQAACQEWFAcBBiY9ASIHBgcGBwYHNTY3Njc2NzU0NhcVFAYHBA8BNzY3MzIWFx0BNwJgAUQNDP66DBGhdl8+LRkMBAUcL2OD1BEtHhf+43UPCpDlGRgjA+gDcP7DDCIM/r8MCBGoJx82JzAZEhJWV5Bgfx+nEQiEPBgkBCnhHwVQBCAYBzvkAAEAAAAAA7EDdAAqAAABNDYXARYUBwEGJj0BIgcGBwYHBgcGBwYHBg8BNzY3Njc2NzY3Njc2NzY3AkESDAFFDAz+uwwSVUpDODIqJB0YEw4KCAQDAQEFBwwOFhsjKTQ6SE9fA1wRBwz+yQsiDP7HDAcRpAoKExAXFRkVGRMVDg4KFRweKik0LjcuNSktHiENAAUAAAAAA3kDlgArADcATwB+AKIAABMuATQ/AT4BMyEyFh8BFhUUDgEjIiYnDgEiJicOASMiJxEhMhYUBiMhIiY1EyEyFhQGIyEiJjQ2ASchBwYVFBYyNjUzFBYyNjUzFBYyNjU0EzMUBwYHNwc0DwEGBwYPAQY3BiInFi8BJicmJyYnNSY1JzQ+ATMyFzYzMh4BHQEHNjUzIzA9ATQmIg8BJyYiBh0BNRQfARYXFhcWHwE3Njc2PwGlGR0OIgUdEwIwEx0FIg4oRCgjPRQVPUY9FRQ9IxQTASsMDw8M/scRGDcCIAsQEAv94AsQEAJXJP3QJAs3TTcvNk42LzdNNyobBwIHAwEBChIiFRkRCwULHAsGDBEZFSITCQYIAR4zHiEbHCAeMx46BBsbIS8RFBMRLyEEAQMGDx4TGA4OGBMdDwYBxBU8Qx6JEhcXEokeIShEKB8aGh8fGhofBf7zEBcQGBEDCBAWEBAWEP7Oj48UGCc2NicnNjYnJzY2Jxj+wRARCAoDAQECEBsfExQNCAQICAQIDRMUIBwNDQEUEQYeMx4SEh4zHgYOCQUDAxciEhQUEiIXBwEHCQEICRcbEhILCxISGxYJAAMAAAAAA3kDlgArADcAZgAAEy4BND8BPgEzITIWHwEWFRQOASMiJicOASImJw4BIyInESEyFhQGIyEiJjUTITIWFAYjISImNDYBMxQHBgc3BzQPAQYHBg8BBjcGIicWLwEmJyYnJic1JjUnND4BMzIXNjMyHgEdAaUZHQ4iBR0TAjATHQUiDihEKCM9FBU9Rj0VFD0jFBMBKwwPDwz+xxEYNwIgCxAQC/3gCxAQAowbBwIHAwEBChIiFRkRCwULHAsGDBEZFSITCQYIAR4zHiEbHCAeMx4BxBU8Qx6JEhcXEokeIShEKB8aGh8fGhofBf7zEBcQGBEDCBAWEBAWEP17EBEICgMBAQIQGx8TFA0IBAgIBAgNExQgHA0NARQRBh4zHhISHjMeBgAAAAQAAAAAA3kDlgAZACsANwBPAAATLgE0PwE+ATMhMhYfARYUBgcRFAYjISImNRMRIREGIyImJw4BIiYnDgEjIgMhMhYUBiMhIiY0NgEnIQcGFRQWMjY1MxQWMjY1MxQWMjY1NKcaHg4jBR4TAjwTHgUiDx4aGBH9uBEYNwIsFBQkPhUVPkg+FRU/IxQUAiwLEBAL/dQLERECYyT9xCQLN084MDdPODA4TjgBuxU9RR6MEhgYEoweRT0V/sIRGBgRASH+7QETBR8bGx8fGxsfAfwQFxERFxD+yJGRFRgoNzcoKDc3KCg3NygYAAAAAwAAAAADeQOWABkAKwA3AAATLgE0PwE+ATMhMhYfARYUBgcRFAYjISImNRMRIREGIyImJw4BIiYnDgEjIgMhMhYUBiMhIiY0NqcaHg4jBR4TAjwTHgUiDx4aGBH9uBEYNwIsFBQkPhUVPkg+FRU/IxQUAiwLEBAL/dQLEREBuxU9RR6MEhgYEoweRT0V/sIRGBgRASH+7QETBR8bGx8fGxsfAfwQFxERFxAAAAQAAAAAA54DegAnACsANAA9AAATMhYfASEyFhUUBwMOAQcFFx4BMyEyFhQGIyEiJicDLgErASImNDYzEyUTIRMUFjI2NCYiBgUUFjI2NCYiBoUgMAMEAooXIQJTBRoR/fEDARALAhcLEBAL/ekgMAM1Ag8LTQwQEAzMAhBS/Xs1IC4hIS4gAYUgLiEhLiADeSsgJCEXCAf+5hAWAjEiCg4RFxArIAIACg8QFxD+DjIBGf2dFyAgLiEhFxcgIC4hIQAAAAADAAAAAAOxA3oAIwAsADUAABMyFh8BIRcVAxQxBRceATMhMhYUBiMhIiYnAy4BKwEiJjQ2MxMUFjI2NCYiBgUUFjI2NCYiBoUgMAMEAtMBcv3MAwEQCwIXCxAQC/3pIDADNQIPC00MEBAM3iAuISEuIAGFIC4hIS4gA3krICQBAf5+ATUiCg8QFxArIAIACg8QFxD89hcgIC4hIRcXICAuISEAAAQAAAAAA3kDeQADABMAKwBDAAATESERJSEyFhURFAYjISImNRE0NgEzMhYUBisBIiY9ATQ2MhYdATc2MhYUBwEjIiY0NjsBMhYdARQGIiY9AQcGIiY0N6cCmv1mApoXISEX/WYXISEB+mQMEBAMpwsQEBcQdwgYEAj+XGQMEBAMpwsQEBcQdwgYEAgDQf1mApo4IRf9ZhchIRcCmhch/uoQFxAQC6cMEBAMZHgIEBgI/qsQFxAQC6cMEBAMZHgIEBgIAAAEAAAAAAN5A3kAAwANABsAPAAAExEhESUhERQGIyEiJjUBMhYfASMnIQcjNz4BMwE2HwEWDwEWBg8BBiciLwEmNSc0PwE+AR8BFjY/ATYyF6cCmv0uAwohF/1mFyECsBAbByg+HP2qHD4oBxsQAf8CAgYBAgEDAQT1BwkFBG8DAQMKAwoEVwMKBOQECAQC0v3VAis4/Z0XISEXAtIRDlA3N1AOEf7qAQEGAgECAwkE9QcBBG0DBQEFBA0EAQI6AwEDuQMCAAAAAAUAAAAAA3kDeQAGABkANAA9AEYAAAEhESERMxUXBzUjIiY1ETQ2MyEyFhURFAYjAzEUDgEiLgE1MTQ2MhYVFB4BMj4BPQE0NjIWJTIWFAYiJjQ2ITIWFAYiJjQ2AVYB6/1mb1OLNxchIRcCmhchIResLExYSy0RFxAdMjoxHhAXEf7UDBAQFxERASELEREXEBABFgIr/dUzBW9vIRcCKxchIRf91RchAU4uTC0tTC0MEBALHzMeHjIeAQwQEJsQFxAQFxAQFxAQFxAAAAQAAAAAA3kDeQASAC0ANgA/AAAlBzUjIiY1ETQ2MyEyFhURFAYjAzQmIgYdARQOASIuATU0JiIGFTEUHgEyPgE1JSIGFBYyNjQmISIGFBYyNjQmAWmLNxchIRcCmhchIResERcQHjE6Mh0QFxEtS1hMLP7UCxERFxAQAQoMEBAXERHeb28hFwIrFyEhF/3VFyEBTgsQEAwBHjIeHjMfCxAQDC1MLS1MLqYQFxAQFxAQFxAQFxAAAAAFAAAAAAOVA5UAFAApADIAOwBPAAAlMjc2NzY0JyYnJiIHBgcGFBcWFxYXIicmJyY0NzY3NjIXFhcWFAcGBwYBFBYyNjQmIgYFFBYyNjQmIgYXPgEeAQcOASImJyY+ARYXHgEyNgH0YVNRLzExL1FTwlNRLzExL1FTYXFhXzc5OTdfYeJhXzc5OTdfYf7GHCgcHCgcATUcJxwcJxxNBBYXCwQbg6KDGgULFxcEFGR8ZI8xL1FTwlNRLzExL1FTwlNRLzE8OTdfYeJhXzc5OTdfYeJhXzc5AgwUGxsoHBwUFBsbKBwcsQwLCRYLTF1dTAsWCQsMOUhIAAQAAAAAA7EDsQAUACkAMgA7AAABMhcWFxYUBwYHBiInJicmNDc2NzYBJgYHDgEiJicuAQ4BFx4BMjY3NiYlIgYUFjI2NCYhIgYUFjI2NCYB9HlnZTs8PDtlZ/JnZTs8PDtlZwFYDBYEFWR8ZBQEFxcLBRqDooMbBAv+fRQcHCgcHAEhFBwcJxwcA7A8O2Vn8mdlOzw8O2Vn8mdlOzz+JQQLDDlISDkMCwkWC0xdXUwLFr8cKBsbKBwcKBsbKBwAAAIAAAAAA3oDegAWAC4AAAEVERQGIiYvAREHDgEvAS4BPwI2MhY3MhYfARE3PgEfAR4BDwIGIiYvARE0NgG8ICwgAgF/DyoQBg8CDQTeESshqRUgAgF/DyoQBg4DDQTfECshAgEhA0gH/WYXIRwVBwIUfw8DDQUPKhAF3xAbGxwVB/3sfw8DDQUPKhAF3xAbFgcCmhchAAAAAgAAAAADuQOYAAkALAAAATcvAQ8BFwc3FycHBiYnJjcTJyY2NzY3JTc+ARcWHwEFHgEHBg8BExYGBwYnAsCn9X5+9acZ5eXl+gsVBQMBG7YHAQgGBwELigYWCgYEigELCw0DAQW2GwEODAcHAXq7NdjYNbv5ZWUobgQICgcHARDMCRcIBAI67AoGBgMH7DoCFAsHBsz+8AsSAQEDAAAAAAEAAAAAA7kDpQAiAAAlBwYmJyY3EycmNjc2NyU3PgEXFh8BBR4BBwYPARMWBgcGJwH0+gsVBQMBG7YHAQgGBwELigYWCgYEigELCw0DAQW2GwEODAcHtm4FCQoHBwEQzAkXCAQCOuwKBgYDB+w6AhQLBwbM/vALEgEBAwADAAAAAAOxA7EADwAkADkAAAEzMhYdARQGKwEiJj0BNDYTMjc2NzY0JyYnJiIHBgcGFBcWFxYXIicmJyY0NzY3NjIXFhcWFAcGBwYBhd8LEBAL3wsQEHpqWlg0NTU0WFrUWlg0NTU0WFpqeWdlOzw8O2Vn8mdlOzw8O2VnAn8QDN4LEREL3gwQ/fA1NFha1FpYNDU1NFha1FpYNDU3PDtlZ/JnZTs8PDtlZ/JnZTs8AAIAAAAAA7EDsQAUACQAACUiJyYnJjQ3Njc2MhcWFxYUBwYHBgMiBh0BFBY7ATI2PQE0JiMB9HlnZTs8PDtlZ/JnZTs8PDtlZ+gLEBAL3wsQEAs4PDtlZ/JnZTs8PDtlZ/JnZTs8AkcQDN4LEREL3gwQAAAAAQAAAAACvQK9AA8AAAEhMhYVERQGIyEiJjURNDYBVAFAERcXEf7AERcXArwXEf7AERcXEQFAERcAAAAAAQAAAAADegMmABcAABMuAT8BPgEfARY2NwE2Fh8BFgYHAQYiJ3cHAgcUBhQIrQcUBwHJCBUHCwcBB/4VDCELAdwHFQgZBwQGcwUBBQF0BgEHCwcVCP4WCwwAAAAFAAAAAAOxA7EAMQA1AGYAewCQAAABBzc2Fg8CFB8BFgYPAQ4BFxYHBg8BFB0BFgYHBQYmPQE0Nj8BPgE3Njc+Aj8BNhYHFTc1NwYHBgcGBwYHBgcVNz4BNScmNzY/ATY1NicmNj8BPgEvASY/ATY3NiYjBwYmPwE2JgMyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgJDBkYcIQcCAQEBBAIFAQIBAQMBAQYDAhoU/tsSGhIORQwZCggGAgQUDgUfKu8higQBAQMGCQ0REhjWBAcBAgIBAgMDAQEDAgQBAgICAgIBAgEBAgUGSxIaAgYBDRlqWlg0NTU0WFrUWlg0NTU0WFpqeWdlOzw8O2Vn8mdlOzw8O2VnAqBNCAMmHAcJAgMEDhsMAwQJBQsJDg0GAwMDFSIDMAMXEqMOFgMNAysjHSMRGxcEAQMp6Z0Fn94CAw0SJh8uGh0IoCMBBgMECQoFBQcFBwQEDBQLAgYOBwQLCQwJAgcECQIYElMMDv2xNTRYWtRaWDQ1NTRYWtRaWDQ1Nzw7ZWfyZ2U7PDw7ZWfyZ2U7PAAAAAQAAAAAA7EDsQAUAEYASgB7AAABMhcWFxYUBwYHBiInJicmNDc2NzYTNiYPAQ4CBwYHDgEPAQ4BHQEUFjclPgEnNTQ1NzY3NicmNj8BPgEvASY1PwE2Jg8CFQc1NzYWDwEGFj8BMhYHBg8BBh8BFgYPAQ4BFxYHFA8BBgcGHwEOAQ8BNTY3Njc2NzY3NgH0eWdlOzw8O2Vn8mdlOzw8O2VnyAIqHwUOFAQCBggKGQxFDhIaEgElFBoCAwYBAQMBAQIBBQIEAQEBAgchHEbGIasMDQEGAhoSSwYFAgEBAgECAgICAgEEAgMBAQMDAgECAgEBBgTWGBIRDQkGAwEBA7A8O2Vn8mdlOzw8O2Vn8mdlOzz+8CEpAwEEFxsRIx0jKwMNAxYOoxIXAzADIhUDAwMGDQ4JCwUJBAMMGw4EAwIJBxwmAwh0nwWd5QEODFMSGAIJBAcCCQwJCwQHDgYCCxQMBAQHBQcFBQoJBAMGASOgCB0aLh8mEg0DAAAABwAAAAADsQN5ABoAJwA0AEQAUABcAGgAABMhMhYdARQGIiY9ASERMzIWFAYrASImNRE0NgEyPgE0LgEiDgEUHgEXIi4BND4BMh4BFA4BAzQ2MhYdARcWFAYiLwEmNQEhMhYUBiMhIiY0NhczMhYUBisBIiY0NhczMhYUBisBIiY0Nt4CLBcgEBcQ/dTDCxAQC8MXICACCy1NLS1NWk0sLE0tPGY8PGZ5Zjs7ZlkRFxA2CBAXCDYR/nwBTQsREQv+swwQEAzeCxERC94MEBAMbwsQEAtvDBAQA3khF/oLEBAL+v1mERcQIRcCmhch/PYtTVpNLCxNWk0tNztmeWY8PGZ5ZjsBMAsQEAtINQkXEAg2EBcBshAXEBAXEG8QFxAQFxBvEBcRERcQAAAABgAAAAADeQN5AAwAIgAzAD8ASwBXAAABMh4BFA4BIi4BND4BEzIWFREmIyIOARUUFhchIiY1ETQ2MwEiBh0BFB8BFjI2NC8BNTQmJSMiBhQWOwEyNjQmNyMiBhQWOwEyNjQmNyEiBhQWMyEyNjQmAtItTS0tTVpNLCxNZRcgNTo8ZjwpJP6dFyAgFwH0CxERNggXEAg2EP7DbwwQEAxvCxAQZN4MEBAM3gsREWT+swwQEAwBTQsREQG8LE1bTC0tTFtNLAG9IRf+lB88ZjwxVx8hFwKaFyH+ChALSBcQNggQFwg2SAsQcRAXEREXEG8QFxAQFxBvEBcQEBcQAAAAAAQAAAAAA3kDeQADAA0AHAAqAAATESERJSERFAYjISImNQEyFh8CHgEOAS8BNzQ2ATIWHwEjJyEHIzc+ATOnApr9LgMKIRf9ZhchAXIFCAETdgUDBQkFsRgIAUMQGwcoPhz9qhw+KAcbEALS/dUCKzj9nRchIRcBvAcFvksDCgkEATnpBQcBFhEOUDc3UA4RAAMAAAAAA3kDeQAfACMANQAAEyEyFhURFAYjIRUzMhYUBiMhIiY0NjsBNSEiJjURNDYTIREhAQcGJicmPQE0NjMyHwEeAQcGpwKaFyEhF/7PpgwQEAz+fAwQEAym/s8XISEXApr9ZgHCvAoWBQMQDAYGvAoIBgQDeSEX/gwXIG8RFxAQFxFvIBcB9Bch/dQB9P7/XgUHCgYHuwwQA14FFgoIAAAAAwAAAAADsQOxABUAKQA+AAABISImNz4CNzU0NjIWHQEeAhcWBgcUBiImPQE0NjIWHQEUFjI2PQEzAyIHBgcGFBcWFxYyNzY3NjQnJicmAuz+EA0QAQdFbEAQGBBAbEUHARDpMUUxEBcREBcQOBx5Z2U7PDw7ZWfyZ2U7PDw7ZWcB9BMNQGpDBh8LEBALHwZDakANE94jMTEjHAsQEAscDBAQDKYB9Dw7ZWfyZ2U7PDw7ZWfyZ2U7PAAAAAADAAAAAAOxA7EAFAApADgAACUyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgMyFhcTFx4BDgEvARM0NgH0alpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZ3wHCwEbqgYFBw4H/CIMbzU0WFrUWlg0NTU0WFrUWlg0NTc8O2Vn8mdlOzw8O2Vn8mdlOzwC0goI/vFrBA4OBgNRAUwICgAAAgAAAAADsQOxABQAJQAAATIXFhcWFAcGBwYiJyYnJjQ3Njc2FyIGFQMXFjY3MTYmLwEDLgEB9HlnZTs8PDtlZ/JnZTs8PDtlZ3YHDCL8Bw4DBAUGqhsBCgOwPDtlZ/JnZTs8PDtlZ/JnZTs8pgoI/rRRAwYHBw4EawEPCAoAAAADAAAAAAOxA7EAFAApAD8AACUyNzY3NjQnJicmIgcGBwYUFxYXFhciJyYnJjQ3Njc2MhcWFxYUBwYHBgMfARYUBiIvAREUBiImNREHBiImNDcB9GpaWDQ1NTRYWtRaWDQ1NTRYWmp5Z2U7PDw7ZWfyZ2U7PDw7ZWd3J4kIEBcIcBAXEGwIFxAIbzU0WFrUWlg0NTU0WFrUWlg0NTc8O2Vn8mdlOzw8O2Vn8mdlOzwCmyiJCBcRCW/+yAwQEAwBNGsJERcIAAAAAAUAAAAAA7EDsQAMABkAQQBaAI0AAAEiLgE0PgEyHgEUDgE3NC4BIg4BFB4BMj4BEwYPBAYPAQYPAQYPAQYiLwEmLwEmLwEmLwQmLwE+ATIWFwE0NzY3NjIXFhcWFRQGByYnJiIHBgcmJyYFNjc2NTQnJicmIgcGBwYVFBceAR8BFh8BFh8BFh8BFh8BFjI/ATY/ATY/ATY/ATY/ATYB9B4zHh4zPDMeHjOJLU1aTS0tTVpNLXEHDQkgIRAMBg8OBw8PCCYUKBQnBw8PBw4PBgwRIR8JDQcCLpWulS79YTU0WFvSW1g0NSUiNVNVwlVTNSISEwLiLhgZPDtlZ/JnZTs8GRhcPQUREwoSDg8OEQ8OFA8aLhoPFA0QEQ4PDxALExEEPgIsHTQ8Mx4eMzw0HW8tTC0tTFtMLS1M/noIDAgYFAkFAwUGAgQEAgYCAgYCBAQCBgUDBQkUGAgMCAJJU1NJAQtpW1g0NTU0WFtpPXExTiwtLSxOMTc61TpESEx5Z2U7PDw7ZWd5TEhEdSgDCwkFCAYFBQQEAwMDAgIDAwMEBAUFBggFCQsDKAAABAAAAAADeQOxABgAIQAuADsAAAEXNzMyHwEeAR0BFAYjISImPQE0Nj8BNjMXIwcVITUnIwcRMh4BFA4BIi4BND4BFyIOARQeATI+ATQuAQGFb28rDQuzDxEhF/1mFyERD7MLDRQUswKasxSGPGY8PGZ4Zjw8ZjwtTS0tTVpNLS1NAbxvbwVWBhwQwBcgIBfAEBwGVgU3VsDAVoYCsTtmeWY8PGZ5Zjs3LU1aTSwsTVpNLQAACAAAAAADeQN5AAMAEwAXACkALAAwADQAOAAAExEhESUhMhYVERQGIyEiJjURNDYXIRUhAQcGJicmPQE0NjMyHwEeAQcGLwEVAzMXIzczFyM3MxcjpwKa/WYCmhchIRf9ZhchIRcCmv1mAcK8ChYFAxAMBga8CggGBEVwpjc4N244ODhvODg4A0H9ZgKaOCEX/WYXISEXApoXIac3/u1eBQcKBge8CxADXQYVCwgVN28B2G9vb29vAAYAAAAAA3kDeQAJABMAFwAbAB8AMQAAASE1NDYzITIWHQERFAYjISImNRE3FzMnMxczJzMXMycDNjc2Ji8BJiMiBh0BFBceATcDefz2IRcCmhchIRf9Zhchpzg3OG84ODhvODg4MggEBggKvAYGDBADBRYKAtJvFyEhF6b+DBchIRcB9KZvb29vb2/+RwQICxUGXQMQC7wHBgoHBQAAAAAHAAAAAAOxA0IADwATABcAHwAjACsAMwAAATIWFREUBiMhIiY1ETQ2MwUhESERIRUhBTMXMzczByM3MxUjNzMyFCsBFSM3FTMyNjQmIwN5FyAgF/z2FyAgFwMK/PYDCvz2Awr9dypCAUEqVC+cJydWY1ZXOycnORkZGRoDQSAX/dQXICAXAiwXIKb+QwIsOJfCwu7u7u6SXM1QEyoTAAAABgAAAAADsQNCAAkAEwAbAB8AJwAvAAABITU0NjMhMhYdAREUBiMhIiY1ER8BMzcjByMnMxUzNTMVMzUzMjQjBzMyFg4BKwEDsPyIIBcDChcgIBf89hcguFUvVCpCAUHHJy8nO1dXOzkZGQEYGjgC0jgXICAXb/5DFyAgFwG9YO7uwsLu7u5ckiETKhMAAAAACAAAAAADsQOVAAUAFwAnADMAPABFAE4AVwAAARcRByMRFyMiJjURNDY7ATcyFhURFAYjARYXFhQHBgcnNjc2NCcmJwceARQGByc+ATQmJxMiJjQ2MhYUBgMiJjQ2MhYUBhMiJjQ2MhYUBgMiJjQ2MhYUBgEk29u1tcMRGBgRw94XICAXASw+IiIiIj4nNh0fHx02TycrKycnHyIiHxMLEBAXEBAKDBAQFxAQaQsRERcQEAwLEBAXEBABMpoCuJr+fDgWDwGqDxanFxD9DBAXAts9UFO0U1A9JzZGSJ5IRjZPJmVyZSYnH1FaUR/+lhAXEREXEAFhERcQEBcR/ikRFxAQFxECThAXEREXEAAAAAADAAAAAAOxA2gAFQAqAD8AAAE2FhURFAYvASYrASImNRE0NjsBMjclNjIXHgEUBgcGIiY0Nz4BNCYnJjQHNjIXHgEUBgcGIiY0Nz4BNCYnJjQCAg0dHQ3fDRCXFyAgF5cQDQHcCBcIQ0dHQwgXEAg7Pz87CG4IFwgsLi4sCBcQCCMmJiMIA2AIEBD9WBAQCIYIIBcBThcgCGgICEOsvqxDCBAXCDuZppk7CBduCAgrcHpwKwgQFwgkW2RbJAgXAAACAAAAAAOBA4wAEQAzAAATJjY3ATYyFwEeAQ4BJwkBBiYBFAYrASImNREzETM1NDY7ATIWHQEzETMRFAYrASImPQEjbwcBCQFeDyoPAV4JAQ8XCP6i/qIIFwFFIRemFyA3piEXbxggpzcgF6cXIW8CLAgXCAErDg7+1QgXEQIIASv+1QgC/oQXISEXAdj+KKYXISEXpgHI/jgXISEXpgAAAQAAAAADgQODACQAAAkBHgEOAS8BERQGKwEiJj0BIxUxFAYrASImNREHBi4BNjcBNjICGAFeCAIPFwgRIBimFyFvIRemFyEQCRcPAgkBXg8pA3X+1AgXEQIIDv5wFyEhF6amFyEhFwGQDggCERcIASwNAAADAAAAAAN5AwoACwAXACMAABMhMhYUBiMhIiY0NhchMhYUBiMhIiY0NhchMhYUBiMhIiY0NqACqBQdHRT9WBQdHRQCqBQdHRT9WBQdHRQCqBQdHRT9WBQdHQMKHSgcHCgd8x0oHBwoHfMdKB0dKB0ABAAAAAADeQNGAAIAFAAkAC0AAAkBIQkBFgYHBiMhIiY1NDcBPgEXFgc0NjsBMhYVAxQGKwEiJjUXIiY0NjIWFAYB8f62ApX+5gFLCw0UDQ79axchBwFLCywUDkIEBCkDBAYEAx0DBRYLEREXEBADCv2gAnr9oBQsCwchFw4MAmAVDQsI2wMEBAP++QMEBANbERcQEBcRAAAEAAAAAAOxA7EAFAApADkAQgAAJTI3Njc2NCcmJyYiBwYHBhQXFhcWFyInJicmNDc2NzYyFxYXFhQHBgcGAzQ2OwEyFhUDFAYrASImNRciJjQ2MhYUBgH0alpYNDU1NFha1FpYNDU1NFhaanlnZTs8PDtlZ/JnZTs8PDtlZ50FBToEBgkGBCkEBh8QFxcgFxdvNTRYWtRaWDQ1NTRYWtRaWDQ1Nzw7ZWfyZ2U7PDw7ZWfyZ2U7PAKuBQYGBf6QBAYGBH8XIBcXIBcAAAADAAAAAAOxA7EAFAAdAC0AAAEyFxYXFhQHBgcGIicmJyY0NzY3NhMiBhQWMjY0JhMjIgYVExQWOwEyNjUTNCYB9HlnZTs8PDtlZ/JnZTs8PDtlZ3wQFxcgFxcNOgUFCAYEKQQGCQYDsDw7ZWfyZ2U7PDw7ZWfyZ2U7PP2VFyAXFyAXAawGBf6QBAYGBAFwBQYAAAAAAwAAAAAD6AKbAAwAGQAmAAABIi4BND4BMh4BFA4BJSIuATQ+ATIeARQOASEiLgE0PgEyHgEUDgEB9C1NLS1NWk0tLU0BWB4zHh4zPDMeHjP82B4zHh4zPDMeHjMBTS1NWk0tLU1aTS04HjM8Mx4eMzwzHh4zPDMeHjM8Mx4AAAABAAAAAAN5A3kALwAAAQYnJi8BJjYWHwEeATc2NyUmJyYjIgcGBwYVFBcWFwcUFjc2NxYzMjc2NzY1NCcAAXUfEAgCPwgDDAgdGyQYDAgBmTlZW2hxYV44OCoqShMJDRhNSlBxYl43OSz+UwGJEQ8HC5UZEwEGFhMXAgEDwUoqKzMxVVdlV05LNG4IBwcLNBozMVVXZVhO/vcAAAAGAAAAAAOxA14AGAA1AD4ARwBQAFkAAAEyFhcWFRQHBgcXJwcGBwYjIicuATQ2NzYnMh4BFyYjIgcOARUUFwYjIicmLwEHNyY1NDc+AQEiBhQWMjY0JjMiBhQWMjY0JiUiBhQWMjY0JjMiBhQWMjY0JgKmRnskJiAcMhdWAh8PGhRKPj1HRz0+6UyIXA0QDko+PEgKEA0XGA8eE24gfisqkAE2DxUVHhUVng8VFR4VFf36EhkZJBkZyhIZGSMZGQJyPjM2PTMwLCZOLwEHAwUfHml8aB4g6zllPgIiIXJEISEBBAIGBDdeWHxJPzxH/psVHRUVHRUVHRUVHRXjGSMZGSMZGSMZGSMZAAAAAwAAAAADeQOzABoAIwBQAAABBREUBwYHBgcGByYnJicmJyY1ESU3NhcWFxYDFR4BPwE1BwYXNz4BJzUmNzY3Njc2Jj4CJyY3NjcxNiYPAQYmPwE2Jgc3DgEPAQYHBgcGBwJDATYGCh0mRVN+flNFJh4KBQE8CBYYDw4H8AMKBjA1CVPoDRACAQEBAwUBAQQBCAIEAgEBAwQTEk0JCwEGAh8XBAkOAQQGBwsOERYDpV7+cSkcMy07Mz0wMD0zOy0zHCkBj18DCQIBBgP+S70FBQEI0woCxCcCFg0EBgUEBgsMBxEPFBYMCgYOCBIWAgoBCwlXGR0EAQEPChwjHiobIQYAAAAAABAAxgABAAAAAAABABAAAAABAAAAAAACAAcAEAABAAAAAAADABAAFwABAAAAAAAEABAAJwABAAAAAAAFAAsANwABAAAAAAAGABAAQgABAAAAAAAKACsAUgABAAAAAAALABMAfQADAAEECQABACAAkAADAAEECQACAA4AsAADAAEECQADACAAvgADAAEECQAEACAA3gADAAEECQAFABYA/gADAAEECQAGACABFAADAAEECQAKAFYBNAADAAEECQALACYBinZhbnQtaWNvbi1mNDYzYTlSZWd1bGFydmFudC1pY29uLWY0NjNhOXZhbnQtaWNvbi1mNDYzYTlWZXJzaW9uIDEuMHZhbnQtaWNvbi1mNDYzYTlHZW5lcmF0ZWQgYnkgc3ZnMnR0ZiBmcm9tIEZvbnRlbGxvIHByb2plY3QuaHR0cDovL2ZvbnRlbGxvLmNvbQB2AGEAbgB0AC0AaQBjAG8AbgAtAGYANAA2ADMAYQA5AFIAZQBnAHUAbABhAHIAdgBhAG4AdAAtAGkAYwBvAG4ALQBmADQANgAzAGEAOQB2AGEAbgB0AC0AaQBjAG8AbgAtAGYANAA2ADMAYQA5AFYAZQByAHMAaQBvAG4AIAAxAC4AMAB2AGEAbgB0AC0AaQBjAG8AbgAtAGYANAA2ADMAYQA5AEcAZQBuAGUAcgBhAHQAZQBkACAAYgB5ACAAcwB2AGcAMgB0AHQAZgAgAGYAcgBvAG0AIABGAG8AbgB0AGUAbABsAG8AIABwAHIAbwBqAGUAYwB0AC4AaAB0AHQAcAA6AC8ALwBmAG8AbgB0AGUAbABsAG8ALgBjAG8AbQAAAAIAAAAAAAAACgAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA8AECAQMBBAEFAQYBBwEIAQkBCgELAQwBDQEOAQ8BEAERARIBEwEUARUBFgEXARgBGQEaARsBHAEdAR4BHwEgASEBIgEjASQBJQEmAScBKAEpASoBKwEsAS0BLgEvATABMQEyATMBNAE1ATYBNwE4ATkBOgE7ATwBPQE+AT8BQAFBAUIBQwFEAUUBRgFHAUgBSQFKAUsBTAFNAU4BTwFQAVEBUgFTAVQBVQFWAVcBWAFZAVoBWwFcAV0BXgFfAWABYQFiAWMBZAFlAWYBZwFoAWkBagFrAWwBbQFuAW8BcAFxAXIBcwF0AXUBdgF3AXgBeQF6AXsBfAF9AX4BfwGAAYEBggGDAYQBhQGGAYcBiAGJAYoBiwGMAY0BjgGPAZABkQGSAZMBlAGVAZYBlwGYAZkBmgGbAZwBnQGeAZ8BoAGhAaIBowGkAaUBpgGnAagBqQGqAasBrAGtAa4BrwGwAbEBsgGzAbQBtQG2AbcBuAG5AboBuwG8Ab0BvgG/AcABwQHCAcMBxAHFAcYBxwHIAckBygHLAcwBzQHOAc8B0AHRAdIB0wHUAdUB1gHXAdgB2QHaAdsB3AHdAd4B3wHgAeEB4gHjAeQB5QHmAecB6AHpAeoB6wHsAe0B7gHvAfAB8QAFYWRkLW8KYWRkLXNxdWFyZQNhZGQKYWZ0ZXItc2FsZQNhaW0GYWxpcGF5BmFwcHMtbwphcnJvdy1kb3duCmFycm93LWxlZnQIYXJyb3ctdXAFYXJyb3cJYXNjZW5kaW5nBWF1ZGlvB2F3YXJkLW8FYXdhcmQIYmFjay10b3AFYmFnLW8DYmFnDmJhbGFuY2UtbGlzdC1vDGJhbGFuY2UtbGlzdAliYWxhbmNlLW8LYmFsYW5jZS1wYXkLYmFyLWNoYXJ0LW8EYmFycwRiZWxsBmJpbGwtbwRiaWxsD2JpcnRoZGF5LWNha2Utbwpib29rbWFyay1vCGJvb2ttYXJrEmJyb3dzaW5nLWhpc3RvcnktbxBicm93c2luZy1oaXN0b3J5B2JydXNoLW8GYnVsYi1vCmJ1bGxob3JuLW8KY2FsZW5kYXItbwRjYXJkDWNhcnQtY2lyY2xlLW8LY2FydC1jaXJjbGUGY2FydC1vBGNhcnQQY2FzaC1iYWNrLXJlY29yZA9jYXNoLW9uLWRlbGl2ZXIJY2FzaGllci1vC2NlcnRpZmljYXRlEGNoYXJ0LXRyZW5kaW5nLW8GY2hhdC1vBGNoYXQHY2hlY2tlZAZjaXJjbGUFY2xlYXIHY2xvY2stbwVjbG9jawVjbG9zZQpjbG9zZWQtZXllCWNsdXN0ZXItbwdjbHVzdGVyBmNvbHVtbhBjb21tZW50LWNpcmNsZS1vDmNvbW1lbnQtY2lyY2xlCWNvbW1lbnQtbwdjb21tZW50CWNvbXBsZXRlZAdjb250YWN0CGNvdXBvbi1vBmNvdXBvbgpjcmVkaXQtcGF5BWNyb3NzCWRlYml0LXBheQhkZWxldGUtbwZkZWxldGUKZGVzY2VuZGluZwtkZXNjcmlwdGlvbglkZXNrdG9wLW8JZGlhbW9uZC1vB2RpYW1vbmQIZGlzY291bnQEZG93bgllY2FyZC1wYXkEZWRpdAhlbGxpcHNpcwVlbXB0eQdlbmxhcmdlCWVudmVsb3AtbwhleGNoYW5nZQhleHBhbmQtbwZleHBhbmQFZXllLW8DZXllBGZhaWwHZmFpbHVyZQhmaWx0ZXItbwZmaXJlLW8EZmlyZQZmbGFnLW8IZmxvd2VyLW8GZm9udC1vBGZvbnQMZnJlZS1wb3N0YWdlCWZyaWVuZHMtbwdmcmllbmRzBWdlbS1vA2dlbQtnaWZ0LWNhcmQtbwlnaWZ0LWNhcmQGZ2lmdC1vBGdpZnQLZ29sZC1jb2luLW8JZ29sZC1jb2luCmdvb2Qtam9iLW8IZ29vZC1qb2IPZ29vZHMtY29sbGVjdC1vDWdvb2RzLWNvbGxlY3QHZ3JhcGhpYwZob21lLW8FaG90LW8KaG90LXNhbGUtbwhob3Qtc2FsZQNob3QHaG90ZWwtbwZpZGNhcmQGaW5mby1vBGluZm8IaW52aXRpb24HbGFiZWwtbwVsYWJlbAZsaWtlLW8EbGlrZQRsaXZlCmxvY2F0aW9uLW8IbG9jYXRpb24EbG9jawlsb2dpc3RpY3MJbWFuYWdlci1vB21hbmFnZXIKbWFwLW1hcmtlZAdtZWRhbC1vBW1lZGFsBW1pbnVzBm1vcmUtbwRtb3JlB211c2ljLW8FbXVzaWMNbmV3LWFycml2YWwtbwtuZXctYXJyaXZhbAVuZXctbwNuZXcLbmV3c3BhcGVyLW8Hbm90ZXMtbwhvcmRlcnMtbwlvdGhlci1wYXkEcGFpZAZwYXNzZWQOcGF1c2UtY2lyY2xlLW8McGF1c2UtY2lyY2xlBXBhdXNlCHBlZXItcGF5D3BlbmRpbmctcGF5bWVudA5waG9uZS1jaXJjbGUtbwxwaG9uZS1jaXJjbGUHcGhvbmUtbwVwaG9uZQpwaG90by1mYWlsB3Bob3RvLW8FcGhvdG8KcGhvdG9ncmFwaA1wbGF5LWNpcmNsZS1vC3BsYXktY2lyY2xlBHBsYXkEcGx1cwxwb2ludC1naWZ0LW8KcG9pbnQtZ2lmdAZwb2ludHMHcHJpbnRlcgpxci1pbnZhbGlkAnFyCnF1ZXN0aW9uLW8IcXVlc3Rpb24HcmVjb3JkcwhyZWZ1bmQtbwZyZXBsYXkGcmV2b2tlBHNjYW4Gc2VhcmNoC3NlbmQtZ2lmdC1vCXNlbmQtZ2lmdAlzZXJ2aWNlLW8Hc2VydmljZQlzZXR0aW5nLW8Hc2V0dGluZwdzaGFyZS1vBXNoYXJlDnNob3AtY29sbGVjdC1vDHNob3AtY29sbGVjdAZzaG9wLW8Ec2hvcA9zaG9wcGluZy1jYXJ0LW8Nc2hvcHBpbmctY2FydAZzaHJpbmsEc2lnbg9zbWlsZS1jb21tZW50LW8Nc21pbGUtY29tbWVudAdzbWlsZS1vBXNtaWxlBHNvcnQGc3Rhci1vBHN0YXINc3RvcC1jaXJjbGUtbwtzdG9wLWNpcmNsZQRzdG9wB3N1Y2Nlc3MOdGh1bWItY2lyY2xlLW8MdGh1bWItY2lyY2xlC3RvZG8tbGlzdC1vCXRvZG8tbGlzdAZ0b3NlbmQEdHYtbw91bWJyZWxsYS1jaXJjbGUKdW5kZXJ3YXktbwh1bmRlcndheQd1cGdyYWRlDXVzZXItY2lyY2xlLW8GdXNlci1vB3ZpZGVvLW8FdmlkZW8KdmlwLWNhcmQtbwh2aXAtY2FyZAh2b2x1bWUtbwZ2b2x1bWUKd2FwLWhvbWUtbwh3YXAtaG9tZQd3YXAtbmF2Bndhcm4tbwl3YXJuaW5nLW8Hd2FybmluZwl3ZWFwcC1uYXYKd2VjaGF0LXBheQZ3ZWNoYXQNeW91emFuLXNoaWVsZAAAAAA=) format("truetype")}',""])},6444:function(t,e){var n=function(t){return t.replace(/^\s+|\s+$/g,"")},i=function(t){return"[object Array]"===Object.prototype.toString.call(t)};t.exports=function(t){if(!t)return{};for(var e={},o=n(t).split("\n"),r=0;r<o.length;r++){var a=o[r],s=a.indexOf(":"),l=n(a.slice(0,s)).toLowerCase(),c=n(a.slice(s+1));"undefined"===typeof e[l]?e[l]=c:i(e[l])?e[l].push(c):e[l]=[e[l],c]}return e}},6718:function(t,e,n){var i=n("e53d"),o=n("584a"),r=n("b8e3"),a=n("ccb9"),s=n("d9f6").f;t.exports=function(t){var e=o.Symbol||(o.Symbol=r?{}:i.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:a.f(t)})}},6720:function(t,e,n){var i=n("d992");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("05e0a37c",i,!0,{sourceMap:!1,shadowMode:!1})},6762:function(t,e,n){"use strict";var i=n("5ca1"),o=n("c366")(!0);i(i.P,"Array",{includes:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),n("9c6c")("includes")},"67ab":function(t,e,n){var i=n("ca5a")("meta"),o=n("d3f4"),r=n("69a8"),a=n("86cc").f,s=0,l=Object.isExtensible||function(){return!0},c=!n("79e5")((function(){return l(Object.preventExtensions({}))})),u=function(t){a(t,i,{value:{i:"O"+ ++s,w:{}}})},h=function(t,e){if(!o(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!r(t,i)){if(!l(t))return"F";if(!e)return"E";u(t)}return t[i].i},d=function(t,e){if(!r(t,i)){if(!l(t))return!0;if(!e)return!1;u(t)}return t[i].w},f=function(t){return c&&A.NEED&&l(t)&&!r(t,i)&&u(t),t},A=t.exports={KEY:i,NEED:!1,fastKey:h,getWeak:d,onFreeze:f}},"67bb":function(t,e,n){t.exports=n("f921")},"67dd":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-overflow-hidden{overflow:hidden!important}.van-popup{position:fixed;max-height:100%;overflow-y:auto;background-color:#fff;-webkit-transition:-webkit-transform .3s;transition:-webkit-transform .3s;transition:transform .3s;transition:transform .3s,-webkit-transform .3s;-webkit-overflow-scrolling:touch}.van-popup--center{top:50%;left:50%;-webkit-transform:translate3d(-50%,-50%,0);transform:translate3d(-50%,-50%,0)}.van-popup--center.van-popup--round{border-radius:16px}.van-popup--top{top:0;left:0;width:100%}.van-popup--top.van-popup--round{border-radius:0 0 16px 16px}.van-popup--right{top:50%;right:0;-webkit-transform:translate3d(0,-50%,0);transform:translate3d(0,-50%,0)}.van-popup--right.van-popup--round{border-radius:16px 0 0 16px}.van-popup--bottom{bottom:0;left:0;width:100%}.van-popup--bottom.van-popup--round{border-radius:16px 16px 0 0}.van-popup--left{top:50%;left:0;-webkit-transform:translate3d(0,-50%,0);transform:translate3d(0,-50%,0)}.van-popup--left.van-popup--round{border-radius:0 16px 16px 0}.van-popup--safe-area-inset-bottom{padding-bottom:constant(safe-area-inset-bottom);padding-bottom:env(safe-area-inset-bottom)}.van-popup-slide-bottom-enter-active,.van-popup-slide-left-enter-active,.van-popup-slide-right-enter-active,.van-popup-slide-top-enter-active{-webkit-transition-timing-function:ease-out;transition-timing-function:ease-out}.van-popup-slide-bottom-leave-active,.van-popup-slide-left-leave-active,.van-popup-slide-right-leave-active,.van-popup-slide-top-leave-active{-webkit-transition-timing-function:ease-in;transition-timing-function:ease-in}.van-popup-slide-top-enter,.van-popup-slide-top-leave-active{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}.van-popup-slide-right-enter,.van-popup-slide-right-leave-active{-webkit-transform:translate3d(100%,-50%,0);transform:translate3d(100%,-50%,0)}.van-popup-slide-bottom-enter,.van-popup-slide-bottom-leave-active{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}.van-popup-slide-left-enter,.van-popup-slide-left-leave-active{-webkit-transform:translate3d(-100%,-50%,0);transform:translate3d(-100%,-50%,0)}.van-popup__close-icon{position:absolute;z-index:1;color:#c8c9cc;font-size:22px;cursor:pointer}.van-popup__close-icon:active{color:#969799}.van-popup__close-icon--top-left{top:16px;left:16px}.van-popup__close-icon--top-right{top:16px;right:16px}.van-popup__close-icon--bottom-left{bottom:16px;left:16px}.van-popup__close-icon--bottom-right{right:16px;bottom:16px}",""])},6821:function(t,e,n){var i=n("626a"),o=n("be13");t.exports=function(t){return i(o(t))}},"68cb":function(t,e,n){var i={"./zh-cn":"5c3a"};function o(t){var e=r(t);return n(e)}function r(t){if(!n.o(i,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return i[t]}o.keys=function(){return Object.keys(i)},o.resolve=r,t.exports=o,o.id="68cb"},"69a8":function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},"69d3":function(t,e,n){n("6718")("asyncIterator")},"6a0f":function(t,e,n){var i=n("831e");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("704c2a4a",i,!0,{sourceMap:!1,shadowMode:!1})},"6a99":function(t,e,n){var i=n("d3f4");t.exports=function(t,e){if(!i(t))return t;var n,o;if(e&&"function"==typeof(n=t.toString)&&!i(o=n.call(t)))return o;if("function"==typeof(n=t.valueOf)&&!i(o=n.call(t)))return o;if(!e&&"function"==typeof(n=t.toString)&&!i(o=n.call(t)))return o;throw TypeError("Can't convert object to primitive value")}},"6abf":function(t,e,n){var i=n("e6f3"),o=n("1691").concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return i(t,o)}},"6b4c":function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},"6b54":function(t,e,n){"use strict";n("3846");var i=n("cb7c"),o=n("0bfb"),r=n("9e1e"),a="toString",s=/./[a],l=function(t){n("2aba")(RegExp.prototype,a,t,!0)};n("79e5")((function(){return"/a/b"!=s.call({source:"a",flags:"b"})}))?l((function(){var t=i(this);return"/".concat(t.source,"/","flags"in t?t.flags:!r&&t instanceof RegExp?o.call(t):void 0)})):s.name!=a&&l((function(){return s.call(this)}))},"6c1c":function(t,e,n){n("c367");for(var i=n("e53d"),o=n("35e8"),r=n("481b"),a=n("5168")("toStringTag"),s="CSSRuleList,CSSStyleDeclaration,CSSValueList,ClientRectList,DOMRectList,DOMStringList,DOMTokenList,DataTransferItemList,FileList,HTMLAllCollection,HTMLCollection,HTMLFormElement,HTMLSelectElement,MediaList,MimeTypeArray,NamedNodeMap,NodeList,PaintRequestList,Plugin,PluginArray,SVGLengthList,SVGNumberList,SVGPathSegList,SVGPointList,SVGStringList,SVGTransformList,SourceBufferList,StyleSheetList,TextTrackCueList,TextTrackList,TouchList".split(","),l=0;l<s.length;l++){var c=s[l],u=i[c],h=u&&u.prototype;h&&!h[a]&&o(h,a,c),r[c]=r.Array}},"6d29":function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("a559")),r=i(n("8bbf")),a=i(n("55c0")),s=n("e5f6"),l=n("f83e"),c={icon:"",type:"text",mask:!1,value:!0,message:"",className:"",overlay:!1,onClose:null,onOpened:null,duration:2e3,iconPrefix:void 0,position:"middle",transition:"van-fade",forbidClick:!1,loadingType:void 0,getContainer:"body",overlayStyle:null,closeOnClick:!1,closeOnClickOverlay:!1},u={},h=[],d=!1,f=(0,o.default)({},c);function A(t){return(0,s.isObject)(t)?t:{message:t}}function p(t){return document.body.contains(t)}function g(){if(s.isServer)return{};if(h=h.filter((function(t){return!t.$el.parentNode||p(t.$el)})),!h.length||d){var t=new(r.default.extend(a.default))({el:document.createElement("div")});t.$on("input",(function(e){t.value=e})),h.push(t)}return h[h.length-1]}function v(t){return(0,o.default)({},t,{overlay:t.mask||t.overlay,mask:void 0,duration:void 0})}function m(t){void 0===t&&(t={});var e=g();return e.value&&e.updateZIndex(),t=A(t),t=(0,o.default)({},f,u[t.type||f.type],t),t.clear=function(){e.value=!1,t.onClose&&(t.onClose(),t.onClose=null),d&&!s.isServer&&e.$on("closed",(function(){clearTimeout(e.timer),h=h.filter((function(t){return t!==e})),(0,l.removeNode)(e.$el),e.$destroy()}))},(0,o.default)(e,v(t)),clearTimeout(e.timer),t.duration>0&&(e.timer=setTimeout((function(){e.clear()}),t.duration)),e}var y=function(t){return function(e){return m((0,o.default)({type:t},A(e)))}};["loading","success","fail"].forEach((function(t){m[t]=y(t)})),m.clear=function(t){h.length&&(t?(h.forEach((function(t){t.clear()})),h=[]):d?h.shift().clear():h[0].clear())},m.setDefaultOptions=function(t,e){"string"===typeof t?u[t]=e:(0,o.default)(f,t)},m.resetDefaultOptions=function(t){"string"===typeof t?u[t]=null:(f=(0,o.default)({},c),u={})},m.allowMultiple=function(t){void 0===t&&(t=!0),d=t},m.install=function(){r.default.use(a.default)},r.default.prototype.$toast=m;var b=m;e.default=b},"71c1":function(t,e,n){var i=n("3a38"),o=n("25eb");t.exports=function(t){return function(e,n){var r,a,s=String(o(e)),l=i(n),c=s.length;return l<0||l>=c?t?"":void 0:(r=s.charCodeAt(l),r<55296||r>56319||l+1===c||(a=s.charCodeAt(l+1))<56320||a>57343?t?s.charAt(l):r:t?s.slice(l,l+2):a-56320+(r-55296<<10)+65536)}}},7298:function(t,e,n){t.exports=n.p+"img/bg-music.fbd2dc70.svg"},"73b2":function(t,e,n){var i=n("2f92");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("1d27827b",i,!0,{sourceMap:!1,shadowMode:!1})},"742b":function(t,e,n){"use strict";function i(t){return t===window}e.__esModule=!0,e.getScroller=r,e.getScrollTop=a,e.setScrollTop=s,e.getRootScrollTop=l,e.setRootScrollTop=c,e.getElementTop=u,e.getVisibleHeight=h,e.getVisibleTop=d;var o=/scroll|auto/i;function r(t,e){void 0===e&&(e=window);var n=t;while(n&&"HTML"!==n.tagName&&"BODY"!==n.tagName&&1===n.nodeType&&n!==e){var i=window.getComputedStyle(n),r=i.overflowY;if(o.test(r))return n;n=n.parentNode}return e}function a(t){var e="scrollTop"in t?t.scrollTop:t.pageYOffset;return Math.max(e,0)}function s(t,e){"scrollTop"in t?t.scrollTop=e:t.scrollTo(t.scrollX,e)}function l(){return window.pageYOffset||document.documentElement.scrollTop||document.body.scrollTop||0}function c(t){s(window,t),s(document.body,t)}function u(t,e){if(i(t))return 0;var n=e?a(e):l();return t.getBoundingClientRect().top+n}function h(t){return i(t)?t.innerHeight:t.getBoundingClientRect().height}function d(t){return i(t)?0:t.getBoundingClientRect().top}},7514:function(t,e,n){"use strict";var i=n("5ca1"),o=n("0a49")(5),r="find",a=!0;r in[]&&Array(1)[r]((function(){a=!1})),i(i.P+i.F*a,"Array",{find:function(t){return o(this,t,arguments.length>1?arguments[1]:void 0)}}),n("9c6c")(r)},7565:function(t,e,n){var i=n("06c0");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("53376f60",i,!0,{sourceMap:!1,shadowMode:!1})},"75ab":function(t,e,n){(function(t){(function(t){"use strict";var e=function(){try{if(t.URLSearchParams&&"bar"===new t.URLSearchParams("foo=bar").get("foo"))return t.URLSearchParams}catch(e){}return null}(),n=e&&"a=1"===new e({a:1}).toString(),i=e&&"+"===new e("s=%2B").get("s"),o="__URLSearchParams__",r=!e||function(){var t=new e;return t.append("s"," &"),"s=+%26"===t.toString()}(),a=d.prototype,s=!(!t.Symbol||!t.Symbol.iterator);if(!(e&&n&&i&&r)){a.append=function(t,e){v(this[o],t,e)},a["delete"]=function(t){delete this[o][t]},a.get=function(t){var e=this[o];return this.has(t)?e[t][0]:null},a.getAll=function(t){var e=this[o];return this.has(t)?e[t].slice(0):[]},a.has=function(t){return y(this[o],t)},a.set=function(t,e){this[o][t]=[""+e]},a.toString=function(){var t,e,n,i,r=this[o],a=[];for(e in r)for(n=f(e),t=0,i=r[e];t<i.length;t++)a.push(n+"="+f(i[t]));return a.join("&")};var l,c=!i,u=!c&&e&&!n&&t.Proxy;u?(l=new Proxy(e,{construct:function(t,e){return new t(new d(e[0]).toString())}}),l.toString=Function.prototype.toString.bind(d)):l=d,Object.defineProperty(t,"URLSearchParams",{value:l});var h=t.URLSearchParams.prototype;h.polyfill=!0,h.forEach=h.forEach||function(t,e){var n=g(this.toString());Object.getOwnPropertyNames(n).forEach((function(i){n[i].forEach((function(n){t.call(e,n,i,this)}),this)}),this)},h.sort=h.sort||function(){var t,e,n,i=g(this.toString()),o=[];for(t in i)o.push(t);for(o.sort(),e=0;e<o.length;e++)this["delete"](o[e]);for(e=0;e<o.length;e++){var r=o[e],a=i[r];for(n=0;n<a.length;n++)this.append(r,a[n])}},h.keys=h.keys||function(){var t=[];return this.forEach((function(e,n){t.push(n)})),p(t)},h.values=h.values||function(){var t=[];return this.forEach((function(e){t.push(e)})),p(t)},h.entries=h.entries||function(){var t=[];return this.forEach((function(e,n){t.push([n,e])})),p(t)},s&&(h[t.Symbol.iterator]=h[t.Symbol.iterator]||h.entries)}function d(t){t=t||"",(t instanceof URLSearchParams||t instanceof d)&&(t=t.toString()),this[o]=g(t)}function f(t){var e={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(t).replace(/[!'\(\)~]|%20|%00/g,(function(t){return e[t]}))}function A(t){return t.replace(/[ +]/g,"%20").replace(/(%[a-f0-9]{2})+/gi,(function(t){return decodeURIComponent(t)}))}function p(e){var n={next:function(){var t=e.shift();return{done:void 0===t,value:t}}};return s&&(n[t.Symbol.iterator]=function(){return n}),n}function g(t){var e={};if("object"===typeof t)if(m(t))for(var n=0;n<t.length;n++){var i=t[n];if(!m(i)||2!==i.length)throw new TypeError("Failed to construct 'URLSearchParams': Sequence initializer must only contain pair elements");v(e,i[0],i[1])}else for(var o in t)t.hasOwnProperty(o)&&v(e,o,t[o]);else{0===t.indexOf("?")&&(t=t.slice(1));for(var r=t.split("&"),a=0;a<r.length;a++){var s=r[a],l=s.indexOf("=");-1<l?v(e,A(s.slice(0,l)),A(s.slice(l+1))):s&&v(e,A(s),"")}}return e}function v(t,e,n){var i="string"===typeof n?n:null!==n&&void 0!==n&&"function"===typeof n.toString?n.toString():JSON.stringify(n);y(t,e)?t[e].push(i):t[e]=[i]}function m(t){return!!t&&"[object Array]"===Object.prototype.toString.call(t)}function y(t,e){return Object.prototype.hasOwnProperty.call(t,e)}})("undefined"!==typeof t?t:"undefined"!==typeof window?window:this)}).call(this,n("c8ba"))},"765d":function(t,e,n){n("6718")("observable")},7674:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".line-chart-scrollList-outer-div,.line-chart-scrollList-outer-div *{box-sizing:border-box}.line-chart-scrollList-outer-div .line-chart-outer-div{float:left}",""])},7726:function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},"774e":function(t,e,n){t.exports=n("d2d5")},"77f1":function(t,e,n){var i=n("4588"),o=Math.max,r=Math.min;t.exports=function(t,e){return t=i(t),t<0?o(t+e,0):r(t,e)}},"78b9":function(t,e,n){var i=n("cc33");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("992cdd22",i,!0,{sourceMap:!1,shadowMode:!1})},"794b":function(t,e,n){t.exports=!n("8e60")&&!n("294c")((function(){return 7!=Object.defineProperty(n("1ec9")("div"),"a",{get:function(){return 7}}).a}))},7966:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.unifySlots=l,e.createComponent=u,n("6328");var o=n("e5f6"),r=n("ca48"),a=n("d9c7");i(n("8bbf"));function s(t){var e=this.name;t.component(e,this),t.component((0,r.camelize)("-"+e),this)}function l(t){var e=t.scopedSlots||t.data.scopedSlots||{},n=t.slots();return Object.keys(n).forEach((function(t){e[t]||(e[t]=function(){return n[t]})})),e}function c(t){return{functional:!0,props:t.props,model:t.model,render:function(e,n){return t(e,n.props,l(n),n)}}}function u(t){return function(e){return(0,o.isFunction)(e)&&(e=c(e)),e.functional||(e.mixins=e.mixins||[],e.mixins.push(a.SlotsMixin)),e.name=t,e.install=s,e}}},"79aa":function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},"79e5":function(t,e){t.exports=function(t){try{return!!t()}catch(e){return!0}}},"7a77":function(t,e,n){"use strict";function i(t){this.message=t}i.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},i.prototype.__CANCEL__=!0,t.exports=i},"7aac":function(t,e,n){"use strict";var i=n("c532");t.exports=i.isStandardBrowserEnv()?function(){return{write:function(t,e,n,o,r,a){var s=[];s.push(t+"="+encodeURIComponent(e)),i.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),i.isString(o)&&s.push("path="+o),i.isString(r)&&s.push("domain="+r),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(t){var e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},"7cd6":function(t,e,n){var i=n("40c3"),o=n("5168")("iterator"),r=n("481b");t.exports=n("584a").getIteratorMethod=function(t){if(void 0!=t)return t[o]||t["@@iterator"]||r[i(t)]}},"7e90":function(t,e,n){var i=n("d9f6"),o=n("e4ae"),r=n("c3a1");t.exports=n("8e60")?Object.defineProperties:function(t,e){o(t);var n,a=r(e),s=a.length,l=0;while(s>l)i.f(t,n=a[l++],e[n]);return t}},"7f20":function(t,e,n){var i=n("86cc").f,o=n("69a8"),r=n("2b4c")("toStringTag");t.exports=function(t,e,n){t&&!o(t=n?t:t.prototype,r)&&i(t,r,{configurable:!0,value:e})}},8096:function(t,e,n){var i=n("a4c6");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("59245b17",i,!0,{sourceMap:!1,shadowMode:!1})},"818e":function(t,e,n){"use strict";e.__esModule=!0,e.createNamespace=a;var i=n("4c91"),o=n("7966"),r=n("e4a9");function a(t){return t="van-"+t,[(0,o.createComponent)(t),(0,i.createBEM)(t),(0,r.createI18N)(t)]}},"824f":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-notice-bar{position:relative;display:-webkit-box;display:-webkit-flex;display:flex;-webkit-box-align:center;-webkit-align-items:center;align-items:center;height:40px;padding:0 16px;color:#ed6a0c;font-size:14px;line-height:24px;background-color:#fffbe8}.van-notice-bar__left-icon,.van-notice-bar__right-icon{min-width:24px;font-size:16px}.van-notice-bar__right-icon{text-align:right;cursor:pointer}.van-notice-bar__wrap{position:relative;display:-webkit-box;display:-webkit-flex;display:flex;-webkit-box-flex:1;-webkit-flex:1;flex:1;-webkit-box-align:center;-webkit-align-items:center;align-items:center;height:100%;overflow:hidden}.van-notice-bar__content{position:absolute;white-space:nowrap;-webkit-transition-timing-function:linear;transition-timing-function:linear}.van-notice-bar__content.van-ellipsis{max-width:100%}.van-notice-bar--wrapable{height:auto;padding:8px 16px}.van-notice-bar--wrapable .van-notice-bar__wrap{height:auto}.van-notice-bar--wrapable .van-notice-bar__content{position:relative;white-space:normal;word-wrap:break-word}",""])},"831e":function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".news-item{border-color:rgba(33,181,244,.2);border-bottom:1px solid #bdf;text-align:left;padding:16px 12px 4px;overflow:auto;color:#333;font-size:12px}.news-item .link{color:#333;text-decoration:underline}.news-item .title{font-weight:700;text-align:left;font-size:14px}.news-item .content{text-align:left;margin-bottom:8px}.news-item .source{float:left;text-align:left}.news-item .time{float:right;margin-right:4px}",""])},8362:function(t,e){t.exports=i;var n=Object.prototype.toString;function i(t){if(!t)return!1;var e=n.call(t);return"[object Function]"===e||"function"===typeof t&&"[object RegExp]"!==e||"undefined"!==typeof window&&(t===window.setTimeout||t===window.alert||t===window.confirm||t===window.prompt)}},8378:function(t,e){var n=t.exports={version:"2.6.12"};"number"==typeof __e&&(__e=n)},"83a1":function(t,e){t.exports=Object.is||function(t,e){return t===e?0!==t||1/t===1/e:t!=t&&e!=e}},"83b9":function(t,e,n){"use strict";var i=n("d925"),o=n("e683");t.exports=function(t,e){return t&&!i(e)?o(t,e):e}},8436:function(t,e){t.exports=function(){}},"84f2":function(t,e){t.exports={}},"85f2":function(t,e,n){t.exports=n("454f")},8615:function(t,e,n){var i=n("5ca1"),o=n("504c")(!1);i(i.S,"Object",{values:function(t){return o(t)}})},"86cc":function(t,e,n){var i=n("cb7c"),o=n("c69a"),r=n("6a99"),a=Object.defineProperty;e.f=n("9e1e")?Object.defineProperty:function(t,e,n){if(i(t),e=r(e,!0),i(n),o)try{return a(t,e,n)}catch(s){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},"8a5a":function(t,e,n){var i=n("3f25");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("d6f43b38",i,!0,{sourceMap:!1,shadowMode:!1})},"8aae":function(t,e,n){n("32a6"),t.exports=n("584a").Object.keys},"8b97":function(t,e,n){var i=n("d3f4"),o=n("cb7c"),r=function(t,e){if(o(t),!i(e)&&null!==e)throw TypeError(e+": can't set as prototype!")};t.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(t,e,i){try{i=n("9b43")(Function.call,n("11e9").f(Object.prototype,"__proto__").set,2),i(t,[]),e=!(t instanceof Array)}catch(o){e=!0}return function(t,n){return r(t,n),e?t.__proto__=n:i(t,n),t}}({},!1):void 0),check:r}},"8bbf":function(e,n){e.exports=t},"8c10":function(t,e){function n(t,e){var n,i=null;try{n=JSON.parse(t,e)}catch(o){i=o}return[i,n]}t.exports=n},"8df4":function(t,e,n){"use strict";var i=n("7a77");function o(t){if("function"!==typeof t)throw new TypeError("executor must be a function.");var e;this.promise=new Promise((function(t){e=t}));var n=this;t((function(t){n.reason||(n.reason=new i(t),e(n.reason))}))}o.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},o.source=function(){var t,e=new o((function(e){t=e}));return{token:e,cancel:t}},t.exports=o},"8e60":function(t,e,n){t.exports=!n("294c")((function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a}))},"8e6e":function(t,e,n){var i=n("5ca1"),o=n("990b"),r=n("6821"),a=n("11e9"),s=n("f1ae");i(i.S,"Object",{getOwnPropertyDescriptors:function(t){var e,n,i=r(t),l=a.f,c=o(i),u={},h=0;while(c.length>h)n=l(i,e=c[h++]),void 0!==n&&s(u,e,n);return u}})},"8f60":function(t,e,n){"use strict";var i=n("a159"),o=n("aebd"),r=n("45f2"),a={};n("35e8")(a,n("5168")("iterator"),(function(){return this})),t.exports=function(t,e,n){t.prototype=i(a,{next:o(1,n)}),r(t,e+" Iterator")}},9003:function(t,e,n){var i=n("6b4c");t.exports=Array.isArray||function(t){return"Array"==i(t)}},9093:function(t,e,n){var i=n("ce10"),o=n("e11e").concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return i(t,o)}},"911b":function(t,e,n){var i=n("546b");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("da0be80a",i,!0,{sourceMap:!1,shadowMode:!1})},9138:function(t,e,n){t.exports=n("35e8")},9152:function(t,e){
  22 +var e=t.defineLocale("zh-cn",{months:"一月_二月_三月_四月_五月_六月_七月_八月_九月_十月_十一月_十二月".split("_"),monthsShort:"1月_2月_3月_4月_5月_6月_7月_8月_9月_10月_11月_12月".split("_"),weekdays:"星期日_星期一_星期二_星期三_星期四_星期五_星期六".split("_"),weekdaysShort:"周日_周一_周二_周三_周四_周五_周六".split("_"),weekdaysMin:"日_一_二_三_四_五_六".split("_"),longDateFormat:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY年M月D日",LLL:"YYYY年M月D日Ah点mm分",LLLL:"YYYY年M月D日ddddAh点mm分",l:"YYYY/M/D",ll:"YYYY年M月D日",lll:"YYYY年M月D日 HH:mm",llll:"YYYY年M月D日dddd HH:mm"},meridiemParse:/凌晨|早上|上午|中午|下午|晚上/,meridiemHour:function(t,e){return 12===t&&(t=0),"凌晨"===e||"早上"===e||"上午"===e?t:"下午"===e||"晚上"===e?t+12:t>=11?t:t+12},meridiem:function(t,e,n){var i=100*t+e;return i<600?"凌晨":i<900?"早上":i<1130?"上午":i<1230?"中午":i<1800?"下午":"晚上"},calendar:{sameDay:"[今天]LT",nextDay:"[明天]LT",nextWeek:function(t){return t.week()!==this.week()?"[下]dddLT":"[本]dddLT"},lastDay:"[昨天]LT",lastWeek:function(t){return this.week()!==t.week()?"[上]dddLT":"[本]dddLT"},sameElse:"L"},dayOfMonthOrdinalParse:/\d{1,2}(日|月|周)/,ordinal:function(t,e){switch(e){case"d":case"D":case"DDD":return t+"日";case"M":return t+"月";case"w":case"W":return t+"周";default:return t}},relativeTime:{future:"%s后",past:"%s前",s:"几秒",ss:"%d 秒",m:"1 分钟",mm:"%d 分钟",h:"1 小时",hh:"%d 小时",d:"1 天",dd:"%d 天",w:"1 周",ww:"%d 周",M:"1 个月",MM:"%d 个月",y:"1 年",yy:"%d 年"},week:{dow:1,doy:4}});return e}))},"5ca1":function(t,e,n){var i=n("7726"),r=n("8378"),o=n("32e9"),a=n("2aba"),s=n("9b43"),l="prototype",u=function(t,e,n){var c,h,d,f,p=t&u.F,v=t&u.G,m=t&u.S,g=t&u.P,y=t&u.B,_=v?i:m?i[e]||(i[e]={}):(i[e]||{})[l],b=v?r:r[e]||(r[e]={}),w=b[l]||(b[l]={});for(c in v&&(n=e),n)h=!p&&_&&void 0!==_[c],d=(h?_:n)[c],f=y&&h?s(d,i):g&&"function"==typeof d?s(Function.call,d):d,_&&a(_,c,d,t&u.U),b[c]!=d&&o(b,c,f),g&&w[c]!=d&&(w[c]=d)};i.core=r,u.F=1,u.G=2,u.S=4,u.P=8,u.B=16,u.W=32,u.U=64,u.R=128,t.exports=u},"5cc5":function(t,e,n){var i=n("2b4c")("iterator"),r=!1;try{var o=[7][i]();o["return"]=function(){r=!0},Array.from(o,(function(){throw 2}))}catch(a){}t.exports=function(t,e){if(!e&&!r)return!1;var n=!1;try{var o=[7],s=o[i]();s.next=function(){return{done:n=!0}},o[i]=function(){return s},t(o)}catch(a){}return n}},"5d58":function(t,e,n){t.exports=n("d8d6")},"5dbc":function(t,e,n){var i=n("d3f4"),r=n("8b97").set;t.exports=function(t,e,n){var o,a=e.constructor;return a!==n&&"function"==typeof a&&(o=a.prototype)!==n.prototype&&i(o)&&r&&r(t,o),t}},"5df3":function(t,e,n){"use strict";var i=n("02f4")(!0);n("01f9")(String,"String",(function(t){this._t=String(t),this._i=0}),(function(){var t,e=this._t,n=this._i;return n>=e.length?{value:void 0,done:!0}:(t=i(e,n),this._i+=t.length,{value:t,done:!1})}))},"5eda":function(t,e,n){var i=n("5ca1"),r=n("8378"),o=n("79e5");t.exports=function(t,e){var n=(r.Object||{})[t]||Object[t],a={};a[t]=e(n),i(i.S+i.F*o((function(){n(1)})),"Object",a)}},"5f1b":function(t,e,n){"use strict";var i=n("23c6"),r=RegExp.prototype.exec;t.exports=function(t,e){var n=t.exec;if("function"===typeof n){var o=n.call(t,e);if("object"!==typeof o)throw new TypeError("RegExp exec method returned something other than an Object or null");return o}if("RegExp"!==i(t))throw new TypeError("RegExp#exec called on incompatible receiver");return r.call(t,e)}},"613b":function(t,e,n){var i=n("5537")("keys"),r=n("ca5a");t.exports=function(t){return i[t]||(i[t]=r(t))}},"626a":function(t,e,n){var i=n("2d95");t.exports=Object("z").propertyIsEnumerable(0)?Object:function(t){return"String"==i(t)?t.split(""):Object(t)}},"62a0":function(t,e){var n=0,i=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+i).toString(36))}},"62e4":function(t,e){t.exports=function(t){return t.webpackPolyfill||(t.deprecate=function(){},t.paths=[],t.children||(t.children=[]),Object.defineProperty(t,"loaded",{enumerable:!0,get:function(){return t.l}}),Object.defineProperty(t,"id",{enumerable:!0,get:function(){return t.i}}),t.webpackPolyfill=1),t}},"63b6":function(t,e,n){var i=n("e53d"),r=n("584a"),o=n("d864"),a=n("35e8"),s=n("07e3"),l="prototype",u=function(t,e,n){var c,h,d,f=t&u.F,p=t&u.G,v=t&u.S,m=t&u.P,g=t&u.B,y=t&u.W,_=p?r:r[e]||(r[e]={}),b=_[l],w=p?i:v?i[e]:(i[e]||{})[l];for(c in p&&(n=e),n)h=!f&&w&&void 0!==w[c],h&&s(_,c)||(d=h?w[c]:n[c],_[c]=p&&"function"!=typeof w[c]?n[c]:g&&h?o(d,i):y&&w[c]==d?function(t){var e=function(e,n,i){if(this instanceof t){switch(arguments.length){case 0:return new t;case 1:return new t(e);case 2:return new t(e,n)}return new t(e,n,i)}return t.apply(this,arguments)};return e[l]=t[l],e}(d):m&&"function"==typeof d?o(Function.call,d):d,m&&((_.virtual||(_.virtual={}))[c]=d,t&u.R&&b&&!b[c]&&a(b,c,d)))};u.F=1,u.G=2,u.S=4,u.P=8,u.B=16,u.W=32,u.U=64,u.R=128,t.exports=u},6444:function(t,e){var n=function(t){return t.replace(/^\s+|\s+$/g,"")},i=function(t){return"[object Array]"===Object.prototype.toString.call(t)};t.exports=function(t){if(!t)return{};for(var e={},r=n(t).split("\n"),o=0;o<r.length;o++){var a=r[o],s=a.indexOf(":"),l=n(a.slice(0,s)).toLowerCase(),u=n(a.slice(s+1));"undefined"===typeof e[l]?e[l]=u:i(e[l])?e[l].push(u):e[l]=[e[l],u]}return e}},6718:function(t,e,n){var i=n("e53d"),r=n("584a"),o=n("b8e3"),a=n("ccb9"),s=n("d9f6").f;t.exports=function(t){var e=r.Symbol||(r.Symbol=o?{}:i.Symbol||{});"_"==t.charAt(0)||t in e||s(e,t,{value:a.f(t)})}},6762:function(t,e,n){"use strict";var i=n("5ca1"),r=n("c366")(!0);i(i.P,"Array",{includes:function(t){return r(this,t,arguments.length>1?arguments[1]:void 0)}}),n("9c6c")("includes")},"67ab":function(t,e,n){var i=n("ca5a")("meta"),r=n("d3f4"),o=n("69a8"),a=n("86cc").f,s=0,l=Object.isExtensible||function(){return!0},u=!n("79e5")((function(){return l(Object.preventExtensions({}))})),c=function(t){a(t,i,{value:{i:"O"+ ++s,w:{}}})},h=function(t,e){if(!r(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!o(t,i)){if(!l(t))return"F";if(!e)return"E";c(t)}return t[i].i},d=function(t,e){if(!o(t,i)){if(!l(t))return!0;if(!e)return!1;c(t)}return t[i].w},f=function(t){return u&&p.NEED&&l(t)&&!o(t,i)&&c(t),t},p=t.exports={KEY:i,NEED:!1,fastKey:h,getWeak:d,onFreeze:f}},"67bb":function(t,e,n){t.exports=n("f921")},6821:function(t,e,n){var i=n("626a"),r=n("be13");t.exports=function(t){return i(r(t))}},"68cb":function(t,e,n){var i={"./zh-cn":"5c3a"};function r(t){var e=o(t);return n(e)}function o(t){if(!n.o(i,t)){var e=new Error("Cannot find module '"+t+"'");throw e.code="MODULE_NOT_FOUND",e}return i[t]}r.keys=function(){return Object.keys(i)},r.resolve=o,t.exports=r,r.id="68cb"},"69a8":function(t,e){var n={}.hasOwnProperty;t.exports=function(t,e){return n.call(t,e)}},"69d3":function(t,e,n){n("6718")("asyncIterator")},"6a99":function(t,e,n){var i=n("d3f4");t.exports=function(t,e){if(!i(t))return t;var n,r;if(e&&"function"==typeof(n=t.toString)&&!i(r=n.call(t)))return r;if("function"==typeof(n=t.valueOf)&&!i(r=n.call(t)))return r;if(!e&&"function"==typeof(n=t.toString)&&!i(r=n.call(t)))return r;throw TypeError("Can't convert object to primitive value")}},"6abf":function(t,e,n){var i=n("e6f3"),r=n("1691").concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return i(t,r)}},"6b4c":function(t,e){var n={}.toString;t.exports=function(t){return n.call(t).slice(8,-1)}},"6b54":function(t,e,n){"use strict";n("3846");var i=n("cb7c"),r=n("0bfb"),o=n("9e1e"),a="toString",s=/./[a],l=function(t){n("2aba")(RegExp.prototype,a,t,!0)};n("79e5")((function(){return"/a/b"!=s.call({source:"a",flags:"b"})}))?l((function(){var t=i(this);return"/".concat(t.source,"/","flags"in t?t.flags:!o&&t instanceof RegExp?r.call(t):void 0)})):s.name!=a&&l((function(){return s.call(this)}))},"6c1c":function(t,e,n){n("c367");for(var i=n("e53d"),r=n("35e8"),o=n("481b"),a=n("5168")("toStringTag"),s="CSSRuleList,CSSStyleDeclaration,CSSValueList,ClientRectList,DOMRectList,DOMStringList,DOMTokenList,DataTransferItemList,FileList,HTMLAllCollection,HTMLCollection,HTMLFormElement,HTMLSelectElement,MediaList,MimeTypeArray,NamedNodeMap,NodeList,PaintRequestList,Plugin,PluginArray,SVGLengthList,SVGNumberList,SVGPathSegList,SVGPointList,SVGStringList,SVGTransformList,SourceBufferList,StyleSheetList,TextTrackCueList,TextTrackList,TouchList".split(","),l=0;l<s.length;l++){var u=s[l],c=i[u],h=c&&c.prototype;h&&!h[a]&&r(h,a,u),o[u]=o.Array}},"71c1":function(t,e,n){var i=n("3a38"),r=n("25eb");t.exports=function(t){return function(e,n){var o,a,s=String(r(e)),l=i(n),u=s.length;return l<0||l>=u?t?"":void 0:(o=s.charCodeAt(l),o<55296||o>56319||l+1===u||(a=s.charCodeAt(l+1))<56320||a>57343?t?s.charAt(l):o:t?s.slice(l,l+2):a-56320+(o-55296<<10)+65536)}}},7514:function(t,e,n){"use strict";var i=n("5ca1"),r=n("0a49")(5),o="find",a=!0;o in[]&&Array(1)[o]((function(){a=!1})),i(i.P+i.F*a,"Array",{find:function(t){return r(this,t,arguments.length>1?arguments[1]:void 0)}}),n("9c6c")(o)},"75ab":function(t,e,n){(function(t){(function(t){"use strict";var e=function(){try{if(t.URLSearchParams&&"bar"===new t.URLSearchParams("foo=bar").get("foo"))return t.URLSearchParams}catch(e){}return null}(),n=e&&"a=1"===new e({a:1}).toString(),i=e&&"+"===new e("s=%2B").get("s"),r="__URLSearchParams__",o=!e||function(){var t=new e;return t.append("s"," &"),"s=+%26"===t.toString()}(),a=d.prototype,s=!(!t.Symbol||!t.Symbol.iterator);if(!(e&&n&&i&&o)){a.append=function(t,e){g(this[r],t,e)},a["delete"]=function(t){delete this[r][t]},a.get=function(t){var e=this[r];return this.has(t)?e[t][0]:null},a.getAll=function(t){var e=this[r];return this.has(t)?e[t].slice(0):[]},a.has=function(t){return _(this[r],t)},a.set=function(t,e){this[r][t]=[""+e]},a.toString=function(){var t,e,n,i,o=this[r],a=[];for(e in o)for(n=f(e),t=0,i=o[e];t<i.length;t++)a.push(n+"="+f(i[t]));return a.join("&")};var l,u=!i,c=!u&&e&&!n&&t.Proxy;c?(l=new Proxy(e,{construct:function(t,e){return new t(new d(e[0]).toString())}}),l.toString=Function.prototype.toString.bind(d)):l=d,Object.defineProperty(t,"URLSearchParams",{value:l});var h=t.URLSearchParams.prototype;h.polyfill=!0,h.forEach=h.forEach||function(t,e){var n=m(this.toString());Object.getOwnPropertyNames(n).forEach((function(i){n[i].forEach((function(n){t.call(e,n,i,this)}),this)}),this)},h.sort=h.sort||function(){var t,e,n,i=m(this.toString()),r=[];for(t in i)r.push(t);for(r.sort(),e=0;e<r.length;e++)this["delete"](r[e]);for(e=0;e<r.length;e++){var o=r[e],a=i[o];for(n=0;n<a.length;n++)this.append(o,a[n])}},h.keys=h.keys||function(){var t=[];return this.forEach((function(e,n){t.push(n)})),v(t)},h.values=h.values||function(){var t=[];return this.forEach((function(e){t.push(e)})),v(t)},h.entries=h.entries||function(){var t=[];return this.forEach((function(e,n){t.push([n,e])})),v(t)},s&&(h[t.Symbol.iterator]=h[t.Symbol.iterator]||h.entries)}function d(t){t=t||"",(t instanceof URLSearchParams||t instanceof d)&&(t=t.toString()),this[r]=m(t)}function f(t){var e={"!":"%21","'":"%27","(":"%28",")":"%29","~":"%7E","%20":"+","%00":"\0"};return encodeURIComponent(t).replace(/[!'\(\)~]|%20|%00/g,(function(t){return e[t]}))}function p(t){return t.replace(/[ +]/g,"%20").replace(/(%[a-f0-9]{2})+/gi,(function(t){return decodeURIComponent(t)}))}function v(e){var n={next:function(){var t=e.shift();return{done:void 0===t,value:t}}};return s&&(n[t.Symbol.iterator]=function(){return n}),n}function m(t){var e={};if("object"===typeof t)if(y(t))for(var n=0;n<t.length;n++){var i=t[n];if(!y(i)||2!==i.length)throw new TypeError("Failed to construct 'URLSearchParams': Sequence initializer must only contain pair elements");g(e,i[0],i[1])}else for(var r in t)t.hasOwnProperty(r)&&g(e,r,t[r]);else{0===t.indexOf("?")&&(t=t.slice(1));for(var o=t.split("&"),a=0;a<o.length;a++){var s=o[a],l=s.indexOf("=");-1<l?g(e,p(s.slice(0,l)),p(s.slice(l+1))):s&&g(e,p(s),"")}}return e}function g(t,e,n){var i="string"===typeof n?n:null!==n&&void 0!==n&&"function"===typeof n.toString?n.toString():JSON.stringify(n);_(t,e)?t[e].push(i):t[e]=[i]}function y(t){return!!t&&"[object Array]"===Object.prototype.toString.call(t)}function _(t,e){return Object.prototype.hasOwnProperty.call(t,e)}})("undefined"!==typeof t?t:"undefined"!==typeof window?window:this)}).call(this,n("c8ba"))},"765d":function(t,e,n){n("6718")("observable")},7674:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".line-chart-scrollList-outer-div,.line-chart-scrollList-outer-div *{box-sizing:border-box}.line-chart-scrollList-outer-div .line-chart-outer-div{float:left}",""])},7726:function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},"774e":function(t,e,n){t.exports=n("d2d5")},"77f1":function(t,e,n){var i=n("4588"),r=Math.max,o=Math.min;t.exports=function(t,e){return t=i(t),t<0?r(t+e,0):o(t,e)}},"794b":function(t,e,n){t.exports=!n("8e60")&&!n("294c")((function(){return 7!=Object.defineProperty(n("1ec9")("div"),"a",{get:function(){return 7}}).a}))},"79aa":function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},"79e5":function(t,e){t.exports=function(t){try{return!!t()}catch(e){return!0}}},"7a77":function(t,e,n){"use strict";function i(t){this.message=t}i.prototype.toString=function(){return"Cancel"+(this.message?": "+this.message:"")},i.prototype.__CANCEL__=!0,t.exports=i},"7aac":function(t,e,n){"use strict";var i=n("c532");t.exports=i.isStandardBrowserEnv()?function(){return{write:function(t,e,n,r,o,a){var s=[];s.push(t+"="+encodeURIComponent(e)),i.isNumber(n)&&s.push("expires="+new Date(n).toGMTString()),i.isString(r)&&s.push("path="+r),i.isString(o)&&s.push("domain="+o),!0===a&&s.push("secure"),document.cookie=s.join("; ")},read:function(t){var e=document.cookie.match(new RegExp("(^|;\\s*)("+t+")=([^;]*)"));return e?decodeURIComponent(e[3]):null},remove:function(t){this.write(t,"",Date.now()-864e5)}}}():function(){return{write:function(){},read:function(){return null},remove:function(){}}}()},"7cd6":function(t,e,n){var i=n("40c3"),r=n("5168")("iterator"),o=n("481b");t.exports=n("584a").getIteratorMethod=function(t){if(void 0!=t)return t[r]||t["@@iterator"]||o[i(t)]}},"7e90":function(t,e,n){var i=n("d9f6"),r=n("e4ae"),o=n("c3a1");t.exports=n("8e60")?Object.defineProperties:function(t,e){r(t);var n,a=o(e),s=a.length,l=0;while(s>l)i.f(t,n=a[l++],e[n]);return t}},"7f20":function(t,e,n){var i=n("86cc").f,r=n("69a8"),o=n("2b4c")("toStringTag");t.exports=function(t,e,n){t&&!r(t=n?t:t.prototype,o)&&i(t,o,{configurable:!0,value:e})}},8096:function(t,e,n){var i=n("a4c6");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("59245b17",i,!0,{sourceMap:!1,shadowMode:!1})},8362:function(t,e){t.exports=i;var n=Object.prototype.toString;function i(t){if(!t)return!1;var e=n.call(t);return"[object Function]"===e||"function"===typeof t&&"[object RegExp]"!==e||"undefined"!==typeof window&&(t===window.setTimeout||t===window.alert||t===window.confirm||t===window.prompt)}},8378:function(t,e){var n=t.exports={version:"2.6.12"};"number"==typeof __e&&(__e=n)},"83a1":function(t,e){t.exports=Object.is||function(t,e){return t===e?0!==t||1/t===1/e:t!=t&&e!=e}},"83b9":function(t,e,n){"use strict";var i=n("d925"),r=n("e683");t.exports=function(t,e){return t&&!i(e)?r(t,e):e}},8436:function(t,e){t.exports=function(){}},"84f2":function(t,e){t.exports={}},"85f2":function(t,e,n){t.exports=n("454f")},"86cc":function(t,e,n){var i=n("cb7c"),r=n("c69a"),o=n("6a99"),a=Object.defineProperty;e.f=n("9e1e")?Object.defineProperty:function(t,e,n){if(i(t),e=o(e,!0),i(n),r)try{return a(t,e,n)}catch(s){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},"8aae":function(t,e,n){n("32a6"),t.exports=n("584a").Object.keys},"8b97":function(t,e,n){var i=n("d3f4"),r=n("cb7c"),o=function(t,e){if(r(t),!i(e)&&null!==e)throw TypeError(e+": can't set as prototype!")};t.exports={set:Object.setPrototypeOf||("__proto__"in{}?function(t,e,i){try{i=n("9b43")(Function.call,n("11e9").f(Object.prototype,"__proto__").set,2),i(t,[]),e=!(t instanceof Array)}catch(r){e=!0}return function(t,n){return o(t,n),e?t.__proto__=n:i(t,n),t}}({},!1):void 0),check:o}},"8bbf":function(e,n){e.exports=t},"8c10":function(t,e){function n(t,e){var n,i=null;try{n=JSON.parse(t,e)}catch(r){i=r}return[i,n]}t.exports=n},"8df4":function(t,e,n){"use strict";var i=n("7a77");function r(t){if("function"!==typeof t)throw new TypeError("executor must be a function.");var e;this.promise=new Promise((function(t){e=t}));var n=this;t((function(t){n.reason||(n.reason=new i(t),e(n.reason))}))}r.prototype.throwIfRequested=function(){if(this.reason)throw this.reason},r.source=function(){var t,e=new r((function(e){t=e}));return{token:e,cancel:t}},t.exports=r},"8e60":function(t,e,n){t.exports=!n("294c")((function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a}))},"8e6e":function(t,e,n){var i=n("5ca1"),r=n("990b"),o=n("6821"),a=n("11e9"),s=n("f1ae");i(i.S,"Object",{getOwnPropertyDescriptors:function(t){var e,n,i=o(t),l=a.f,u=r(i),c={},h=0;while(u.length>h)n=l(i,e=u[h++]),void 0!==n&&s(c,e,n);return c}})},"8f60":function(t,e,n){"use strict";var i=n("a159"),r=n("aebd"),o=n("45f2"),a={};n("35e8")(a,n("5168")("iterator"),(function(){return this})),t.exports=function(t,e,n){t.prototype=i(a,{next:r(1,n)}),o(t,e+" Iterator")}},9003:function(t,e,n){var i=n("6b4c");t.exports=Array.isArray||function(t){return"Array"==i(t)}},9093:function(t,e,n){var i=n("ce10"),r=n("e11e").concat("length","prototype");e.f=Object.getOwnPropertyNames||function(t){return i(t,r)}},"911b":function(t,e,n){var i=n("546b");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("da0be80a",i,!0,{sourceMap:!1,shadowMode:!1})},9138:function(t,e,n){t.exports=n("35e8")},9152:function(t,e){
23 23 /*! ieee754. BSD-3-Clause License. Feross Aboukhadijeh <https://feross.org/opensource> */
24   -e.read=function(t,e,n,i,o){var r,a,s=8*o-i-1,l=(1<<s)-1,c=l>>1,u=-7,h=n?o-1:0,d=n?-1:1,f=t[e+h];for(h+=d,r=f&(1<<-u)-1,f>>=-u,u+=s;u>0;r=256*r+t[e+h],h+=d,u-=8);for(a=r&(1<<-u)-1,r>>=-u,u+=i;u>0;a=256*a+t[e+h],h+=d,u-=8);if(0===r)r=1-c;else{if(r===l)return a?NaN:1/0*(f?-1:1);a+=Math.pow(2,i),r-=c}return(f?-1:1)*a*Math.pow(2,r-i)},e.write=function(t,e,n,i,o,r){var a,s,l,c=8*r-o-1,u=(1<<c)-1,h=u>>1,d=23===o?Math.pow(2,-24)-Math.pow(2,-77):0,f=i?0:r-1,A=i?1:-1,p=e<0||0===e&&1/e<0?1:0;for(e=Math.abs(e),isNaN(e)||e===1/0?(s=isNaN(e)?1:0,a=u):(a=Math.floor(Math.log(e)/Math.LN2),e*(l=Math.pow(2,-a))<1&&(a--,l*=2),e+=a+h>=1?d/l:d*Math.pow(2,1-h),e*l>=2&&(a++,l/=2),a+h>=u?(s=0,a=u):a+h>=1?(s=(e*l-1)*Math.pow(2,o),a+=h):(s=e*Math.pow(2,h-1)*Math.pow(2,o),a=0));o>=8;t[n+f]=255&s,f+=A,s/=256,o-=8);for(a=a<<o|s,c+=o;c>0;t[n+f]=255&a,f+=A,a/=256,c-=8);t[n+f-A]|=128*p}},9339:function(t,e,n){(function(e){
  24 +e.read=function(t,e,n,i,r){var o,a,s=8*r-i-1,l=(1<<s)-1,u=l>>1,c=-7,h=n?r-1:0,d=n?-1:1,f=t[e+h];for(h+=d,o=f&(1<<-c)-1,f>>=-c,c+=s;c>0;o=256*o+t[e+h],h+=d,c-=8);for(a=o&(1<<-c)-1,o>>=-c,c+=i;c>0;a=256*a+t[e+h],h+=d,c-=8);if(0===o)o=1-u;else{if(o===l)return a?NaN:1/0*(f?-1:1);a+=Math.pow(2,i),o-=u}return(f?-1:1)*a*Math.pow(2,o-i)},e.write=function(t,e,n,i,r,o){var a,s,l,u=8*o-r-1,c=(1<<u)-1,h=c>>1,d=23===r?Math.pow(2,-24)-Math.pow(2,-77):0,f=i?0:o-1,p=i?1:-1,v=e<0||0===e&&1/e<0?1:0;for(e=Math.abs(e),isNaN(e)||e===1/0?(s=isNaN(e)?1:0,a=c):(a=Math.floor(Math.log(e)/Math.LN2),e*(l=Math.pow(2,-a))<1&&(a--,l*=2),e+=a+h>=1?d/l:d*Math.pow(2,1-h),e*l>=2&&(a++,l/=2),a+h>=c?(s=0,a=c):a+h>=1?(s=(e*l-1)*Math.pow(2,r),a+=h):(s=e*Math.pow(2,h-1)*Math.pow(2,r),a=0));r>=8;t[n+f]=255&s,f+=p,s/=256,r-=8);for(a=a<<r|s,u+=r;u>0;t[n+f]=255&a,f+=p,a/=256,u-=8);t[n+f-p]|=128*v}},9339:function(t,e,n){(function(e){
25 25 /*!
26 26 * Quill Editor v1.3.7
27 27 * https://quilljs.com/
28 28 * Copyright (c) 2014, Jason Chen
29 29 * Copyright (c) 2013, salesforce.com
30 30 */
31   -(function(e,n){t.exports=n()})("undefined"!==typeof self&&self,(function(){return function(t){var e={};function n(i){if(e[i])return e[i].exports;var o=e[i]={i:i,l:!1,exports:{}};return t[i].call(o.exports,o,o.exports,n),o.l=!0,o.exports}return n.m=t,n.c=e,n.d=function(t,e,i){n.o(t,e)||Object.defineProperty(t,e,{configurable:!1,enumerable:!0,get:i})},n.n=function(t){var e=t&&t.__esModule?function(){return t["default"]}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s=109)}([function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(17),o=n(18),r=n(19),a=n(45),s=n(46),l=n(47),c=n(48),u=n(49),h=n(12),d=n(32),f=n(33),A=n(31),p=n(1),g={Scope:p.Scope,create:p.create,find:p.find,query:p.query,register:p.register,Container:i.default,Format:o.default,Leaf:r.default,Embed:c.default,Scroll:a.default,Block:l.default,Inline:s.default,Text:u.default,Attributor:{Attribute:h.default,Class:d.default,Style:f.default,Store:A.default}};e.default=g},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=function(t){function e(e){var n=this;return e="[Parchment] "+e,n=t.call(this,e)||this,n.message=e,n.name=n.constructor.name,n}return i(e,t),e}(Error);e.ParchmentError=o;var r,a={},s={},l={},c={};function u(t,e){var n=d(t);if(null==n)throw new o("Unable to create "+t+" blot");var i=n,r=t instanceof Node||t["nodeType"]===Node.TEXT_NODE?t:i.create(e);return new i(r,e)}function h(t,n){return void 0===n&&(n=!1),null==t?null:null!=t[e.DATA_KEY]?t[e.DATA_KEY].blot:n?h(t.parentNode,n):null}function d(t,e){var n;if(void 0===e&&(e=r.ANY),"string"===typeof t)n=c[t]||a[t];else if(t instanceof Text||t["nodeType"]===Node.TEXT_NODE)n=c["text"];else if("number"===typeof t)t&r.LEVEL&r.BLOCK?n=c["block"]:t&r.LEVEL&r.INLINE&&(n=c["inline"]);else if(t instanceof HTMLElement){var i=(t.getAttribute("class")||"").split(/\s+/);for(var o in i)if(n=s[i[o]],n)break;n=n||l[t.tagName]}return null==n?null:e&r.LEVEL&n.scope&&e&r.TYPE&n.scope?n:null}function f(){for(var t=[],e=0;e<arguments.length;e++)t[e]=arguments[e];if(t.length>1)return t.map((function(t){return f(t)}));var n=t[0];if("string"!==typeof n.blotName&&"string"!==typeof n.attrName)throw new o("Invalid definition");if("abstract"===n.blotName)throw new o("Cannot register abstract class");if(c[n.blotName||n.attrName]=n,"string"===typeof n.keyName)a[n.keyName]=n;else if(null!=n.className&&(s[n.className]=n),null!=n.tagName){Array.isArray(n.tagName)?n.tagName=n.tagName.map((function(t){return t.toUpperCase()})):n.tagName=n.tagName.toUpperCase();var i=Array.isArray(n.tagName)?n.tagName:[n.tagName];i.forEach((function(t){null!=l[t]&&null!=n.className||(l[t]=n)}))}return n}e.DATA_KEY="__blot",function(t){t[t["TYPE"]=3]="TYPE",t[t["LEVEL"]=12]="LEVEL",t[t["ATTRIBUTE"]=13]="ATTRIBUTE",t[t["BLOT"]=14]="BLOT",t[t["INLINE"]=7]="INLINE",t[t["BLOCK"]=11]="BLOCK",t[t["BLOCK_BLOT"]=10]="BLOCK_BLOT",t[t["INLINE_BLOT"]=6]="INLINE_BLOT",t[t["BLOCK_ATTRIBUTE"]=9]="BLOCK_ATTRIBUTE",t[t["INLINE_ATTRIBUTE"]=5]="INLINE_ATTRIBUTE",t[t["ANY"]=15]="ANY"}(r=e.Scope||(e.Scope={})),e.create=u,e.find=h,e.query=d,e.register=f},function(t,e,n){var i=n(51),o=n(11),r=n(3),a=n(20),s=String.fromCharCode(0),l=function(t){Array.isArray(t)?this.ops=t:null!=t&&Array.isArray(t.ops)?this.ops=t.ops:this.ops=[]};l.prototype.insert=function(t,e){var n={};return 0===t.length?this:(n.insert=t,null!=e&&"object"===typeof e&&Object.keys(e).length>0&&(n.attributes=e),this.push(n))},l.prototype["delete"]=function(t){return t<=0?this:this.push({delete:t})},l.prototype.retain=function(t,e){if(t<=0)return this;var n={retain:t};return null!=e&&"object"===typeof e&&Object.keys(e).length>0&&(n.attributes=e),this.push(n)},l.prototype.push=function(t){var e=this.ops.length,n=this.ops[e-1];if(t=r(!0,{},t),"object"===typeof n){if("number"===typeof t["delete"]&&"number"===typeof n["delete"])return this.ops[e-1]={delete:n["delete"]+t["delete"]},this;if("number"===typeof n["delete"]&&null!=t.insert&&(e-=1,n=this.ops[e-1],"object"!==typeof n))return this.ops.unshift(t),this;if(o(t.attributes,n.attributes)){if("string"===typeof t.insert&&"string"===typeof n.insert)return this.ops[e-1]={insert:n.insert+t.insert},"object"===typeof t.attributes&&(this.ops[e-1].attributes=t.attributes),this;if("number"===typeof t.retain&&"number"===typeof n.retain)return this.ops[e-1]={retain:n.retain+t.retain},"object"===typeof t.attributes&&(this.ops[e-1].attributes=t.attributes),this}}return e===this.ops.length?this.ops.push(t):this.ops.splice(e,0,t),this},l.prototype.chop=function(){var t=this.ops[this.ops.length-1];return t&&t.retain&&!t.attributes&&this.ops.pop(),this},l.prototype.filter=function(t){return this.ops.filter(t)},l.prototype.forEach=function(t){this.ops.forEach(t)},l.prototype.map=function(t){return this.ops.map(t)},l.prototype.partition=function(t){var e=[],n=[];return this.forEach((function(i){var o=t(i)?e:n;o.push(i)})),[e,n]},l.prototype.reduce=function(t,e){return this.ops.reduce(t,e)},l.prototype.changeLength=function(){return this.reduce((function(t,e){return e.insert?t+a.length(e):e.delete?t-e.delete:t}),0)},l.prototype.length=function(){return this.reduce((function(t,e){return t+a.length(e)}),0)},l.prototype.slice=function(t,e){t=t||0,"number"!==typeof e&&(e=1/0);var n=[],i=a.iterator(this.ops),o=0;while(o<e&&i.hasNext()){var r;o<t?r=i.next(t-o):(r=i.next(e-o),n.push(r)),o+=a.length(r)}return new l(n)},l.prototype.compose=function(t){var e=a.iterator(this.ops),n=a.iterator(t.ops),i=[],r=n.peek();if(null!=r&&"number"===typeof r.retain&&null==r.attributes){var s=r.retain;while("insert"===e.peekType()&&e.peekLength()<=s)s-=e.peekLength(),i.push(e.next());r.retain-s>0&&n.next(r.retain-s)}var c=new l(i);while(e.hasNext()||n.hasNext())if("insert"===n.peekType())c.push(n.next());else if("delete"===e.peekType())c.push(e.next());else{var u=Math.min(e.peekLength(),n.peekLength()),h=e.next(u),d=n.next(u);if("number"===typeof d.retain){var f={};"number"===typeof h.retain?f.retain=u:f.insert=h.insert;var A=a.attributes.compose(h.attributes,d.attributes,"number"===typeof h.retain);if(A&&(f.attributes=A),c.push(f),!n.hasNext()&&o(c.ops[c.ops.length-1],f)){var p=new l(e.rest());return c.concat(p).chop()}}else"number"===typeof d["delete"]&&"number"===typeof h.retain&&c.push(d)}return c.chop()},l.prototype.concat=function(t){var e=new l(this.ops.slice());return t.ops.length>0&&(e.push(t.ops[0]),e.ops=e.ops.concat(t.ops.slice(1))),e},l.prototype.diff=function(t,e){if(this.ops===t.ops)return new l;var n=[this,t].map((function(e){return e.map((function(n){if(null!=n.insert)return"string"===typeof n.insert?n.insert:s;var i=e===t?"on":"with";throw new Error("diff() called "+i+" non-document")})).join("")})),r=new l,c=i(n[0],n[1],e),u=a.iterator(this.ops),h=a.iterator(t.ops);return c.forEach((function(t){var e=t[1].length;while(e>0){var n=0;switch(t[0]){case i.INSERT:n=Math.min(h.peekLength(),e),r.push(h.next(n));break;case i.DELETE:n=Math.min(e,u.peekLength()),u.next(n),r["delete"](n);break;case i.EQUAL:n=Math.min(u.peekLength(),h.peekLength(),e);var s=u.next(n),l=h.next(n);o(s.insert,l.insert)?r.retain(n,a.attributes.diff(s.attributes,l.attributes)):r.push(l)["delete"](n);break}e-=n}})),r.chop()},l.prototype.eachLine=function(t,e){e=e||"\n";var n=a.iterator(this.ops),i=new l,o=0;while(n.hasNext()){if("insert"!==n.peekType())return;var r=n.peek(),s=a.length(r)-n.peekLength(),c="string"===typeof r.insert?r.insert.indexOf(e,s)-s:-1;if(c<0)i.push(n.next());else if(c>0)i.push(n.next(c));else{if(!1===t(i,n.next(1).attributes||{},o))return;o+=1,i=new l}}i.length()>0&&t(i,{},o)},l.prototype.transform=function(t,e){if(e=!!e,"number"===typeof t)return this.transformPosition(t,e);var n=a.iterator(this.ops),i=a.iterator(t.ops),o=new l;while(n.hasNext()||i.hasNext())if("insert"!==n.peekType()||!e&&"insert"===i.peekType())if("insert"===i.peekType())o.push(i.next());else{var r=Math.min(n.peekLength(),i.peekLength()),s=n.next(r),c=i.next(r);if(s["delete"])continue;c["delete"]?o.push(c):o.retain(r,a.attributes.transform(s.attributes,c.attributes,e))}else o.retain(a.length(n.next()));return o.chop()},l.prototype.transformPosition=function(t,e){e=!!e;var n=a.iterator(this.ops),i=0;while(n.hasNext()&&i<=t){var o=n.peekLength(),r=n.peekType();n.next(),"delete"!==r?("insert"===r&&(i<t||!e)&&(t+=o),i+=o):t-=Math.min(o,t-i)}return t},t.exports=l},function(t,e){"use strict";var n=Object.prototype.hasOwnProperty,i=Object.prototype.toString,o=Object.defineProperty,r=Object.getOwnPropertyDescriptor,a=function(t){return"function"===typeof Array.isArray?Array.isArray(t):"[object Array]"===i.call(t)},s=function(t){if(!t||"[object Object]"!==i.call(t))return!1;var e,o=n.call(t,"constructor"),r=t.constructor&&t.constructor.prototype&&n.call(t.constructor.prototype,"isPrototypeOf");if(t.constructor&&!o&&!r)return!1;for(e in t);return"undefined"===typeof e||n.call(t,e)},l=function(t,e){o&&"__proto__"===e.name?o(t,e.name,{enumerable:!0,configurable:!0,value:e.newValue,writable:!0}):t[e.name]=e.newValue},c=function(t,e){if("__proto__"===e){if(!n.call(t,e))return;if(r)return r(t,e).value}return t[e]};t.exports=function t(){var e,n,i,o,r,u,h=arguments[0],d=1,f=arguments.length,A=!1;for("boolean"===typeof h&&(A=h,h=arguments[1]||{},d=2),(null==h||"object"!==typeof h&&"function"!==typeof h)&&(h={});d<f;++d)if(e=arguments[d],null!=e)for(n in e)i=c(h,n),o=c(e,n),h!==o&&(A&&o&&(s(o)||(r=a(o)))?(r?(r=!1,u=i&&a(i)?i:[]):u=i&&s(i)?i:{},l(h,{name:n,newValue:t(A,u,o)})):"undefined"!==typeof o&&l(h,{name:n,newValue:o}));return h}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BlockEmbed=e.bubbleFormats=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(3),a=v(r),s=n(2),l=v(s),c=n(0),u=v(c),h=n(16),d=v(h),f=n(6),A=v(f),p=n(7),g=v(p);function v(t){return t&&t.__esModule?t:{default:t}}function m(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function y(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function b(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var w=1,E=function(t){function e(){return m(this,e),y(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return b(e,t),i(e,[{key:"attach",value:function(){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"attach",this).call(this),this.attributes=new u.default.Attributor.Store(this.domNode)}},{key:"delta",value:function(){return(new l.default).insert(this.value(),(0,a.default)(this.formats(),this.attributes.values()))}},{key:"format",value:function(t,e){var n=u.default.query(t,u.default.Scope.BLOCK_ATTRIBUTE);null!=n&&this.attributes.attribute(n,e)}},{key:"formatAt",value:function(t,e,n,i){this.format(n,i)}},{key:"insertAt",value:function(t,n,i){if("string"===typeof n&&n.endsWith("\n")){var r=u.default.create(_.blotName);this.parent.insertBefore(r,0===t?this:this.next),r.insertAt(0,n.slice(0,-1))}else o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i)}}]),e}(u.default.Embed);E.scope=u.default.Scope.BLOCK_BLOT;var _=function(t){function e(t){m(this,e);var n=y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return n.cache={},n}return b(e,t),i(e,[{key:"delta",value:function(){return null==this.cache.delta&&(this.cache.delta=this.descendants(u.default.Leaf).reduce((function(t,e){return 0===e.length()?t:t.insert(e.value(),B(e))}),new l.default).insert("\n",B(this))),this.cache.delta}},{key:"deleteAt",value:function(t,n){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"deleteAt",this).call(this,t,n),this.cache={}}},{key:"formatAt",value:function(t,n,i,r){n<=0||(u.default.query(i,u.default.Scope.BLOCK)?t+n===this.length()&&this.format(i,r):o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,Math.min(n,this.length()-t-1),i,r),this.cache={})}},{key:"insertAt",value:function(t,n,i){if(null!=i)return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i);if(0!==n.length){var r=n.split("\n"),a=r.shift();a.length>0&&(t<this.length()-1||null==this.children.tail?o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,Math.min(t,this.length()-1),a):this.children.tail.insertAt(this.children.tail.length(),a),this.cache={});var s=this;r.reduce((function(t,e){return s=s.split(t,!0),s.insertAt(0,e),e.length}),t+a.length)}}},{key:"insertBefore",value:function(t,n){var i=this.children.head;o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n),i instanceof d.default&&i.remove(),this.cache={}}},{key:"length",value:function(){return null==this.cache.length&&(this.cache.length=o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"length",this).call(this)+w),this.cache.length}},{key:"moveChildren",value:function(t,n){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"moveChildren",this).call(this,t,n),this.cache={}}},{key:"optimize",value:function(t){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.cache={}}},{key:"path",value:function(t){return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"path",this).call(this,t,!0)}},{key:"removeChild",value:function(t){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"removeChild",this).call(this,t),this.cache={}}},{key:"split",value:function(t){var n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(n&&(0===t||t>=this.length()-w)){var i=this.clone();return 0===t?(this.parent.insertBefore(i,this),this):(this.parent.insertBefore(i,this.next),i)}var r=o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"split",this).call(this,t,n);return this.cache={},r}}]),e}(u.default.Block);function B(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return null==t?e:("function"===typeof t.formats&&(e=(0,a.default)(e,t.formats())),null==t.parent||"scroll"==t.parent.blotName||t.parent.statics.scope!==t.statics.scope?e:B(t.parent,e))}_.blotName="block",_.tagName="P",_.defaultChild="break",_.allowedChildren=[A.default,u.default.Embed,g.default],e.bubbleFormats=B,e.BlockEmbed=E,e.default=_},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.overload=e.expandConfig=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();n(50);var a=n(2),s=B(a),l=n(14),c=B(l),u=n(8),h=B(u),d=n(9),f=B(d),A=n(0),p=B(A),g=n(15),v=B(g),m=n(3),y=B(m),b=n(10),w=B(b),E=n(34),_=B(E);function B(t){return t&&t.__esModule?t:{default:t}}function x(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function C(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var k=(0,w.default)("quill"),j=function(){function t(e){var n=this,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(C(this,t),this.options=I(e,i),this.container=this.options.container,null==this.container)return k.error("Invalid Quill container",e);this.options.debug&&t.debug(this.options.debug);var o=this.container.innerHTML.trim();this.container.classList.add("ql-container"),this.container.innerHTML="",this.container.__quill=this,this.root=this.addContainer("ql-editor"),this.root.classList.add("ql-blank"),this.root.setAttribute("data-gramm",!1),this.scrollingContainer=this.options.scrollingContainer||this.root,this.emitter=new h.default,this.scroll=p.default.create(this.root,{emitter:this.emitter,whitelist:this.options.formats}),this.editor=new c.default(this.scroll),this.selection=new v.default(this.scroll,this.emitter),this.theme=new this.options.theme(this,this.options),this.keyboard=this.theme.addModule("keyboard"),this.clipboard=this.theme.addModule("clipboard"),this.history=this.theme.addModule("history"),this.theme.init(),this.emitter.on(h.default.events.EDITOR_CHANGE,(function(t){t===h.default.events.TEXT_CHANGE&&n.root.classList.toggle("ql-blank",n.editor.isBlank())})),this.emitter.on(h.default.events.SCROLL_UPDATE,(function(t,e){var i=n.selection.lastRange,o=i&&0===i.length?i.index:void 0;D.call(n,(function(){return n.editor.update(null,e,o)}),t)}));var r=this.clipboard.convert("<div class='ql-editor' style=\"white-space: normal;\">"+o+"<p><br></p></div>");this.setContents(r),this.history.clear(),this.options.placeholder&&this.root.setAttribute("data-placeholder",this.options.placeholder),this.options.readOnly&&this.disable()}return r(t,null,[{key:"debug",value:function(t){!0===t&&(t="log"),w.default.level(t)}},{key:"find",value:function(t){return t.__quill||p.default.find(t)}},{key:"import",value:function(t){return null==this.imports[t]&&k.error("Cannot import "+t+". Are you sure it was registered?"),this.imports[t]}},{key:"register",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]&&arguments[2];if("string"!==typeof t){var o=t.attrName||t.blotName;"string"===typeof o?this.register("formats/"+o,t,e):Object.keys(t).forEach((function(i){n.register(i,t[i],e)}))}else null==this.imports[t]||i||k.warn("Overwriting "+t+" with",e),this.imports[t]=e,(t.startsWith("blots/")||t.startsWith("formats/"))&&"abstract"!==e.blotName?p.default.register(e):t.startsWith("modules")&&"function"===typeof e.register&&e.register()}}]),r(t,[{key:"addContainer",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;if("string"===typeof t){var n=t;t=document.createElement("div"),t.classList.add(n)}return this.container.insertBefore(t,e),t}},{key:"blur",value:function(){this.selection.setRange(null)}},{key:"deleteText",value:function(t,e,n){var i=this,r=F(t,e,n),a=o(r,4);return t=a[0],e=a[1],n=a[3],D.call(this,(function(){return i.editor.deleteText(t,e)}),n,t,-1*e)}},{key:"disable",value:function(){this.enable(!1)}},{key:"enable",value:function(){var t=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.scroll.enable(t),this.container.classList.toggle("ql-disabled",!t)}},{key:"focus",value:function(){var t=this.scrollingContainer.scrollTop;this.selection.focus(),this.scrollingContainer.scrollTop=t,this.scrollIntoView()}},{key:"format",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:h.default.sources.API;return D.call(this,(function(){var i=n.getSelection(!0),o=new s.default;if(null==i)return o;if(p.default.query(t,p.default.Scope.BLOCK))o=n.editor.formatLine(i.index,i.length,x({},t,e));else{if(0===i.length)return n.selection.format(t,e),o;o=n.editor.formatText(i.index,i.length,x({},t,e))}return n.setSelection(i,h.default.sources.SILENT),o}),i)}},{key:"formatLine",value:function(t,e,n,i,r){var a=this,s=void 0,l=F(t,e,n,i,r),c=o(l,4);return t=c[0],e=c[1],s=c[2],r=c[3],D.call(this,(function(){return a.editor.formatLine(t,e,s)}),r,t,0)}},{key:"formatText",value:function(t,e,n,i,r){var a=this,s=void 0,l=F(t,e,n,i,r),c=o(l,4);return t=c[0],e=c[1],s=c[2],r=c[3],D.call(this,(function(){return a.editor.formatText(t,e,s)}),r,t,0)}},{key:"getBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=void 0;n="number"===typeof t?this.selection.getBounds(t,e):this.selection.getBounds(t.index,t.length);var i=this.container.getBoundingClientRect();return{bottom:n.bottom-i.top,height:n.height,left:n.left-i.left,right:n.right-i.left,top:n.top-i.top,width:n.width}}},{key:"getContents",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.getLength()-t,n=F(t,e),i=o(n,2);return t=i[0],e=i[1],this.editor.getContents(t,e)}},{key:"getFormat",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.getSelection(!0),e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;return"number"===typeof t?this.editor.getFormat(t,e):this.editor.getFormat(t.index,t.length)}},{key:"getIndex",value:function(t){return t.offset(this.scroll)}},{key:"getLength",value:function(){return this.scroll.length()}},{key:"getLeaf",value:function(t){return this.scroll.leaf(t)}},{key:"getLine",value:function(t){return this.scroll.line(t)}},{key:"getLines",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Number.MAX_VALUE;return"number"!==typeof t?this.scroll.lines(t.index,t.length):this.scroll.lines(t,e)}},{key:"getModule",value:function(t){return this.theme.modules[t]}},{key:"getSelection",value:function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0];return t&&this.focus(),this.update(),this.selection.getRange()[0]}},{key:"getText",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.getLength()-t,n=F(t,e),i=o(n,2);return t=i[0],e=i[1],this.editor.getText(t,e)}},{key:"hasFocus",value:function(){return this.selection.hasFocus()}},{key:"insertEmbed",value:function(e,n,i){var o=this,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:t.sources.API;return D.call(this,(function(){return o.editor.insertEmbed(e,n,i)}),r,e)}},{key:"insertText",value:function(t,e,n,i,r){var a=this,s=void 0,l=F(t,0,n,i,r),c=o(l,4);return t=c[0],s=c[2],r=c[3],D.call(this,(function(){return a.editor.insertText(t,e,s)}),r,t,e.length)}},{key:"isEnabled",value:function(){return!this.container.classList.contains("ql-disabled")}},{key:"off",value:function(){return this.emitter.off.apply(this.emitter,arguments)}},{key:"on",value:function(){return this.emitter.on.apply(this.emitter,arguments)}},{key:"once",value:function(){return this.emitter.once.apply(this.emitter,arguments)}},{key:"pasteHTML",value:function(t,e,n){this.clipboard.dangerouslyPasteHTML(t,e,n)}},{key:"removeFormat",value:function(t,e,n){var i=this,r=F(t,e,n),a=o(r,4);return t=a[0],e=a[1],n=a[3],D.call(this,(function(){return i.editor.removeFormat(t,e)}),n,t)}},{key:"scrollIntoView",value:function(){this.selection.scrollIntoView(this.scrollingContainer)}},{key:"setContents",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API;return D.call(this,(function(){t=new s.default(t);var n=e.getLength(),i=e.editor.deleteText(0,n),o=e.editor.applyDelta(t),r=o.ops[o.ops.length-1];null!=r&&"string"===typeof r.insert&&"\n"===r.insert[r.insert.length-1]&&(e.editor.deleteText(e.getLength()-1,1),o.delete(1));var a=i.compose(o);return a}),n)}},{key:"setSelection",value:function(e,n,i){if(null==e)this.selection.setRange(null,n||t.sources.API);else{var r=F(e,n,i),a=o(r,4);e=a[0],n=a[1],i=a[3],this.selection.setRange(new g.Range(e,n),i),i!==h.default.sources.SILENT&&this.selection.scrollIntoView(this.scrollingContainer)}}},{key:"setText",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API,n=(new s.default).insert(t);return this.setContents(n,e)}},{key:"update",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:h.default.sources.USER,e=this.scroll.update(t);return this.selection.update(t),e}},{key:"updateContents",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API;return D.call(this,(function(){return t=new s.default(t),e.editor.applyDelta(t,n)}),n,!0)}}]),t}();function I(t,e){if(e=(0,y.default)(!0,{container:t,modules:{clipboard:!0,keyboard:!0,history:!0}},e),e.theme&&e.theme!==j.DEFAULTS.theme){if(e.theme=j.import("themes/"+e.theme),null==e.theme)throw new Error("Invalid theme "+e.theme+". Did you register it?")}else e.theme=_.default;var n=(0,y.default)(!0,{},e.theme.DEFAULTS);[n,e].forEach((function(t){t.modules=t.modules||{},Object.keys(t.modules).forEach((function(e){!0===t.modules[e]&&(t.modules[e]={})}))}));var i=Object.keys(n.modules).concat(Object.keys(e.modules)),o=i.reduce((function(t,e){var n=j.import("modules/"+e);return null==n?k.error("Cannot load "+e+" module. Are you sure you registered it?"):t[e]=n.DEFAULTS||{},t}),{});return null!=e.modules&&e.modules.toolbar&&e.modules.toolbar.constructor!==Object&&(e.modules.toolbar={container:e.modules.toolbar}),e=(0,y.default)(!0,{},j.DEFAULTS,{modules:o},n,e),["bounds","container","scrollingContainer"].forEach((function(t){"string"===typeof e[t]&&(e[t]=document.querySelector(e[t]))})),e.modules=Object.keys(e.modules).reduce((function(t,n){return e.modules[n]&&(t[n]=e.modules[n]),t}),{}),e}function D(t,e,n,i){if(this.options.strict&&!this.isEnabled()&&e===h.default.sources.USER)return new s.default;var o=null==n?null:this.getSelection(),r=this.editor.delta,a=t();if(null!=o&&(!0===n&&(n=o.index),null==i?o=M(o,a,e):0!==i&&(o=M(o,n,i,e)),this.setSelection(o,h.default.sources.SILENT)),a.length()>0){var l,c,u=[h.default.events.TEXT_CHANGE,a,r,e];if((l=this.emitter).emit.apply(l,[h.default.events.EDITOR_CHANGE].concat(u)),e!==h.default.sources.SILENT)(c=this.emitter).emit.apply(c,u)}return a}function F(t,e,n,o,r){var a={};return"number"===typeof t.index&&"number"===typeof t.length?"number"!==typeof e?(r=o,o=n,n=e,e=t.length,t=t.index):(e=t.length,t=t.index):"number"!==typeof e&&(r=o,o=n,n=e,e=0),"object"===("undefined"===typeof n?"undefined":i(n))?(a=n,r=o):"string"===typeof n&&(null!=o?a[n]=o:r=n),r=r||h.default.sources.API,[t,e,a,r]}function M(t,e,n,i){if(null==t)return null;var r=void 0,a=void 0;if(e instanceof s.default){var l=[t.index,t.index+t.length].map((function(t){return e.transformPosition(t,i!==h.default.sources.USER)})),c=o(l,2);r=c[0],a=c[1]}else{var u=[t.index,t.index+t.length].map((function(t){return t<e||t===e&&i===h.default.sources.USER?t:n>=0?t+n:Math.max(e,t+n)})),d=o(u,2);r=d[0],a=d[1]}return new g.Range(r,a-r)}j.DEFAULTS={bounds:null,formats:null,modules:{},placeholder:"",readOnly:!1,scrollingContainer:null,strict:!0,theme:"default"},j.events=h.default.events,j.sources=h.default.sources,j.version="1.3.7",j.imports={delta:s.default,parchment:p.default,"core/module":f.default,"core/theme":_.default},e.expandConfig=I,e.overload=F,e.default=j},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(7),a=c(r),s=n(0),l=c(s);function c(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f=function(t){function e(){return u(this,e),h(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return d(e,t),i(e,[{key:"formatAt",value:function(t,n,i,r){if(e.compare(this.statics.blotName,i)<0&&l.default.query(i,l.default.Scope.BLOT)){var a=this.isolate(t,n);r&&a.wrap(i,r)}else o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,n,i,r)}},{key:"optimize",value:function(t){if(o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.parent instanceof e&&e.compare(this.statics.blotName,this.parent.statics.blotName)>0){var n=this.parent.isolate(this.offset(),this.length());this.moveChildren(n),n.wrap(this)}}}],[{key:"compare",value:function(t,n){var i=e.order.indexOf(t),o=e.order.indexOf(n);return i>=0||o>=0?i-o:t===n?0:t<n?-1:1}}]),e}(l.default.Inline);f.allowedChildren=[f,l.default.Embed,a.default],f.order=["cursor","inline","underline","strike","italic","bold","script","link","code"],e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(o.default.Text);e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(54),a=c(r),s=n(10),l=c(s);function c(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f=(0,l.default)("quill:events"),A=["selectionchange","mousedown","mouseup","click"];A.forEach((function(t){document.addEventListener(t,(function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];[].slice.call(document.querySelectorAll(".ql-container")).forEach((function(t){var n;t.__quill&&t.__quill.emitter&&(n=t.__quill.emitter).handleDOM.apply(n,e)}))}))}));var p=function(t){function e(){u(this,e);var t=h(this,(e.__proto__||Object.getPrototypeOf(e)).call(this));return t.listeners={},t.on("error",f.error),t}return d(e,t),i(e,[{key:"emit",value:function(){f.log.apply(f,arguments),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"emit",this).apply(this,arguments)}},{key:"handleDOM",value:function(t){for(var e=arguments.length,n=Array(e>1?e-1:0),i=1;i<e;i++)n[i-1]=arguments[i];(this.listeners[t.type]||[]).forEach((function(e){var i=e.node,o=e.handler;(t.target===i||i.contains(t.target))&&o.apply(void 0,[t].concat(n))}))}},{key:"listenDOM",value:function(t,e,n){this.listeners[t]||(this.listeners[t]=[]),this.listeners[t].push({node:e,handler:n})}}]),e}(a.default);p.events={EDITOR_CHANGE:"editor-change",SCROLL_BEFORE_UPDATE:"scroll-before-update",SCROLL_OPTIMIZE:"scroll-optimize",SCROLL_UPDATE:"scroll-update",SELECTION_CHANGE:"selection-change",TEXT_CHANGE:"text-change"},p.sources={API:"api",SILENT:"silent",USER:"user"},e.default=p},function(t,e,n){"use strict";function i(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(e,"__esModule",{value:!0});var o=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};i(this,t),this.quill=e,this.options=n};o.DEFAULTS={},e.default=o},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=["error","warn","log","info"],o="warn";function r(t){if(i.indexOf(t)<=i.indexOf(o)){for(var e,n=arguments.length,r=Array(n>1?n-1:0),a=1;a<n;a++)r[a-1]=arguments[a];(e=console)[t].apply(e,r)}}function a(t){return i.reduce((function(e,n){return e[n]=r.bind(console,n,t),e}),{})}r.level=a.level=function(t){o=t},e.default=a},function(t,e,n){var i=Array.prototype.slice,o=n(52),r=n(53),a=t.exports=function(t,e,n){return n||(n={}),t===e||(t instanceof Date&&e instanceof Date?t.getTime()===e.getTime():!t||!e||"object"!=typeof t&&"object"!=typeof e?n.strict?t===e:t==e:c(t,e,n))};function s(t){return null===t||void 0===t}function l(t){return!(!t||"object"!==typeof t||"number"!==typeof t.length)&&("function"===typeof t.copy&&"function"===typeof t.slice&&!(t.length>0&&"number"!==typeof t[0]))}function c(t,e,n){var c,u;if(s(t)||s(e))return!1;if(t.prototype!==e.prototype)return!1;if(r(t))return!!r(e)&&(t=i.call(t),e=i.call(e),a(t,e,n));if(l(t)){if(!l(e))return!1;if(t.length!==e.length)return!1;for(c=0;c<t.length;c++)if(t[c]!==e[c])return!1;return!0}try{var h=o(t),d=o(e)}catch(f){return!1}if(h.length!=d.length)return!1;for(h.sort(),d.sort(),c=h.length-1;c>=0;c--)if(h[c]!=d[c])return!1;for(c=h.length-1;c>=0;c--)if(u=h[c],!a(t[u],e[u],n))return!1;return typeof t===typeof e}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),o=function(){function t(t,e,n){void 0===n&&(n={}),this.attrName=t,this.keyName=e;var o=i.Scope.TYPE&i.Scope.ATTRIBUTE;null!=n.scope?this.scope=n.scope&i.Scope.LEVEL|o:this.scope=i.Scope.ATTRIBUTE,null!=n.whitelist&&(this.whitelist=n.whitelist)}return t.keys=function(t){return[].map.call(t.attributes,(function(t){return t.name}))},t.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(t.setAttribute(this.keyName,e),!0)},t.prototype.canAdd=function(t,e){var n=i.query(t,i.Scope.BLOT&(this.scope|i.Scope.TYPE));return null!=n&&(null==this.whitelist||("string"===typeof e?this.whitelist.indexOf(e.replace(/["']/g,""))>-1:this.whitelist.indexOf(e)>-1))},t.prototype.remove=function(t){t.removeAttribute(this.keyName)},t.prototype.value=function(t){var e=t.getAttribute(this.keyName);return this.canAdd(t,e)&&e?e:""},t}();e.default=o},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.Code=void 0;var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},a=n(2),s=g(a),l=n(0),c=g(l),u=n(4),h=g(u),d=n(6),f=g(d),A=n(7),p=g(A);function g(t){return t&&t.__esModule?t:{default:t}}function v(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function m(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function y(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var b=function(t){function e(){return v(this,e),m(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return y(e,t),e}(f.default);b.blotName="code",b.tagName="CODE";var w=function(t){function e(){return v(this,e),m(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return y(e,t),o(e,[{key:"delta",value:function(){var t=this,e=this.domNode.textContent;return e.endsWith("\n")&&(e=e.slice(0,-1)),e.split("\n").reduce((function(e,n){return e.insert(n).insert("\n",t.formats())}),new s.default)}},{key:"format",value:function(t,n){if(t!==this.statics.blotName||!n){var o=this.descendant(p.default,this.length()-1),a=i(o,1),s=a[0];null!=s&&s.deleteAt(s.length()-1,1),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}},{key:"formatAt",value:function(t,n,i,o){if(0!==n&&null!=c.default.query(i,c.default.Scope.BLOCK)&&(i!==this.statics.blotName||o!==this.statics.formats(this.domNode))){var r=this.newlineIndex(t);if(!(r<0||r>=t+n)){var a=this.newlineIndex(t,!0)+1,s=r-a+1,l=this.isolate(a,s),u=l.next;l.format(i,o),u instanceof e&&u.formatAt(0,t-a+n-s,i,o)}}}},{key:"insertAt",value:function(t,e,n){if(null==n){var o=this.descendant(p.default,t),r=i(o,2),a=r[0],s=r[1];a.insertAt(s,e)}}},{key:"length",value:function(){var t=this.domNode.textContent.length;return this.domNode.textContent.endsWith("\n")?t:t+1}},{key:"newlineIndex",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(e)return this.domNode.textContent.slice(0,t).lastIndexOf("\n");var n=this.domNode.textContent.slice(t).indexOf("\n");return n>-1?t+n:-1}},{key:"optimize",value:function(t){this.domNode.textContent.endsWith("\n")||this.appendChild(c.default.create("text","\n")),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t);var n=this.next;null!=n&&n.prev===this&&n.statics.blotName===this.statics.blotName&&this.statics.formats(this.domNode)===n.statics.formats(n.domNode)&&(n.optimize(t),n.moveChildren(this),n.remove())}},{key:"replace",value:function(t){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replace",this).call(this,t),[].slice.call(this.domNode.querySelectorAll("*")).forEach((function(t){var e=c.default.find(t);null==e?t.parentNode.removeChild(t):e instanceof c.default.Embed?e.remove():e.unwrap()}))}}],[{key:"create",value:function(t){var n=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return n.setAttribute("spellcheck",!1),n}},{key:"formats",value:function(){return!0}}]),e}(h.default);w.blotName="code-block",w.tagName="PRE",w.TAB=" ",e.Code=b,e.default=w},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(2),s=C(a),l=n(20),c=C(l),u=n(0),h=C(u),d=n(13),f=C(d),A=n(24),p=C(A),g=n(4),v=C(g),m=n(16),y=C(m),b=n(21),w=C(b),E=n(11),_=C(E),B=n(3),x=C(B);function C(t){return t&&t.__esModule?t:{default:t}}function k(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function j(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var I=/^[ -~]*$/,D=function(){function t(e){j(this,t),this.scroll=e,this.delta=this.getDelta()}return r(t,[{key:"applyDelta",value:function(t){var e=this,n=!1;this.scroll.update();var r=this.scroll.length();return this.scroll.batchStart(),t=M(t),t.reduce((function(t,a){var s=a.retain||a.delete||a.insert.length||1,l=a.attributes||{};if(null!=a.insert){if("string"===typeof a.insert){var u=a.insert;u.endsWith("\n")&&n&&(n=!1,u=u.slice(0,-1)),t>=r&&!u.endsWith("\n")&&(n=!0),e.scroll.insertAt(t,u);var d=e.scroll.line(t),f=o(d,2),A=f[0],p=f[1],m=(0,x.default)({},(0,g.bubbleFormats)(A));if(A instanceof v.default){var y=A.descendant(h.default.Leaf,p),b=o(y,1),w=b[0];m=(0,x.default)(m,(0,g.bubbleFormats)(w))}l=c.default.attributes.diff(m,l)||{}}else if("object"===i(a.insert)){var E=Object.keys(a.insert)[0];if(null==E)return t;e.scroll.insertAt(t,E,a.insert[E])}r+=s}return Object.keys(l).forEach((function(n){e.scroll.formatAt(t,s,n,l[n])})),t+s}),0),t.reduce((function(t,n){return"number"===typeof n.delete?(e.scroll.deleteAt(t,n.delete),t):t+(n.retain||n.insert.length||1)}),0),this.scroll.batchEnd(),this.update(t)}},{key:"deleteText",value:function(t,e){return this.scroll.deleteAt(t,e),this.update((new s.default).retain(t).delete(e))}},{key:"formatLine",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return this.scroll.update(),Object.keys(i).forEach((function(o){if(null==n.scroll.whitelist||n.scroll.whitelist[o]){var r=n.scroll.lines(t,Math.max(e,1)),a=e;r.forEach((function(e){var r=e.length();if(e instanceof f.default){var s=t-e.offset(n.scroll),l=e.newlineIndex(s+a)-s+1;e.formatAt(s,l,o,i[o])}else e.format(o,i[o]);a-=r}))}})),this.scroll.optimize(),this.update((new s.default).retain(t).retain(e,(0,w.default)(i)))}},{key:"formatText",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return Object.keys(i).forEach((function(o){n.scroll.formatAt(t,e,o,i[o])})),this.update((new s.default).retain(t).retain(e,(0,w.default)(i)))}},{key:"getContents",value:function(t,e){return this.delta.slice(t,t+e)}},{key:"getDelta",value:function(){return this.scroll.lines().reduce((function(t,e){return t.concat(e.delta())}),new s.default)}},{key:"getFormat",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=[],i=[];0===e?this.scroll.path(t).forEach((function(t){var e=o(t,1),r=e[0];r instanceof v.default?n.push(r):r instanceof h.default.Leaf&&i.push(r)})):(n=this.scroll.lines(t,e),i=this.scroll.descendants(h.default.Leaf,t,e));var r=[n,i].map((function(t){if(0===t.length)return{};var e=(0,g.bubbleFormats)(t.shift());while(Object.keys(e).length>0){var n=t.shift();if(null==n)return e;e=F((0,g.bubbleFormats)(n),e)}return e}));return x.default.apply(x.default,r)}},{key:"getText",value:function(t,e){return this.getContents(t,e).filter((function(t){return"string"===typeof t.insert})).map((function(t){return t.insert})).join("")}},{key:"insertEmbed",value:function(t,e,n){return this.scroll.insertAt(t,e,n),this.update((new s.default).retain(t).insert(k({},e,n)))}},{key:"insertText",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e=e.replace(/\r\n/g,"\n").replace(/\r/g,"\n"),this.scroll.insertAt(t,e),Object.keys(i).forEach((function(o){n.scroll.formatAt(t,e.length,o,i[o])})),this.update((new s.default).retain(t).insert(e,(0,w.default)(i)))}},{key:"isBlank",value:function(){if(0==this.scroll.children.length)return!0;if(this.scroll.children.length>1)return!1;var t=this.scroll.children.head;return t.statics.blotName===v.default.blotName&&(!(t.children.length>1)&&t.children.head instanceof y.default)}},{key:"removeFormat",value:function(t,e){var n=this.getText(t,e),i=this.scroll.line(t+e),r=o(i,2),a=r[0],l=r[1],c=0,u=new s.default;null!=a&&(c=a instanceof f.default?a.newlineIndex(l)-l+1:a.length()-l,u=a.delta().slice(l,l+c-1).insert("\n"));var h=this.getContents(t,e+c),d=h.diff((new s.default).insert(n).concat(u)),A=(new s.default).retain(t).concat(d);return this.applyDelta(A)}},{key:"update",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0,i=this.delta;if(1===e.length&&"characterData"===e[0].type&&e[0].target.data.match(I)&&h.default.find(e[0].target)){var o=h.default.find(e[0].target),r=(0,g.bubbleFormats)(o),a=o.offset(this.scroll),l=e[0].oldValue.replace(p.default.CONTENTS,""),c=(new s.default).insert(l),u=(new s.default).insert(o.value()),d=(new s.default).retain(a).concat(c.diff(u,n));t=d.reduce((function(t,e){return e.insert?t.insert(e.insert,r):t.push(e)}),new s.default),this.delta=i.compose(t)}else this.delta=this.getDelta(),t&&(0,_.default)(i.compose(t),this.delta)||(t=i.diff(this.delta,n));return t}}]),t}();function F(t,e){return Object.keys(e).reduce((function(n,i){return null==t[i]||(e[i]===t[i]?n[i]=e[i]:Array.isArray(e[i])?e[i].indexOf(t[i])<0&&(n[i]=e[i].concat([t[i]])):n[i]=[e[i],t[i]]),n}),{})}function M(t){return t.reduce((function(t,e){if(1===e.insert){var n=(0,w.default)(e.attributes);return delete n["image"],t.insert({image:e.attributes.image},n)}if(null==e.attributes||!0!==e.attributes.list&&!0!==e.attributes.bullet||(e=(0,w.default)(e),e.attributes.list?e.attributes.list="ordered":(e.attributes.list="bullet",delete e.attributes.bullet)),"string"===typeof e.insert){var i=e.insert.replace(/\r\n/g,"\n").replace(/\r/g,"\n");return t.insert(i,e.attributes)}return t.push(e)}),new s.default)}e.default=D},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.Range=void 0;var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(0),a=p(r),s=n(21),l=p(s),c=n(11),u=p(c),h=n(8),d=p(h),f=n(10),A=p(f);function p(t){return t&&t.__esModule?t:{default:t}}function g(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e<t.length;e++)n[e]=t[e];return n}return Array.from(t)}function v(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var m=(0,A.default)("quill:selection"),y=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;v(this,t),this.index=e,this.length=n},b=function(){function t(e,n){var i=this;v(this,t),this.emitter=n,this.scroll=e,this.composing=!1,this.mouseDown=!1,this.root=this.scroll.domNode,this.cursor=a.default.create("cursor",this),this.lastRange=this.savedRange=new y(0,0),this.handleComposition(),this.handleDragging(),this.emitter.listenDOM("selectionchange",document,(function(){i.mouseDown||setTimeout(i.update.bind(i,d.default.sources.USER),1)})),this.emitter.on(d.default.events.EDITOR_CHANGE,(function(t,e){t===d.default.events.TEXT_CHANGE&&e.length()>0&&i.update(d.default.sources.SILENT)})),this.emitter.on(d.default.events.SCROLL_BEFORE_UPDATE,(function(){if(i.hasFocus()){var t=i.getNativeRange();null!=t&&t.start.node!==i.cursor.textNode&&i.emitter.once(d.default.events.SCROLL_UPDATE,(function(){try{i.setNativeRange(t.start.node,t.start.offset,t.end.node,t.end.offset)}catch(e){}}))}})),this.emitter.on(d.default.events.SCROLL_OPTIMIZE,(function(t,e){if(e.range){var n=e.range,o=n.startNode,r=n.startOffset,a=n.endNode,s=n.endOffset;i.setNativeRange(o,r,a,s)}})),this.update(d.default.sources.SILENT)}return o(t,[{key:"handleComposition",value:function(){var t=this;this.root.addEventListener("compositionstart",(function(){t.composing=!0})),this.root.addEventListener("compositionend",(function(){if(t.composing=!1,t.cursor.parent){var e=t.cursor.restore();if(!e)return;setTimeout((function(){t.setNativeRange(e.startNode,e.startOffset,e.endNode,e.endOffset)}),1)}}))}},{key:"handleDragging",value:function(){var t=this;this.emitter.listenDOM("mousedown",document.body,(function(){t.mouseDown=!0})),this.emitter.listenDOM("mouseup",document.body,(function(){t.mouseDown=!1,t.update(d.default.sources.USER)}))}},{key:"focus",value:function(){this.hasFocus()||(this.root.focus(),this.setRange(this.savedRange))}},{key:"format",value:function(t,e){if(null==this.scroll.whitelist||this.scroll.whitelist[t]){this.scroll.update();var n=this.getNativeRange();if(null!=n&&n.native.collapsed&&!a.default.query(t,a.default.Scope.BLOCK)){if(n.start.node!==this.cursor.textNode){var i=a.default.find(n.start.node,!1);if(null==i)return;if(i instanceof a.default.Leaf){var o=i.split(n.start.offset);i.parent.insertBefore(this.cursor,o)}else i.insertBefore(this.cursor,n.start.node);this.cursor.attach()}this.cursor.format(t,e),this.scroll.optimize(),this.setNativeRange(this.cursor.textNode,this.cursor.textNode.data.length),this.update()}}}},{key:"getBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=this.scroll.length();t=Math.min(t,n-1),e=Math.min(t+e,n-1)-t;var o=void 0,r=this.scroll.leaf(t),a=i(r,2),s=a[0],l=a[1];if(null==s)return null;var c=s.position(l,!0),u=i(c,2);o=u[0],l=u[1];var h=document.createRange();if(e>0){h.setStart(o,l);var d=this.scroll.leaf(t+e),f=i(d,2);if(s=f[0],l=f[1],null==s)return null;var A=s.position(l,!0),p=i(A,2);return o=p[0],l=p[1],h.setEnd(o,l),h.getBoundingClientRect()}var g="left",v=void 0;return o instanceof Text?(l<o.data.length?(h.setStart(o,l),h.setEnd(o,l+1)):(h.setStart(o,l-1),h.setEnd(o,l),g="right"),v=h.getBoundingClientRect()):(v=s.domNode.getBoundingClientRect(),l>0&&(g="right")),{bottom:v.top+v.height,height:v.height,left:v[g],right:v[g],top:v.top,width:0}}},{key:"getNativeRange",value:function(){var t=document.getSelection();if(null==t||t.rangeCount<=0)return null;var e=t.getRangeAt(0);if(null==e)return null;var n=this.normalizeNative(e);return m.info("getNativeRange",n),n}},{key:"getRange",value:function(){var t=this.getNativeRange();if(null==t)return[null,null];var e=this.normalizedToRange(t);return[e,t]}},{key:"hasFocus",value:function(){return document.activeElement===this.root}},{key:"normalizedToRange",value:function(t){var e=this,n=[[t.start.node,t.start.offset]];t.native.collapsed||n.push([t.end.node,t.end.offset]);var o=n.map((function(t){var n=i(t,2),o=n[0],r=n[1],s=a.default.find(o,!0),l=s.offset(e.scroll);return 0===r?l:s instanceof a.default.Container?l+s.length():l+s.index(o,r)})),r=Math.min(Math.max.apply(Math,g(o)),this.scroll.length()-1),s=Math.min.apply(Math,[r].concat(g(o)));return new y(s,r-s)}},{key:"normalizeNative",value:function(t){if(!w(this.root,t.startContainer)||!t.collapsed&&!w(this.root,t.endContainer))return null;var e={start:{node:t.startContainer,offset:t.startOffset},end:{node:t.endContainer,offset:t.endOffset},native:t};return[e.start,e.end].forEach((function(t){var e=t.node,n=t.offset;while(!(e instanceof Text)&&e.childNodes.length>0)if(e.childNodes.length>n)e=e.childNodes[n],n=0;else{if(e.childNodes.length!==n)break;e=e.lastChild,n=e instanceof Text?e.data.length:e.childNodes.length+1}t.node=e,t.offset=n})),e}},{key:"rangeToNative",value:function(t){var e=this,n=t.collapsed?[t.index]:[t.index,t.index+t.length],o=[],r=this.scroll.length();return n.forEach((function(t,n){t=Math.min(r-1,t);var a=void 0,s=e.scroll.leaf(t),l=i(s,2),c=l[0],u=l[1],h=c.position(u,0!==n),d=i(h,2);a=d[0],u=d[1],o.push(a,u)})),o.length<2&&(o=o.concat(o)),o}},{key:"scrollIntoView",value:function(t){var e=this.lastRange;if(null!=e){var n=this.getBounds(e.index,e.length);if(null!=n){var o=this.scroll.length()-1,r=this.scroll.line(Math.min(e.index,o)),a=i(r,1),s=a[0],l=s;if(e.length>0){var c=this.scroll.line(Math.min(e.index+e.length,o)),u=i(c,1);l=u[0]}if(null!=s&&null!=l){var h=t.getBoundingClientRect();n.top<h.top?t.scrollTop-=h.top-n.top:n.bottom>h.bottom&&(t.scrollTop+=n.bottom-h.bottom)}}}}},{key:"setNativeRange",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t,i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e,o=arguments.length>4&&void 0!==arguments[4]&&arguments[4];if(m.info("setNativeRange",t,e,n,i),null==t||null!=this.root.parentNode&&null!=t.parentNode&&null!=n.parentNode){var r=document.getSelection();if(null!=r)if(null!=t){this.hasFocus()||this.root.focus();var a=(this.getNativeRange()||{}).native;if(null==a||o||t!==a.startContainer||e!==a.startOffset||n!==a.endContainer||i!==a.endOffset){"BR"==t.tagName&&(e=[].indexOf.call(t.parentNode.childNodes,t),t=t.parentNode),"BR"==n.tagName&&(i=[].indexOf.call(n.parentNode.childNodes,n),n=n.parentNode);var s=document.createRange();s.setStart(t,e),s.setEnd(n,i),r.removeAllRanges(),r.addRange(s)}}else r.removeAllRanges(),this.root.blur(),document.body.focus()}}},{key:"setRange",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:d.default.sources.API;if("string"===typeof e&&(n=e,e=!1),m.info("setRange",t),null!=t){var i=this.rangeToNative(t);this.setNativeRange.apply(this,g(i).concat([e]))}else this.setNativeRange(null);this.update(n)}},{key:"update",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:d.default.sources.USER,e=this.lastRange,n=this.getRange(),o=i(n,2),r=o[0],a=o[1];if(this.lastRange=r,null!=this.lastRange&&(this.savedRange=this.lastRange),!(0,u.default)(e,this.lastRange)){var s;!this.composing&&null!=a&&a.native.collapsed&&a.start.node!==this.cursor.textNode&&this.cursor.restore();var c,h=[d.default.events.SELECTION_CHANGE,(0,l.default)(this.lastRange),(0,l.default)(e),t];if((s=this.emitter).emit.apply(s,[d.default.events.EDITOR_CHANGE].concat(h)),t!==d.default.sources.SILENT)(c=this.emitter).emit.apply(c,h)}}}]),t}();function w(t,e){try{e.parentNode}catch(n){return!1}return e instanceof Text&&(e=e.parentNode),t.contains(e)}e.Range=y,e.default=b},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"insertInto",value:function(t,n){0===t.children.length?o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertInto",this).call(this,t,n):this.remove()}},{key:"length",value:function(){return 0}},{key:"value",value:function(){return""}}],[{key:"value",value:function(){}}]),e}(a.default.Embed);h.blotName="break",h.tagName="BR",e.default=h},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(44),r=n(30),a=n(1),s=function(t){function e(e){var n=t.call(this,e)||this;return n.build(),n}return i(e,t),e.prototype.appendChild=function(t){this.insertBefore(t)},e.prototype.attach=function(){t.prototype.attach.call(this),this.children.forEach((function(t){t.attach()}))},e.prototype.build=function(){var t=this;this.children=new o.default,[].slice.call(this.domNode.childNodes).reverse().forEach((function(e){try{var n=l(e);t.insertBefore(n,t.children.head||void 0)}catch(i){if(i instanceof a.ParchmentError)return;throw i}}))},e.prototype.deleteAt=function(t,e){if(0===t&&e===this.length())return this.remove();this.children.forEachAt(t,e,(function(t,e,n){t.deleteAt(e,n)}))},e.prototype.descendant=function(t,n){var i=this.children.find(n),o=i[0],r=i[1];return null==t.blotName&&t(o)||null!=t.blotName&&o instanceof t?[o,r]:o instanceof e?o.descendant(t,r):[null,-1]},e.prototype.descendants=function(t,n,i){void 0===n&&(n=0),void 0===i&&(i=Number.MAX_VALUE);var o=[],r=i;return this.children.forEachAt(n,i,(function(n,i,a){(null==t.blotName&&t(n)||null!=t.blotName&&n instanceof t)&&o.push(n),n instanceof e&&(o=o.concat(n.descendants(t,i,r))),r-=a})),o},e.prototype.detach=function(){this.children.forEach((function(t){t.detach()})),t.prototype.detach.call(this)},e.prototype.formatAt=function(t,e,n,i){this.children.forEachAt(t,e,(function(t,e,o){t.formatAt(e,o,n,i)}))},e.prototype.insertAt=function(t,e,n){var i=this.children.find(t),o=i[0],r=i[1];if(o)o.insertAt(r,e,n);else{var s=null==n?a.create("text",e):a.create(e,n);this.appendChild(s)}},e.prototype.insertBefore=function(t,e){if(null!=this.statics.allowedChildren&&!this.statics.allowedChildren.some((function(e){return t instanceof e})))throw new a.ParchmentError("Cannot insert "+t.statics.blotName+" into "+this.statics.blotName);t.insertInto(this,e)},e.prototype.length=function(){return this.children.reduce((function(t,e){return t+e.length()}),0)},e.prototype.moveChildren=function(t,e){this.children.forEach((function(n){t.insertBefore(n,e)}))},e.prototype.optimize=function(e){if(t.prototype.optimize.call(this,e),0===this.children.length)if(null!=this.statics.defaultChild){var n=a.create(this.statics.defaultChild);this.appendChild(n),n.optimize(e)}else this.remove()},e.prototype.path=function(t,n){void 0===n&&(n=!1);var i=this.children.find(t,n),o=i[0],r=i[1],a=[[this,t]];return o instanceof e?a.concat(o.path(r,n)):(null!=o&&a.push([o,r]),a)},e.prototype.removeChild=function(t){this.children.remove(t)},e.prototype.replace=function(n){n instanceof e&&n.moveChildren(this),t.prototype.replace.call(this,n)},e.prototype.split=function(t,e){if(void 0===e&&(e=!1),!e){if(0===t)return this;if(t===this.length())return this.next}var n=this.clone();return this.parent.insertBefore(n,this.next),this.children.forEachAt(t,this.length(),(function(t,i,o){t=t.split(i,e),n.appendChild(t)})),n},e.prototype.unwrap=function(){this.moveChildren(this.parent,this.next),this.remove()},e.prototype.update=function(t,e){var n=this,i=[],o=[];t.forEach((function(t){t.target===n.domNode&&"childList"===t.type&&(i.push.apply(i,t.addedNodes),o.push.apply(o,t.removedNodes))})),o.forEach((function(t){if(!(null!=t.parentNode&&"IFRAME"!==t.tagName&&document.body.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_CONTAINED_BY)){var e=a.find(t);null!=e&&(null!=e.domNode.parentNode&&e.domNode.parentNode!==n.domNode||e.detach())}})),i.filter((function(t){return t.parentNode==n.domNode})).sort((function(t,e){return t===e?0:t.compareDocumentPosition(e)&Node.DOCUMENT_POSITION_FOLLOWING?1:-1})).forEach((function(t){var e=null;null!=t.nextSibling&&(e=a.find(t.nextSibling));var i=l(t);i.next==e&&null!=i.next||(null!=i.parent&&i.parent.removeChild(n),n.insertBefore(i,e||void 0))}))},e}(r.default);function l(t){var e=a.find(t);if(null==e)try{e=a.create(t)}catch(n){e=a.create(a.Scope.INLINE),[].slice.call(t.childNodes).forEach((function(t){e.domNode.appendChild(t)})),t.parentNode&&t.parentNode.replaceChild(e.domNode,t),e.attach()}return e}e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(12),r=n(31),a=n(17),s=n(1),l=function(t){function e(e){var n=t.call(this,e)||this;return n.attributes=new r.default(n.domNode),n}return i(e,t),e.formats=function(t){return"string"===typeof this.tagName||(Array.isArray(this.tagName)?t.tagName.toLowerCase():void 0)},e.prototype.format=function(t,e){var n=s.query(t);n instanceof o.default?this.attributes.attribute(n,e):e&&(null==n||t===this.statics.blotName&&this.formats()[t]===e||this.replaceWith(t,e))},e.prototype.formats=function(){var t=this.attributes.values(),e=this.statics.formats(this.domNode);return null!=e&&(t[this.statics.blotName]=e),t},e.prototype.replaceWith=function(e,n){var i=t.prototype.replaceWith.call(this,e,n);return this.attributes.copy(i),i},e.prototype.update=function(e,n){var i=this;t.prototype.update.call(this,e,n),e.some((function(t){return t.target===i.domNode&&"attributes"===t.type}))&&this.attributes.build()},e.prototype.wrap=function(n,i){var o=t.prototype.wrap.call(this,n,i);return o instanceof e&&o.statics.scope===this.statics.scope&&this.attributes.move(o),o},e}(a.default);e.default=l},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(30),r=n(1),a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.value=function(t){return!0},e.prototype.index=function(t,e){return this.domNode===t||this.domNode.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_CONTAINED_BY?Math.min(e,1):-1},e.prototype.position=function(t,e){var n=[].indexOf.call(this.parent.domNode.childNodes,this.domNode);return t>0&&(n+=1),[this.parent.domNode,n]},e.prototype.value=function(){var t;return t={},t[this.statics.blotName]=this.statics.value(this.domNode)||!0,t},e.scope=r.Scope.INLINE_BLOT,e}(o.default);e.default=a},function(t,e,n){var i=n(11),o=n(3),r={attributes:{compose:function(t,e,n){"object"!==typeof t&&(t={}),"object"!==typeof e&&(e={});var i=o(!0,{},e);for(var r in n||(i=Object.keys(i).reduce((function(t,e){return null!=i[e]&&(t[e]=i[e]),t}),{})),t)void 0!==t[r]&&void 0===e[r]&&(i[r]=t[r]);return Object.keys(i).length>0?i:void 0},diff:function(t,e){"object"!==typeof t&&(t={}),"object"!==typeof e&&(e={});var n=Object.keys(t).concat(Object.keys(e)).reduce((function(n,o){return i(t[o],e[o])||(n[o]=void 0===e[o]?null:e[o]),n}),{});return Object.keys(n).length>0?n:void 0},transform:function(t,e,n){if("object"!==typeof t)return e;if("object"===typeof e){if(!n)return e;var i=Object.keys(e).reduce((function(n,i){return void 0===t[i]&&(n[i]=e[i]),n}),{});return Object.keys(i).length>0?i:void 0}}},iterator:function(t){return new a(t)},length:function(t){return"number"===typeof t["delete"]?t["delete"]:"number"===typeof t.retain?t.retain:"string"===typeof t.insert?t.insert.length:1}};function a(t){this.ops=t,this.index=0,this.offset=0}a.prototype.hasNext=function(){return this.peekLength()<1/0},a.prototype.next=function(t){t||(t=1/0);var e=this.ops[this.index];if(e){var n=this.offset,i=r.length(e);if(t>=i-n?(t=i-n,this.index+=1,this.offset=0):this.offset+=t,"number"===typeof e["delete"])return{delete:t};var o={};return e.attributes&&(o.attributes=e.attributes),"number"===typeof e.retain?o.retain=t:"string"===typeof e.insert?o.insert=e.insert.substr(n,t):o.insert=e.insert,o}return{retain:1/0}},a.prototype.peek=function(){return this.ops[this.index]},a.prototype.peekLength=function(){return this.ops[this.index]?r.length(this.ops[this.index])-this.offset:1/0},a.prototype.peekType=function(){return this.ops[this.index]?"number"===typeof this.ops[this.index]["delete"]?"delete":"number"===typeof this.ops[this.index].retain?"retain":"insert":"retain"},a.prototype.rest=function(){if(this.hasNext()){if(0===this.offset)return this.ops.slice(this.index);var t=this.offset,e=this.index,n=this.next(),i=this.ops.slice(this.index);return this.offset=t,this.index=e,[n].concat(i)}return[]},t.exports=r},function(t,n){var i=function(){"use strict";function t(t,e){return null!=e&&t instanceof e}var n,i,o;try{n=Map}catch(h){n=function(){}}try{i=Set}catch(h){i=function(){}}try{o=Promise}catch(h){o=function(){}}function r(a,s,l,c,h){"object"===typeof s&&(l=s.depth,c=s.prototype,h=s.includeNonEnumerable,s=s.circular);var d=[],f=[],A="undefined"!=typeof e;function p(a,l){if(null===a)return null;if(0===l)return a;var g,v;if("object"!=typeof a)return a;if(t(a,n))g=new n;else if(t(a,i))g=new i;else if(t(a,o))g=new o((function(t,e){a.then((function(e){t(p(e,l-1))}),(function(t){e(p(t,l-1))}))}));else if(r.__isArray(a))g=[];else if(r.__isRegExp(a))g=new RegExp(a.source,u(a)),a.lastIndex&&(g.lastIndex=a.lastIndex);else if(r.__isDate(a))g=new Date(a.getTime());else{if(A&&e.isBuffer(a))return g=e.allocUnsafe?e.allocUnsafe(a.length):new e(a.length),a.copy(g),g;t(a,Error)?g=Object.create(a):"undefined"==typeof c?(v=Object.getPrototypeOf(a),g=Object.create(v)):(g=Object.create(c),v=c)}if(s){var m=d.indexOf(a);if(-1!=m)return f[m];d.push(a),f.push(g)}for(var y in t(a,n)&&a.forEach((function(t,e){var n=p(e,l-1),i=p(t,l-1);g.set(n,i)})),t(a,i)&&a.forEach((function(t){var e=p(t,l-1);g.add(e)})),a){var b;v&&(b=Object.getOwnPropertyDescriptor(v,y)),b&&null==b.set||(g[y]=p(a[y],l-1))}if(Object.getOwnPropertySymbols){var w=Object.getOwnPropertySymbols(a);for(y=0;y<w.length;y++){var E=w[y],_=Object.getOwnPropertyDescriptor(a,E);(!_||_.enumerable||h)&&(g[E]=p(a[E],l-1),_.enumerable||Object.defineProperty(g,E,{enumerable:!1}))}}if(h){var B=Object.getOwnPropertyNames(a);for(y=0;y<B.length;y++){var x=B[y];_=Object.getOwnPropertyDescriptor(a,x);_&&_.enumerable||(g[x]=p(a[x],l-1),Object.defineProperty(g,x,{enumerable:!1}))}}return g}return"undefined"==typeof s&&(s=!0),"undefined"==typeof l&&(l=1/0),p(a,l)}function a(t){return Object.prototype.toString.call(t)}function s(t){return"object"===typeof t&&"[object Date]"===a(t)}function l(t){return"object"===typeof t&&"[object Array]"===a(t)}function c(t){return"object"===typeof t&&"[object RegExp]"===a(t)}function u(t){var e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),e}return r.clonePrototype=function(t){if(null===t)return null;var e=function(){};return e.prototype=t,new e},r.__objToStr=a,r.__isDate=s,r.__isArray=l,r.__isRegExp=c,r.__getRegExpFlags=u,r}();"object"===typeof t&&t.exports&&(t.exports=i)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},a=n(0),s=m(a),l=n(8),c=m(l),u=n(4),h=m(u),d=n(16),f=m(d),A=n(13),p=m(A),g=n(25),v=m(g);function m(t){return t&&t.__esModule?t:{default:t}}function y(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function b(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function w(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function E(t){return t instanceof h.default||t instanceof u.BlockEmbed}var _=function(t){function e(t,n){y(this,e);var i=b(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.emitter=n.emitter,Array.isArray(n.whitelist)&&(i.whitelist=n.whitelist.reduce((function(t,e){return t[e]=!0,t}),{})),i.domNode.addEventListener("DOMNodeInserted",(function(){})),i.optimize(),i.enable(),i}return w(e,t),o(e,[{key:"batchStart",value:function(){this.batch=!0}},{key:"batchEnd",value:function(){this.batch=!1,this.optimize()}},{key:"deleteAt",value:function(t,n){var o=this.line(t),a=i(o,2),s=a[0],l=a[1],c=this.line(t+n),h=i(c,1),d=h[0];if(r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"deleteAt",this).call(this,t,n),null!=d&&s!==d&&l>0){if(s instanceof u.BlockEmbed||d instanceof u.BlockEmbed)return void this.optimize();if(s instanceof p.default){var A=s.newlineIndex(s.length(),!0);if(A>-1&&(s=s.split(A+1),s===d))return void this.optimize()}else if(d instanceof p.default){var g=d.newlineIndex(0);g>-1&&d.split(g+1)}var v=d.children.head instanceof f.default?null:d.children.head;s.moveChildren(d,v),s.remove()}this.optimize()}},{key:"enable",value:function(){var t=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.domNode.setAttribute("contenteditable",t)}},{key:"formatAt",value:function(t,n,i,o){(null==this.whitelist||this.whitelist[i])&&(r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,n,i,o),this.optimize())}},{key:"insertAt",value:function(t,n,i){if(null==i||null==this.whitelist||this.whitelist[n]){if(t>=this.length())if(null==i||null==s.default.query(n,s.default.Scope.BLOCK)){var o=s.default.create(this.statics.defaultChild);this.appendChild(o),null==i&&n.endsWith("\n")&&(n=n.slice(0,-1)),o.insertAt(0,n,i)}else{var a=s.default.create(n,i);this.appendChild(a)}else r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i);this.optimize()}}},{key:"insertBefore",value:function(t,n){if(t.statics.scope===s.default.Scope.INLINE_BLOT){var i=s.default.create(this.statics.defaultChild);i.appendChild(t),t=i}r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n)}},{key:"leaf",value:function(t){return this.path(t).pop()||[null,-1]}},{key:"line",value:function(t){return t===this.length()?this.line(t-1):this.descendant(E,t)}},{key:"lines",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Number.MAX_VALUE,n=function t(e,n,i){var o=[],r=i;return e.children.forEachAt(n,i,(function(e,n,i){E(e)?o.push(e):e instanceof s.default.Container&&(o=o.concat(t(e,n,r))),r-=i})),o};return n(this,t,e)}},{key:"optimize",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};!0!==this.batch&&(r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t,n),t.length>0&&this.emitter.emit(c.default.events.SCROLL_OPTIMIZE,t,n))}},{key:"path",value:function(t){return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"path",this).call(this,t).slice(1)}},{key:"update",value:function(t){if(!0!==this.batch){var n=c.default.sources.USER;"string"===typeof t&&(n=t),Array.isArray(t)||(t=this.observer.takeRecords()),t.length>0&&this.emitter.emit(c.default.events.SCROLL_BEFORE_UPDATE,n,t),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"update",this).call(this,t.concat([])),t.length>0&&this.emitter.emit(c.default.events.SCROLL_UPDATE,n,t)}}}]),e}(s.default.Scroll);_.blotName="scroll",_.className="ql-editor",_.tagName="DIV",_.defaultChild="block",_.allowedChildren=[h.default,u.BlockEmbed,v.default],e.default=_},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.SHORTKEY=e.default=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(21),s=B(a),l=n(11),c=B(l),u=n(3),h=B(u),d=n(2),f=B(d),A=n(20),p=B(A),g=n(0),v=B(g),m=n(5),y=B(m),b=n(10),w=B(b),E=n(9),_=B(E);function B(t){return t&&t.__esModule?t:{default:t}}function x(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function C(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function k(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function j(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var I=(0,w.default)("quill:keyboard"),D=/Mac/i.test(navigator.platform)?"metaKey":"ctrlKey",F=function(t){function e(t,n){C(this,e);var i=k(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.bindings={},Object.keys(i.options.bindings).forEach((function(e){("list autofill"!==e||null==t.scroll.whitelist||t.scroll.whitelist["list"])&&i.options.bindings[e]&&i.addBinding(i.options.bindings[e])})),i.addBinding({key:e.keys.ENTER,shiftKey:null},Q),i.addBinding({key:e.keys.ENTER,metaKey:null,ctrlKey:null,altKey:null},(function(){})),/Firefox/i.test(navigator.userAgent)?(i.addBinding({key:e.keys.BACKSPACE},{collapsed:!0},T),i.addBinding({key:e.keys.DELETE},{collapsed:!0},N)):(i.addBinding({key:e.keys.BACKSPACE},{collapsed:!0,prefix:/^.?$/},T),i.addBinding({key:e.keys.DELETE},{collapsed:!0,suffix:/^.?$/},N)),i.addBinding({key:e.keys.BACKSPACE},{collapsed:!1},S),i.addBinding({key:e.keys.DELETE},{collapsed:!1},S),i.addBinding({key:e.keys.BACKSPACE,altKey:null,ctrlKey:null,metaKey:null,shiftKey:null},{collapsed:!0,offset:0},T),i.listen(),i}return j(e,t),r(e,null,[{key:"match",value:function(t,e){return e=R(e),!["altKey","ctrlKey","metaKey","shiftKey"].some((function(n){return!!e[n]!==t[n]&&null!==e[n]}))&&e.key===(t.which||t.keyCode)}}]),r(e,[{key:"addBinding",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=R(t);if(null==i||null==i.key)return I.warn("Attempted to add invalid keyboard binding",i);"function"===typeof e&&(e={handler:e}),"function"===typeof n&&(n={handler:n}),i=(0,h.default)(i,e,n),this.bindings[i.key]=this.bindings[i.key]||[],this.bindings[i.key].push(i)}},{key:"listen",value:function(){var t=this;this.quill.root.addEventListener("keydown",(function(n){if(!n.defaultPrevented){var r=n.which||n.keyCode,a=(t.bindings[r]||[]).filter((function(t){return e.match(n,t)}));if(0!==a.length){var s=t.quill.getSelection();if(null!=s&&t.quill.hasFocus()){var l=t.quill.getLine(s.index),u=o(l,2),h=u[0],d=u[1],f=t.quill.getLeaf(s.index),A=o(f,2),p=A[0],g=A[1],m=0===s.length?[p,g]:t.quill.getLeaf(s.index+s.length),y=o(m,2),b=y[0],w=y[1],E=p instanceof v.default.Text?p.value().slice(0,g):"",_=b instanceof v.default.Text?b.value().slice(w):"",B={collapsed:0===s.length,empty:0===s.length&&h.length()<=1,format:t.quill.getFormat(s),offset:d,prefix:E,suffix:_},x=a.some((function(e){if(null!=e.collapsed&&e.collapsed!==B.collapsed)return!1;if(null!=e.empty&&e.empty!==B.empty)return!1;if(null!=e.offset&&e.offset!==B.offset)return!1;if(Array.isArray(e.format)){if(e.format.every((function(t){return null==B.format[t]})))return!1}else if("object"===i(e.format)&&!Object.keys(e.format).every((function(t){return!0===e.format[t]?null!=B.format[t]:!1===e.format[t]?null==B.format[t]:(0,c.default)(e.format[t],B.format[t])})))return!1;return!(null!=e.prefix&&!e.prefix.test(B.prefix))&&(!(null!=e.suffix&&!e.suffix.test(B.suffix))&&!0!==e.handler.call(t,s,B))}));x&&n.preventDefault()}}}}))}}]),e}(_.default);function M(t,e){var n,i=t===F.keys.LEFT?"prefix":"suffix";return n={key:t,shiftKey:e,altKey:null},x(n,i,/^$/),x(n,"handler",(function(n){var i=n.index;t===F.keys.RIGHT&&(i+=n.length+1);var r=this.quill.getLeaf(i),a=o(r,1),s=a[0];return!(s instanceof v.default.Embed)||(t===F.keys.LEFT?e?this.quill.setSelection(n.index-1,n.length+1,y.default.sources.USER):this.quill.setSelection(n.index-1,y.default.sources.USER):e?this.quill.setSelection(n.index,n.length+1,y.default.sources.USER):this.quill.setSelection(n.index+n.length+1,y.default.sources.USER),!1)})),n}function T(t,e){if(!(0===t.index||this.quill.getLength()<=1)){var n=this.quill.getLine(t.index),i=o(n,1),r=i[0],a={};if(0===e.offset){var s=this.quill.getLine(t.index-1),l=o(s,1),c=l[0];if(null!=c&&c.length()>1){var u=r.formats(),h=this.quill.getFormat(t.index-1,1);a=p.default.attributes.diff(u,h)||{}}}var d=/[\uD800-\uDBFF][\uDC00-\uDFFF]$/.test(e.prefix)?2:1;this.quill.deleteText(t.index-d,d,y.default.sources.USER),Object.keys(a).length>0&&this.quill.formatLine(t.index-d,d,a,y.default.sources.USER),this.quill.focus()}}function N(t,e){var n=/^[\uD800-\uDBFF][\uDC00-\uDFFF]/.test(e.suffix)?2:1;if(!(t.index>=this.quill.getLength()-n)){var i={},r=0,a=this.quill.getLine(t.index),s=o(a,1),l=s[0];if(e.offset>=l.length()-1){var c=this.quill.getLine(t.index+1),u=o(c,1),h=u[0];if(h){var d=l.formats(),f=this.quill.getFormat(t.index,1);i=p.default.attributes.diff(d,f)||{},r=h.length()}}this.quill.deleteText(t.index,n,y.default.sources.USER),Object.keys(i).length>0&&this.quill.formatLine(t.index+r-1,n,i,y.default.sources.USER)}}function S(t){var e=this.quill.getLines(t),n={};if(e.length>1){var i=e[0].formats(),o=e[e.length-1].formats();n=p.default.attributes.diff(o,i)||{}}this.quill.deleteText(t,y.default.sources.USER),Object.keys(n).length>0&&this.quill.formatLine(t.index,1,n,y.default.sources.USER),this.quill.setSelection(t.index,y.default.sources.SILENT),this.quill.focus()}function Q(t,e){var n=this;t.length>0&&this.quill.scroll.deleteAt(t.index,t.length);var i=Object.keys(e.format).reduce((function(t,n){return v.default.query(n,v.default.Scope.BLOCK)&&!Array.isArray(e.format[n])&&(t[n]=e.format[n]),t}),{});this.quill.insertText(t.index,"\n",i,y.default.sources.USER),this.quill.setSelection(t.index+1,y.default.sources.SILENT),this.quill.focus(),Object.keys(e.format).forEach((function(t){null==i[t]&&(Array.isArray(e.format[t])||"link"!==t&&n.quill.format(t,e.format[t],y.default.sources.USER))}))}function Y(t){return{key:F.keys.TAB,shiftKey:!t,format:{"code-block":!0},handler:function(e){var n=v.default.query("code-block"),i=e.index,r=e.length,a=this.quill.scroll.descendant(n,i),s=o(a,2),l=s[0],c=s[1];if(null!=l){var u=this.quill.getIndex(l),h=l.newlineIndex(c,!0)+1,d=l.newlineIndex(u+c+r),f=l.domNode.textContent.slice(h,d).split("\n");c=0,f.forEach((function(e,o){t?(l.insertAt(h+c,n.TAB),c+=n.TAB.length,0===o?i+=n.TAB.length:r+=n.TAB.length):e.startsWith(n.TAB)&&(l.deleteAt(h+c,n.TAB.length),c-=n.TAB.length,0===o?i-=n.TAB.length:r-=n.TAB.length),c+=e.length+1})),this.quill.update(y.default.sources.USER),this.quill.setSelection(i,r,y.default.sources.SILENT)}}}}function O(t){return{key:t[0].toUpperCase(),shortKey:!0,handler:function(e,n){this.quill.format(t,!n.format[t],y.default.sources.USER)}}}function R(t){if("string"===typeof t||"number"===typeof t)return R({key:t});if("object"===("undefined"===typeof t?"undefined":i(t))&&(t=(0,s.default)(t,!1)),"string"===typeof t.key)if(null!=F.keys[t.key.toUpperCase()])t.key=F.keys[t.key.toUpperCase()];else{if(1!==t.key.length)return null;t.key=t.key.toUpperCase().charCodeAt(0)}return t.shortKey&&(t[D]=t.shortKey,delete t.shortKey),t}F.keys={BACKSPACE:8,TAB:9,ENTER:13,ESCAPE:27,LEFT:37,UP:38,RIGHT:39,DOWN:40,DELETE:46},F.DEFAULTS={bindings:{bold:O("bold"),italic:O("italic"),underline:O("underline"),indent:{key:F.keys.TAB,format:["blockquote","indent","list"],handler:function(t,e){if(e.collapsed&&0!==e.offset)return!0;this.quill.format("indent","+1",y.default.sources.USER)}},outdent:{key:F.keys.TAB,shiftKey:!0,format:["blockquote","indent","list"],handler:function(t,e){if(e.collapsed&&0!==e.offset)return!0;this.quill.format("indent","-1",y.default.sources.USER)}},"outdent backspace":{key:F.keys.BACKSPACE,collapsed:!0,shiftKey:null,metaKey:null,ctrlKey:null,altKey:null,format:["indent","list"],offset:0,handler:function(t,e){null!=e.format.indent?this.quill.format("indent","-1",y.default.sources.USER):null!=e.format.list&&this.quill.format("list",!1,y.default.sources.USER)}},"indent code-block":Y(!0),"outdent code-block":Y(!1),"remove tab":{key:F.keys.TAB,shiftKey:!0,collapsed:!0,prefix:/\t$/,handler:function(t){this.quill.deleteText(t.index-1,1,y.default.sources.USER)}},tab:{key:F.keys.TAB,handler:function(t){this.quill.history.cutoff();var e=(new f.default).retain(t.index).delete(t.length).insert("\t");this.quill.updateContents(e,y.default.sources.USER),this.quill.history.cutoff(),this.quill.setSelection(t.index+1,y.default.sources.SILENT)}},"list empty enter":{key:F.keys.ENTER,collapsed:!0,format:["list"],empty:!0,handler:function(t,e){this.quill.format("list",!1,y.default.sources.USER),e.format.indent&&this.quill.format("indent",!1,y.default.sources.USER)}},"checklist enter":{key:F.keys.ENTER,collapsed:!0,format:{list:"checked"},handler:function(t){var e=this.quill.getLine(t.index),n=o(e,2),i=n[0],r=n[1],a=(0,h.default)({},i.formats(),{list:"checked"}),s=(new f.default).retain(t.index).insert("\n",a).retain(i.length()-r-1).retain(1,{list:"unchecked"});this.quill.updateContents(s,y.default.sources.USER),this.quill.setSelection(t.index+1,y.default.sources.SILENT),this.quill.scrollIntoView()}},"header enter":{key:F.keys.ENTER,collapsed:!0,format:["header"],suffix:/^$/,handler:function(t,e){var n=this.quill.getLine(t.index),i=o(n,2),r=i[0],a=i[1],s=(new f.default).retain(t.index).insert("\n",e.format).retain(r.length()-a-1).retain(1,{header:null});this.quill.updateContents(s,y.default.sources.USER),this.quill.setSelection(t.index+1,y.default.sources.SILENT),this.quill.scrollIntoView()}},"list autofill":{key:" ",collapsed:!0,format:{list:!1},prefix:/^\s*?(\d+\.|-|\*|\[ ?\]|\[x\])$/,handler:function(t,e){var n=e.prefix.length,i=this.quill.getLine(t.index),r=o(i,2),a=r[0],s=r[1];if(s>n)return!0;var l=void 0;switch(e.prefix.trim()){case"[]":case"[ ]":l="unchecked";break;case"[x]":l="checked";break;case"-":case"*":l="bullet";break;default:l="ordered"}this.quill.insertText(t.index," ",y.default.sources.USER),this.quill.history.cutoff();var c=(new f.default).retain(t.index-s).delete(n+1).retain(a.length()-2-s).retain(1,{list:l});this.quill.updateContents(c,y.default.sources.USER),this.quill.history.cutoff(),this.quill.setSelection(t.index-n,y.default.sources.SILENT)}},"code exit":{key:F.keys.ENTER,collapsed:!0,format:["code-block"],prefix:/\n\n$/,suffix:/^\s+$/,handler:function(t){var e=this.quill.getLine(t.index),n=o(e,2),i=n[0],r=n[1],a=(new f.default).retain(t.index+i.length()-r-2).retain(1,{"code-block":null}).delete(1);this.quill.updateContents(a,y.default.sources.USER)}},"embed left":M(F.keys.LEFT,!1),"embed left shift":M(F.keys.LEFT,!0),"embed right":M(F.keys.RIGHT,!1),"embed right shift":M(F.keys.RIGHT,!0)}},e.default=F,e.SHORTKEY=D},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(0),s=u(a),l=n(7),c=u(l);function u(t){return t&&t.__esModule?t:{default:t}}function h(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function d(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function f(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var A=function(t){function e(t,n){h(this,e);var i=d(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.selection=n,i.textNode=document.createTextNode(e.CONTENTS),i.domNode.appendChild(i.textNode),i._length=0,i}return f(e,t),r(e,null,[{key:"value",value:function(){}}]),r(e,[{key:"detach",value:function(){null!=this.parent&&this.parent.removeChild(this)}},{key:"format",value:function(t,n){if(0!==this._length)return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n);var i=this,r=0;while(null!=i&&i.statics.scope!==s.default.Scope.BLOCK_BLOT)r+=i.offset(i.parent),i=i.parent;null!=i&&(this._length=e.CONTENTS.length,i.optimize(),i.formatAt(r,e.CONTENTS.length,t,n),this._length=0)}},{key:"index",value:function(t,n){return t===this.textNode?0:o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"index",this).call(this,t,n)}},{key:"length",value:function(){return this._length}},{key:"position",value:function(){return[this.textNode,this.textNode.data.length]}},{key:"remove",value:function(){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"remove",this).call(this),this.parent=null}},{key:"restore",value:function(){if(!this.selection.composing&&null!=this.parent){var t=this.textNode,n=this.selection.getNativeRange(),o=void 0,r=void 0,a=void 0;if(null!=n&&n.start.node===t&&n.end.node===t){var l=[t,n.start.offset,n.end.offset];o=l[0],r=l[1],a=l[2]}while(null!=this.domNode.lastChild&&this.domNode.lastChild!==this.textNode)this.domNode.parentNode.insertBefore(this.domNode.lastChild,this.domNode);if(this.textNode.data!==e.CONTENTS){var u=this.textNode.data.split(e.CONTENTS).join("");this.next instanceof c.default?(o=this.next.domNode,this.next.insertAt(0,u),this.textNode.data=e.CONTENTS):(this.textNode.data=u,this.parent.insertBefore(s.default.create(this.textNode),this),this.textNode=document.createTextNode(e.CONTENTS),this.domNode.appendChild(this.textNode))}if(this.remove(),null!=r){var h=[r,a].map((function(t){return Math.max(0,Math.min(o.data.length,t-1))})),d=i(h,2);return r=d[0],a=d[1],{startNode:o,startOffset:r,endNode:o,endOffset:a}}}}},{key:"update",value:function(t,e){var n=this;if(t.some((function(t){return"characterData"===t.type&&t.target===n.textNode}))){var i=this.restore();i&&(e.range=i)}}},{key:"value",value:function(){return""}}]),e}(s.default.Embed);A.blotName="cursor",A.className="ql-cursor",A.tagName="span",A.CONTENTS="\ufeff",e.default=A},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),o=s(i),r=n(4),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),e}(o.default.Container);h.allowedChildren=[a.default,r.BlockEmbed,h],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.ColorStyle=e.ColorClass=e.ColorAttributor=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"value",value:function(t){var n=o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t);return n.startsWith("rgb(")?(n=n.replace(/^[^\d]+/,"").replace(/[^\d]+$/,""),"#"+n.split(",").map((function(t){return("00"+parseInt(t).toString(16)).slice(-2)})).join("")):n}}]),e}(a.default.Attributor.Style),d=new a.default.Attributor.Class("color","ql-color",{scope:a.default.Scope.INLINE}),f=new h("color","color",{scope:a.default.Scope.INLINE});e.ColorAttributor=h,e.ColorClass=d,e.ColorStyle=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.sanitize=e.default=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(6),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"format",value:function(t,n){if(t!==this.statics.blotName||!n)return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n);n=this.constructor.sanitize(n),this.domNode.setAttribute("href",n)}}],[{key:"create",value:function(t){var n=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return t=this.sanitize(t),n.setAttribute("href",t),n.setAttribute("rel","noopener noreferrer"),n.setAttribute("target","_blank"),n}},{key:"formats",value:function(t){return t.getAttribute("href")}},{key:"sanitize",value:function(t){return d(t,this.PROTOCOL_WHITELIST)?t:this.SANITIZED_URL}}]),e}(a.default);function d(t,e){var n=document.createElement("a");n.href=t;var i=n.href.slice(0,n.href.indexOf(":"));return e.indexOf(i)>-1}h.blotName="link",h.tagName="A",h.SANITIZED_URL="about:blank",h.PROTOCOL_WHITELIST=["http","https","mailto","tel"],e.default=h,e.sanitize=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(23),a=c(r),s=n(107),l=c(s);function c(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var h=0;function d(t,e){t.setAttribute(e,!("true"===t.getAttribute(e)))}var f=function(){function t(e){var n=this;u(this,t),this.select=e,this.container=document.createElement("span"),this.buildPicker(),this.select.style.display="none",this.select.parentNode.insertBefore(this.container,this.select),this.label.addEventListener("mousedown",(function(){n.togglePicker()})),this.label.addEventListener("keydown",(function(t){switch(t.keyCode){case a.default.keys.ENTER:n.togglePicker();break;case a.default.keys.ESCAPE:n.escape(),t.preventDefault();break;default:}})),this.select.addEventListener("change",this.update.bind(this))}return o(t,[{key:"togglePicker",value:function(){this.container.classList.toggle("ql-expanded"),d(this.label,"aria-expanded"),d(this.options,"aria-hidden")}},{key:"buildItem",value:function(t){var e=this,n=document.createElement("span");return n.tabIndex="0",n.setAttribute("role","button"),n.classList.add("ql-picker-item"),t.hasAttribute("value")&&n.setAttribute("data-value",t.getAttribute("value")),t.textContent&&n.setAttribute("data-label",t.textContent),n.addEventListener("click",(function(){e.selectItem(n,!0)})),n.addEventListener("keydown",(function(t){switch(t.keyCode){case a.default.keys.ENTER:e.selectItem(n,!0),t.preventDefault();break;case a.default.keys.ESCAPE:e.escape(),t.preventDefault();break;default:}})),n}},{key:"buildLabel",value:function(){var t=document.createElement("span");return t.classList.add("ql-picker-label"),t.innerHTML=l.default,t.tabIndex="0",t.setAttribute("role","button"),t.setAttribute("aria-expanded","false"),this.container.appendChild(t),t}},{key:"buildOptions",value:function(){var t=this,e=document.createElement("span");e.classList.add("ql-picker-options"),e.setAttribute("aria-hidden","true"),e.tabIndex="-1",e.id="ql-picker-options-"+h,h+=1,this.label.setAttribute("aria-controls",e.id),this.options=e,[].slice.call(this.select.options).forEach((function(n){var i=t.buildItem(n);e.appendChild(i),!0===n.selected&&t.selectItem(i)})),this.container.appendChild(e)}},{key:"buildPicker",value:function(){var t=this;[].slice.call(this.select.attributes).forEach((function(e){t.container.setAttribute(e.name,e.value)})),this.container.classList.add("ql-picker"),this.label=this.buildLabel(),this.buildOptions()}},{key:"escape",value:function(){var t=this;this.close(),setTimeout((function(){return t.label.focus()}),1)}},{key:"close",value:function(){this.container.classList.remove("ql-expanded"),this.label.setAttribute("aria-expanded","false"),this.options.setAttribute("aria-hidden","true")}},{key:"selectItem",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=this.container.querySelector(".ql-selected");if(t!==n&&(null!=n&&n.classList.remove("ql-selected"),null!=t&&(t.classList.add("ql-selected"),this.select.selectedIndex=[].indexOf.call(t.parentNode.children,t),t.hasAttribute("data-value")?this.label.setAttribute("data-value",t.getAttribute("data-value")):this.label.removeAttribute("data-value"),t.hasAttribute("data-label")?this.label.setAttribute("data-label",t.getAttribute("data-label")):this.label.removeAttribute("data-label"),e))){if("function"===typeof Event)this.select.dispatchEvent(new Event("change"));else if("object"===("undefined"===typeof Event?"undefined":i(Event))){var o=document.createEvent("Event");o.initEvent("change",!0,!0),this.select.dispatchEvent(o)}this.close()}}},{key:"update",value:function(){var t=void 0;if(this.select.selectedIndex>-1){var e=this.container.querySelector(".ql-picker-options").children[this.select.selectedIndex];t=this.select.options[this.select.selectedIndex],this.selectItem(e)}else this.selectItem(null);var n=null!=t&&t!==this.select.querySelector("option[selected]");this.label.classList.toggle("ql-active",n)}}]),t}();e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),o=I(i),r=n(5),a=I(r),s=n(4),l=I(s),c=n(16),u=I(c),h=n(25),d=I(h),f=n(24),A=I(f),p=n(35),g=I(p),v=n(6),m=I(v),y=n(22),b=I(y),w=n(7),E=I(w),_=n(55),B=I(_),x=n(42),C=I(x),k=n(23),j=I(k);function I(t){return t&&t.__esModule?t:{default:t}}a.default.register({"blots/block":l.default,"blots/block/embed":s.BlockEmbed,"blots/break":u.default,"blots/container":d.default,"blots/cursor":A.default,"blots/embed":g.default,"blots/inline":m.default,"blots/scroll":b.default,"blots/text":E.default,"modules/clipboard":B.default,"modules/history":C.default,"modules/keyboard":j.default}),o.default.register(l.default,u.default,A.default,m.default,b.default,E.default),e.default=a.default},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),o=function(){function t(t){this.domNode=t,this.domNode[i.DATA_KEY]={blot:this}}return Object.defineProperty(t.prototype,"statics",{get:function(){return this.constructor},enumerable:!0,configurable:!0}),t.create=function(t){if(null==this.tagName)throw new i.ParchmentError("Blot definition missing tagName");var e;return Array.isArray(this.tagName)?("string"===typeof t&&(t=t.toUpperCase(),parseInt(t).toString()===t&&(t=parseInt(t))),e="number"===typeof t?document.createElement(this.tagName[t-1]):this.tagName.indexOf(t)>-1?document.createElement(t):document.createElement(this.tagName[0])):e=document.createElement(this.tagName),this.className&&e.classList.add(this.className),e},t.prototype.attach=function(){null!=this.parent&&(this.scroll=this.parent.scroll)},t.prototype.clone=function(){var t=this.domNode.cloneNode(!1);return i.create(t)},t.prototype.detach=function(){null!=this.parent&&this.parent.removeChild(this),delete this.domNode[i.DATA_KEY]},t.prototype.deleteAt=function(t,e){var n=this.isolate(t,e);n.remove()},t.prototype.formatAt=function(t,e,n,o){var r=this.isolate(t,e);if(null!=i.query(n,i.Scope.BLOT)&&o)r.wrap(n,o);else if(null!=i.query(n,i.Scope.ATTRIBUTE)){var a=i.create(this.statics.scope);r.wrap(a),a.format(n,o)}},t.prototype.insertAt=function(t,e,n){var o=null==n?i.create("text",e):i.create(e,n),r=this.split(t);this.parent.insertBefore(o,r)},t.prototype.insertInto=function(t,e){void 0===e&&(e=null),null!=this.parent&&this.parent.children.remove(this);var n=null;t.children.insertBefore(this,e),null!=e&&(n=e.domNode),this.domNode.parentNode==t.domNode&&this.domNode.nextSibling==n||t.domNode.insertBefore(this.domNode,n),this.parent=t,this.attach()},t.prototype.isolate=function(t,e){var n=this.split(t);return n.split(e),n},t.prototype.length=function(){return 1},t.prototype.offset=function(t){return void 0===t&&(t=this.parent),null==this.parent||this==t?0:this.parent.children.offset(this)+this.parent.offset(t)},t.prototype.optimize=function(t){null!=this.domNode[i.DATA_KEY]&&delete this.domNode[i.DATA_KEY].mutations},t.prototype.remove=function(){null!=this.domNode.parentNode&&this.domNode.parentNode.removeChild(this.domNode),this.detach()},t.prototype.replace=function(t){null!=t.parent&&(t.parent.insertBefore(this,t.next),t.remove())},t.prototype.replaceWith=function(t,e){var n="string"===typeof t?i.create(t,e):t;return n.replace(this),n},t.prototype.split=function(t,e){return 0===t?this:this.next},t.prototype.update=function(t,e){},t.prototype.wrap=function(t,e){var n="string"===typeof t?i.create(t,e):t;return null!=this.parent&&this.parent.insertBefore(n,this.next),n.appendChild(this),n},t.blotName="abstract",t}();e.default=o},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(12),o=n(32),r=n(33),a=n(1),s=function(){function t(t){this.attributes={},this.domNode=t,this.build()}return t.prototype.attribute=function(t,e){e?t.add(this.domNode,e)&&(null!=t.value(this.domNode)?this.attributes[t.attrName]=t:delete this.attributes[t.attrName]):(t.remove(this.domNode),delete this.attributes[t.attrName])},t.prototype.build=function(){var t=this;this.attributes={};var e=i.default.keys(this.domNode),n=o.default.keys(this.domNode),s=r.default.keys(this.domNode);e.concat(n).concat(s).forEach((function(e){var n=a.query(e,a.Scope.ATTRIBUTE);n instanceof i.default&&(t.attributes[n.attrName]=n)}))},t.prototype.copy=function(t){var e=this;Object.keys(this.attributes).forEach((function(n){var i=e.attributes[n].value(e.domNode);t.format(n,i)}))},t.prototype.move=function(t){var e=this;this.copy(t),Object.keys(this.attributes).forEach((function(t){e.attributes[t].remove(e.domNode)})),this.attributes={}},t.prototype.values=function(){var t=this;return Object.keys(this.attributes).reduce((function(e,n){return e[n]=t.attributes[n].value(t.domNode),e}),{})},t}();e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(12);function r(t,e){var n=t.getAttribute("class")||"";return n.split(/\s+/).filter((function(t){return 0===t.indexOf(e+"-")}))}var a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.keys=function(t){return(t.getAttribute("class")||"").split(/\s+/).map((function(t){return t.split("-").slice(0,-1).join("-")}))},e.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(this.remove(t),t.classList.add(this.keyName+"-"+e),!0)},e.prototype.remove=function(t){var e=r(t,this.keyName);e.forEach((function(e){t.classList.remove(e)})),0===t.classList.length&&t.removeAttribute("class")},e.prototype.value=function(t){var e=r(t,this.keyName)[0]||"",n=e.slice(this.keyName.length+1);return this.canAdd(t,n)?n:""},e}(o.default);e.default=a},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(12);function r(t){var e=t.split("-"),n=e.slice(1).map((function(t){return t[0].toUpperCase()+t.slice(1)})).join("");return e[0]+n}var a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.keys=function(t){return(t.getAttribute("style")||"").split(";").map((function(t){var e=t.split(":");return e[0].trim()}))},e.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(t.style[r(this.keyName)]=e,!0)},e.prototype.remove=function(t){t.style[r(this.keyName)]="",t.getAttribute("style")||t.removeAttribute("style")},e.prototype.value=function(t){var e=t.style[r(this.keyName)];return this.canAdd(t,e)?e:""},e}(o.default);e.default=a},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();function o(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var r=function(){function t(e,n){o(this,t),this.quill=e,this.options=n,this.modules={}}return i(t,[{key:"init",value:function(){var t=this;Object.keys(this.options.modules).forEach((function(e){null==t.modules[e]&&t.addModule(e)}))}},{key:"addModule",value:function(t){var e=this.quill.constructor.import("modules/"+t);return this.modules[t]=new e(this.quill,this.options.modules[t]||{}),this.modules[t]}}]),t}();r.DEFAULTS={modules:{}},r.themes={default:r},e.default=r},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=c(r),s=n(7),l=c(s);function c(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f="\ufeff",A=function(t){function e(t){u(this,e);var n=h(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return n.contentNode=document.createElement("span"),n.contentNode.setAttribute("contenteditable",!1),[].slice.call(n.domNode.childNodes).forEach((function(t){n.contentNode.appendChild(t)})),n.leftGuard=document.createTextNode(f),n.rightGuard=document.createTextNode(f),n.domNode.appendChild(n.leftGuard),n.domNode.appendChild(n.contentNode),n.domNode.appendChild(n.rightGuard),n}return d(e,t),i(e,[{key:"index",value:function(t,n){return t===this.leftGuard?0:t===this.rightGuard?1:o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"index",this).call(this,t,n)}},{key:"restore",value:function(t){var e=void 0,n=void 0,i=t.data.split(f).join("");if(t===this.leftGuard)if(this.prev instanceof l.default){var o=this.prev.length();this.prev.insertAt(o,i),e={startNode:this.prev.domNode,startOffset:o+i.length}}else n=document.createTextNode(i),this.parent.insertBefore(a.default.create(n),this),e={startNode:n,startOffset:i.length};else t===this.rightGuard&&(this.next instanceof l.default?(this.next.insertAt(0,i),e={startNode:this.next.domNode,startOffset:i.length}):(n=document.createTextNode(i),this.parent.insertBefore(a.default.create(n),this.next),e={startNode:n,startOffset:i.length}));return t.data=f,e}},{key:"update",value:function(t,e){var n=this;t.forEach((function(t){if("characterData"===t.type&&(t.target===n.leftGuard||t.target===n.rightGuard)){var i=n.restore(t.target);i&&(e.range=i)}}))}}]),e}(a.default.Embed);e.default=A},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.AlignStyle=e.AlignClass=e.AlignAttribute=void 0;var i=n(0),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}var a={scope:o.default.Scope.BLOCK,whitelist:["right","center","justify"]},s=new o.default.Attributor.Attribute("align","align",a),l=new o.default.Attributor.Class("align","ql-align",a),c=new o.default.Attributor.Style("align","text-align",a);e.AlignAttribute=s,e.AlignClass=l,e.AlignStyle=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.BackgroundStyle=e.BackgroundClass=void 0;var i=n(0),o=a(i),r=n(26);function a(t){return t&&t.__esModule?t:{default:t}}var s=new o.default.Attributor.Class("background","ql-bg",{scope:o.default.Scope.INLINE}),l=new r.ColorAttributor("background","background-color",{scope:o.default.Scope.INLINE});e.BackgroundClass=s,e.BackgroundStyle=l},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.DirectionStyle=e.DirectionClass=e.DirectionAttribute=void 0;var i=n(0),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}var a={scope:o.default.Scope.BLOCK,whitelist:["rtl"]},s=new o.default.Attributor.Attribute("direction","dir",a),l=new o.default.Attributor.Class("direction","ql-direction",a),c=new o.default.Attributor.Style("direction","direction",a);e.DirectionAttribute=s,e.DirectionClass=l,e.DirectionStyle=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.FontClass=e.FontStyle=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h={scope:a.default.Scope.INLINE,whitelist:["serif","monospace"]},d=new a.default.Attributor.Class("font","ql-font",h),f=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"value",value:function(t){return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t).replace(/["']/g,"")}}]),e}(a.default.Attributor.Style),A=new f("font","font-family",h);e.FontStyle=A,e.FontClass=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.SizeStyle=e.SizeClass=void 0;var i=n(0),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}var a=new o.default.Attributor.Class("size","ql-size",{scope:o.default.Scope.INLINE,whitelist:["small","large","huge"]}),s=new o.default.Attributor.Style("size","font-size",{scope:o.default.Scope.INLINE,whitelist:["10px","18px","32px"]});e.SizeClass=a,e.SizeStyle=s},function(t,e,n){"use strict";t.exports={align:{"":n(76),center:n(77),right:n(78),justify:n(79)},background:n(80),blockquote:n(81),bold:n(82),clean:n(83),code:n(58),"code-block":n(58),color:n(84),direction:{"":n(85),rtl:n(86)},float:{center:n(87),full:n(88),left:n(89),right:n(90)},formula:n(91),header:{1:n(92),2:n(93)},italic:n(94),image:n(95),indent:{"+1":n(96),"-1":n(97)},link:n(98),list:{ordered:n(99),bullet:n(100),check:n(101)},script:{sub:n(102),super:n(103)},strike:n(104),underline:n(105),video:n(106)}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.getLastChangeIndex=e.default=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(0),r=u(o),a=n(5),s=u(a),l=n(9),c=u(l);function u(t){return t&&t.__esModule?t:{default:t}}function h(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function d(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function f(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var A=function(t){function e(t,n){h(this,e);var i=d(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.lastRecorded=0,i.ignoreChange=!1,i.clear(),i.quill.on(s.default.events.EDITOR_CHANGE,(function(t,e,n,o){t!==s.default.events.TEXT_CHANGE||i.ignoreChange||(i.options.userOnly&&o!==s.default.sources.USER?i.transform(e):i.record(e,n))})),i.quill.keyboard.addBinding({key:"Z",shortKey:!0},i.undo.bind(i)),i.quill.keyboard.addBinding({key:"Z",shortKey:!0,shiftKey:!0},i.redo.bind(i)),/Win/i.test(navigator.platform)&&i.quill.keyboard.addBinding({key:"Y",shortKey:!0},i.redo.bind(i)),i}return f(e,t),i(e,[{key:"change",value:function(t,e){if(0!==this.stack[t].length){var n=this.stack[t].pop();this.stack[e].push(n),this.lastRecorded=0,this.ignoreChange=!0,this.quill.updateContents(n[t],s.default.sources.USER),this.ignoreChange=!1;var i=g(n[t]);this.quill.setSelection(i)}}},{key:"clear",value:function(){this.stack={undo:[],redo:[]}}},{key:"cutoff",value:function(){this.lastRecorded=0}},{key:"record",value:function(t,e){if(0!==t.ops.length){this.stack.redo=[];var n=this.quill.getContents().diff(e),i=Date.now();if(this.lastRecorded+this.options.delay>i&&this.stack.undo.length>0){var o=this.stack.undo.pop();n=n.compose(o.undo),t=o.redo.compose(t)}else this.lastRecorded=i;this.stack.undo.push({redo:t,undo:n}),this.stack.undo.length>this.options.maxStack&&this.stack.undo.shift()}}},{key:"redo",value:function(){this.change("redo","undo")}},{key:"transform",value:function(t){this.stack.undo.forEach((function(e){e.undo=t.transform(e.undo,!0),e.redo=t.transform(e.redo,!0)})),this.stack.redo.forEach((function(e){e.undo=t.transform(e.undo,!0),e.redo=t.transform(e.redo,!0)}))}},{key:"undo",value:function(){this.change("undo","redo")}}]),e}(c.default);function p(t){var e=t.ops[t.ops.length-1];return null!=e&&(null!=e.insert?"string"===typeof e.insert&&e.insert.endsWith("\n"):null!=e.attributes&&Object.keys(e.attributes).some((function(t){return null!=r.default.query(t,r.default.Scope.BLOCK)})))}function g(t){var e=t.reduce((function(t,e){return t+=e.delete||0,t}),0),n=t.length()-e;return p(t)&&(n-=1),n}A.DEFAULTS={delay:1e3,maxStack:100,userOnly:!1},e.default=A,e.getLastChangeIndex=g},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BaseTooltip=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(3),a=_(r),s=n(2),l=_(s),c=n(8),u=_(c),h=n(23),d=_(h),f=n(34),A=_(f),p=n(59),g=_(p),v=n(60),m=_(v),y=n(28),b=_(y),w=n(61),E=_(w);function _(t){return t&&t.__esModule?t:{default:t}}function B(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function x(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function C(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var k=[!1,"center","right","justify"],j=["#000000","#e60000","#ff9900","#ffff00","#008a00","#0066cc","#9933ff","#ffffff","#facccc","#ffebcc","#ffffcc","#cce8cc","#cce0f5","#ebd6ff","#bbbbbb","#f06666","#ffc266","#ffff66","#66b966","#66a3e0","#c285ff","#888888","#a10000","#b26b00","#b2b200","#006100","#0047b2","#6b24b2","#444444","#5c0000","#663d00","#666600","#003700","#002966","#3d1466"],I=[!1,"serif","monospace"],D=["1","2","3",!1],F=["small",!1,"large","huge"],M=function(t){function e(t,n){B(this,e);var i=x(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n)),o=function e(n){if(!document.body.contains(t.root))return document.body.removeEventListener("click",e);null==i.tooltip||i.tooltip.root.contains(n.target)||document.activeElement===i.tooltip.textbox||i.quill.hasFocus()||i.tooltip.hide(),null!=i.pickers&&i.pickers.forEach((function(t){t.container.contains(n.target)||t.close()}))};return t.emitter.listenDOM("click",document.body,o),i}return C(e,t),i(e,[{key:"addModule",value:function(t){var n=o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"addModule",this).call(this,t);return"toolbar"===t&&this.extendToolbar(n),n}},{key:"buildButtons",value:function(t,e){t.forEach((function(t){var n=t.getAttribute("class")||"";n.split(/\s+/).forEach((function(n){if(n.startsWith("ql-")&&(n=n.slice("ql-".length),null!=e[n]))if("direction"===n)t.innerHTML=e[n][""]+e[n]["rtl"];else if("string"===typeof e[n])t.innerHTML=e[n];else{var i=t.value||"";null!=i&&e[n][i]&&(t.innerHTML=e[n][i])}}))}))}},{key:"buildPickers",value:function(t,e){var n=this;this.pickers=t.map((function(t){if(t.classList.contains("ql-align"))return null==t.querySelector("option")&&S(t,k),new m.default(t,e.align);if(t.classList.contains("ql-background")||t.classList.contains("ql-color")){var n=t.classList.contains("ql-background")?"background":"color";return null==t.querySelector("option")&&S(t,j,"background"===n?"#ffffff":"#000000"),new g.default(t,e[n])}return null==t.querySelector("option")&&(t.classList.contains("ql-font")?S(t,I):t.classList.contains("ql-header")?S(t,D):t.classList.contains("ql-size")&&S(t,F)),new b.default(t)}));var i=function(){n.pickers.forEach((function(t){t.update()}))};this.quill.on(u.default.events.EDITOR_CHANGE,i)}}]),e}(A.default);M.DEFAULTS=(0,a.default)(!0,{},A.default.DEFAULTS,{modules:{toolbar:{handlers:{formula:function(){this.quill.theme.tooltip.edit("formula")},image:function(){var t=this,e=this.container.querySelector("input.ql-image[type=file]");null==e&&(e=document.createElement("input"),e.setAttribute("type","file"),e.setAttribute("accept","image/png, image/gif, image/jpeg, image/bmp, image/x-icon"),e.classList.add("ql-image"),e.addEventListener("change",(function(){if(null!=e.files&&null!=e.files[0]){var n=new FileReader;n.onload=function(n){var i=t.quill.getSelection(!0);t.quill.updateContents((new l.default).retain(i.index).delete(i.length).insert({image:n.target.result}),u.default.sources.USER),t.quill.setSelection(i.index+1,u.default.sources.SILENT),e.value=""},n.readAsDataURL(e.files[0])}})),this.container.appendChild(e)),e.click()},video:function(){this.quill.theme.tooltip.edit("video")}}}}});var T=function(t){function e(t,n){B(this,e);var i=x(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.textbox=i.root.querySelector('input[type="text"]'),i.listen(),i}return C(e,t),i(e,[{key:"listen",value:function(){var t=this;this.textbox.addEventListener("keydown",(function(e){d.default.match(e,"enter")?(t.save(),e.preventDefault()):d.default.match(e,"escape")&&(t.cancel(),e.preventDefault())}))}},{key:"cancel",value:function(){this.hide()}},{key:"edit",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"link",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;this.root.classList.remove("ql-hidden"),this.root.classList.add("ql-editing"),null!=e?this.textbox.value=e:t!==this.root.getAttribute("data-mode")&&(this.textbox.value=""),this.position(this.quill.getBounds(this.quill.selection.savedRange)),this.textbox.select(),this.textbox.setAttribute("placeholder",this.textbox.getAttribute("data-"+t)||""),this.root.setAttribute("data-mode",t)}},{key:"restoreFocus",value:function(){var t=this.quill.scrollingContainer.scrollTop;this.quill.focus(),this.quill.scrollingContainer.scrollTop=t}},{key:"save",value:function(){var t=this.textbox.value;switch(this.root.getAttribute("data-mode")){case"link":var e=this.quill.root.scrollTop;this.linkRange?(this.quill.formatText(this.linkRange,"link",t,u.default.sources.USER),delete this.linkRange):(this.restoreFocus(),this.quill.format("link",t,u.default.sources.USER)),this.quill.root.scrollTop=e;break;case"video":t=N(t);case"formula":if(!t)break;var n=this.quill.getSelection(!0);if(null!=n){var i=n.index+n.length;this.quill.insertEmbed(i,this.root.getAttribute("data-mode"),t,u.default.sources.USER),"formula"===this.root.getAttribute("data-mode")&&this.quill.insertText(i+1," ",u.default.sources.USER),this.quill.setSelection(i+2,u.default.sources.USER)}break;default:}this.textbox.value="",this.hide()}}]),e}(E.default);function N(t){var e=t.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtube\.com\/watch.*v=([a-zA-Z0-9_-]+)/)||t.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtu\.be\/([a-zA-Z0-9_-]+)/);return e?(e[1]||"https")+"://www.youtube.com/embed/"+e[2]+"?showinfo=0":(e=t.match(/^(?:(https?):\/\/)?(?:www\.)?vimeo\.com\/(\d+)/))?(e[1]||"https")+"://player.vimeo.com/video/"+e[2]+"/":t}function S(t,e){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];e.forEach((function(e){var i=document.createElement("option");e===n?i.setAttribute("selected","selected"):i.setAttribute("value",e),t.appendChild(i)}))}e.BaseTooltip=T,e.default=M},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(){this.head=this.tail=null,this.length=0}return t.prototype.append=function(){for(var t=[],e=0;e<arguments.length;e++)t[e]=arguments[e];this.insertBefore(t[0],null),t.length>1&&this.append.apply(this,t.slice(1))},t.prototype.contains=function(t){var e,n=this.iterator();while(e=n())if(e===t)return!0;return!1},t.prototype.insertBefore=function(t,e){t&&(t.next=e,null!=e?(t.prev=e.prev,null!=e.prev&&(e.prev.next=t),e.prev=t,e===this.head&&(this.head=t)):null!=this.tail?(this.tail.next=t,t.prev=this.tail,this.tail=t):(t.prev=null,this.head=this.tail=t),this.length+=1)},t.prototype.offset=function(t){var e=0,n=this.head;while(null!=n){if(n===t)return e;e+=n.length(),n=n.next}return-1},t.prototype.remove=function(t){this.contains(t)&&(null!=t.prev&&(t.prev.next=t.next),null!=t.next&&(t.next.prev=t.prev),t===this.head&&(this.head=t.next),t===this.tail&&(this.tail=t.prev),this.length-=1)},t.prototype.iterator=function(t){return void 0===t&&(t=this.head),function(){var e=t;return null!=t&&(t=t.next),e}},t.prototype.find=function(t,e){void 0===e&&(e=!1);var n,i=this.iterator();while(n=i()){var o=n.length();if(t<o||e&&t===o&&(null==n.next||0!==n.next.length()))return[n,t];t-=o}return[null,0]},t.prototype.forEach=function(t){var e,n=this.iterator();while(e=n())t(e)},t.prototype.forEachAt=function(t,e,n){if(!(e<=0)){var i,o=this.find(t),r=o[0],a=o[1],s=t-a,l=this.iterator(r);while((i=l())&&s<t+e){var c=i.length();t>s?n(i,t-s,Math.min(e,s+c-t)):n(i,0,Math.min(c,t+e-s)),s+=c}}},t.prototype.map=function(t){return this.reduce((function(e,n){return e.push(t(n)),e}),[])},t.prototype.reduce=function(t,e){var n,i=this.iterator();while(n=i())e=t(e,n);return e},t}();e.default=i},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(17),r=n(1),a={attributes:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0},s=100,l=function(t){function e(e){var n=t.call(this,e)||this;return n.scroll=n,n.observer=new MutationObserver((function(t){n.update(t)})),n.observer.observe(n.domNode,a),n.attach(),n}return i(e,t),e.prototype.detach=function(){t.prototype.detach.call(this),this.observer.disconnect()},e.prototype.deleteAt=function(e,n){this.update(),0===e&&n===this.length()?this.children.forEach((function(t){t.remove()})):t.prototype.deleteAt.call(this,e,n)},e.prototype.formatAt=function(e,n,i,o){this.update(),t.prototype.formatAt.call(this,e,n,i,o)},e.prototype.insertAt=function(e,n,i){this.update(),t.prototype.insertAt.call(this,e,n,i)},e.prototype.optimize=function(e,n){var i=this;void 0===e&&(e=[]),void 0===n&&(n={}),t.prototype.optimize.call(this,n);var a=[].slice.call(this.observer.takeRecords());while(a.length>0)e.push(a.pop());for(var l=function(t,e){void 0===e&&(e=!0),null!=t&&t!==i&&null!=t.domNode.parentNode&&(null==t.domNode[r.DATA_KEY].mutations&&(t.domNode[r.DATA_KEY].mutations=[]),e&&l(t.parent))},c=function(t){null!=t.domNode[r.DATA_KEY]&&null!=t.domNode[r.DATA_KEY].mutations&&(t instanceof o.default&&t.children.forEach(c),t.optimize(n))},u=e,h=0;u.length>0;h+=1){if(h>=s)throw new Error("[Parchment] Maximum optimize iterations reached");u.forEach((function(t){var e=r.find(t.target,!0);null!=e&&(e.domNode===t.target&&("childList"===t.type?(l(r.find(t.previousSibling,!1)),[].forEach.call(t.addedNodes,(function(t){var e=r.find(t,!1);l(e,!1),e instanceof o.default&&e.children.forEach((function(t){l(t,!1)}))}))):"attributes"===t.type&&l(e.prev)),l(e))})),this.children.forEach(c),u=[].slice.call(this.observer.takeRecords()),a=u.slice();while(a.length>0)e.push(a.pop())}},e.prototype.update=function(e,n){var i=this;void 0===n&&(n={}),e=e||this.observer.takeRecords(),e.map((function(t){var e=r.find(t.target,!0);return null==e?null:null==e.domNode[r.DATA_KEY].mutations?(e.domNode[r.DATA_KEY].mutations=[t],e):(e.domNode[r.DATA_KEY].mutations.push(t),null)})).forEach((function(t){null!=t&&t!==i&&null!=t.domNode[r.DATA_KEY]&&t.update(t.domNode[r.DATA_KEY].mutations||[],n)})),null!=this.domNode[r.DATA_KEY].mutations&&t.prototype.update.call(this,this.domNode[r.DATA_KEY].mutations,n),this.optimize(e,n)},e.blotName="scroll",e.defaultChild="block",e.scope=r.Scope.BLOCK_BLOT,e.tagName="DIV",e}(o.default);e.default=l},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(18),r=n(1);function a(t,e){if(Object.keys(t).length!==Object.keys(e).length)return!1;for(var n in t)if(t[n]!==e[n])return!1;return!0}var s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(n){if(n.tagName!==e.tagName)return t.formats.call(this,n)},e.prototype.format=function(n,i){var r=this;n!==this.statics.blotName||i?t.prototype.format.call(this,n,i):(this.children.forEach((function(t){t instanceof o.default||(t=t.wrap(e.blotName,!0)),r.attributes.copy(t)})),this.unwrap())},e.prototype.formatAt=function(e,n,i,o){if(null!=this.formats()[i]||r.query(i,r.Scope.ATTRIBUTE)){var a=this.isolate(e,n);a.format(i,o)}else t.prototype.formatAt.call(this,e,n,i,o)},e.prototype.optimize=function(n){t.prototype.optimize.call(this,n);var i=this.formats();if(0===Object.keys(i).length)return this.unwrap();var o=this.next;o instanceof e&&o.prev===this&&a(i,o.formats())&&(o.moveChildren(this),o.remove())},e.blotName="inline",e.scope=r.Scope.INLINE_BLOT,e.tagName="SPAN",e}(o.default);e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(18),r=n(1),a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(n){var i=r.query(e.blotName).tagName;if(n.tagName!==i)return t.formats.call(this,n)},e.prototype.format=function(n,i){null!=r.query(n,r.Scope.BLOCK)&&(n!==this.statics.blotName||i?t.prototype.format.call(this,n,i):this.replaceWith(e.blotName))},e.prototype.formatAt=function(e,n,i,o){null!=r.query(i,r.Scope.BLOCK)?this.format(i,o):t.prototype.formatAt.call(this,e,n,i,o)},e.prototype.insertAt=function(e,n,i){if(null==i||null!=r.query(n,r.Scope.INLINE))t.prototype.insertAt.call(this,e,n,i);else{var o=this.split(e),a=r.create(n,i);o.parent.insertBefore(a,o)}},e.prototype.update=function(e,n){navigator.userAgent.match(/Trident/)?this.build():t.prototype.update.call(this,e,n)},e.blotName="block",e.scope=r.Scope.BLOCK_BLOT,e.tagName="P",e}(o.default);e.default=a},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(19),r=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(t){},e.prototype.format=function(e,n){t.prototype.formatAt.call(this,0,this.length(),e,n)},e.prototype.formatAt=function(e,n,i,o){0===e&&n===this.length()?this.format(i,o):t.prototype.formatAt.call(this,e,n,i,o)},e.prototype.formats=function(){return this.statics.formats(this.domNode)},e}(o.default);e.default=r},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var o=n(19),r=n(1),a=function(t){function e(e){var n=t.call(this,e)||this;return n.text=n.statics.value(n.domNode),n}return i(e,t),e.create=function(t){return document.createTextNode(t)},e.value=function(t){var e=t.data;return e["normalize"]&&(e=e["normalize"]()),e},e.prototype.deleteAt=function(t,e){this.domNode.data=this.text=this.text.slice(0,t)+this.text.slice(t+e)},e.prototype.index=function(t,e){return this.domNode===t?e:-1},e.prototype.insertAt=function(e,n,i){null==i?(this.text=this.text.slice(0,e)+n+this.text.slice(e),this.domNode.data=this.text):t.prototype.insertAt.call(this,e,n,i)},e.prototype.length=function(){return this.text.length},e.prototype.optimize=function(n){t.prototype.optimize.call(this,n),this.text=this.statics.value(this.domNode),0===this.text.length?this.remove():this.next instanceof e&&this.next.prev===this&&(this.insertAt(this.length(),this.next.value()),this.next.remove())},e.prototype.position=function(t,e){return void 0===e&&(e=!1),[this.domNode,t]},e.prototype.split=function(t,e){if(void 0===e&&(e=!1),!e){if(0===t)return this;if(t===this.length())return this.next}var n=r.create(this.domNode.splitText(t));return this.parent.insertBefore(n,this.next),this.text=this.statics.value(this.domNode),n},e.prototype.update=function(t,e){var n=this;t.some((function(t){return"characterData"===t.type&&t.target===n.domNode}))&&(this.text=this.statics.value(this.domNode))},e.prototype.value=function(){return this.text},e.blotName="text",e.scope=r.Scope.INLINE_BLOT,e}(o.default);e.default=a},function(t,e,n){"use strict";var i=document.createElement("div");if(i.classList.toggle("test-class",!1),i.classList.contains("test-class")){var o=DOMTokenList.prototype.toggle;DOMTokenList.prototype.toggle=function(t,e){return arguments.length>1&&!this.contains(t)===!e?e:o.call(this,t)}}String.prototype.startsWith||(String.prototype.startsWith=function(t,e){return e=e||0,this.substr(e,t.length)===t}),String.prototype.endsWith||(String.prototype.endsWith=function(t,e){var n=this.toString();("number"!==typeof e||!isFinite(e)||Math.floor(e)!==e||e>n.length)&&(e=n.length),e-=t.length;var i=n.indexOf(t,e);return-1!==i&&i===e}),Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(t){if(null===this)throw new TypeError("Array.prototype.find called on null or undefined");if("function"!==typeof t)throw new TypeError("predicate must be a function");for(var e,n=Object(this),i=n.length>>>0,o=arguments[1],r=0;r<i;r++)if(e=n[r],t.call(o,e,r,n))return e}}),document.addEventListener("DOMContentLoaded",(function(){document.execCommand("enableObjectResizing",!1,!1),document.execCommand("autoUrlDetect",!1,!1)}))},function(t,e){var n=-1,i=1,o=0;function r(t,e,n){if(t==e)return t?[[o,t]]:[];(n<0||t.length<n)&&(n=null);var i=c(t,e),r=t.substring(0,i);t=t.substring(i),e=e.substring(i),i=u(t,e);var s=t.substring(t.length-i);t=t.substring(0,t.length-i),e=e.substring(0,e.length-i);var l=a(t,e);return r&&l.unshift([o,r]),s&&l.push([o,s]),d(l),null!=n&&(l=p(l,n)),l=g(l),l}function a(t,e){var a;if(!t)return[[i,e]];if(!e)return[[n,t]];var l=t.length>e.length?t:e,c=t.length>e.length?e:t,u=l.indexOf(c);if(-1!=u)return a=[[i,l.substring(0,u)],[o,c],[i,l.substring(u+c.length)]],t.length>e.length&&(a[0][0]=a[2][0]=n),a;if(1==c.length)return[[n,t],[i,e]];var d=h(t,e);if(d){var f=d[0],A=d[1],p=d[2],g=d[3],v=d[4],m=r(f,p),y=r(A,g);return m.concat([[o,v]],y)}return s(t,e)}function s(t,e){for(var o=t.length,r=e.length,a=Math.ceil((o+r)/2),s=a,c=2*a,u=new Array(c),h=new Array(c),d=0;d<c;d++)u[d]=-1,h[d]=-1;u[s+1]=0,h[s+1]=0;for(var f=o-r,A=f%2!=0,p=0,g=0,v=0,m=0,y=0;y<a;y++){for(var b=-y+p;b<=y-g;b+=2){var w=s+b;k=b==-y||b!=y&&u[w-1]<u[w+1]?u[w+1]:u[w-1]+1;var E=k-b;while(k<o&&E<r&&t.charAt(k)==e.charAt(E))k++,E++;if(u[w]=k,k>o)g+=2;else if(E>r)p+=2;else if(A){var _=s+f-b;if(_>=0&&_<c&&-1!=h[_]){var B=o-h[_];if(k>=B)return l(t,e,k,E)}}}for(var x=-y+v;x<=y-m;x+=2){_=s+x;B=x==-y||x!=y&&h[_-1]<h[_+1]?h[_+1]:h[_-1]+1;var C=B-x;while(B<o&&C<r&&t.charAt(o-B-1)==e.charAt(r-C-1))B++,C++;if(h[_]=B,B>o)m+=2;else if(C>r)v+=2;else if(!A){w=s+f-x;if(w>=0&&w<c&&-1!=u[w]){var k=u[w];E=s+k-w;if(B=o-B,k>=B)return l(t,e,k,E)}}}}return[[n,t],[i,e]]}function l(t,e,n,i){var o=t.substring(0,n),a=e.substring(0,i),s=t.substring(n),l=e.substring(i),c=r(o,a),u=r(s,l);return c.concat(u)}function c(t,e){if(!t||!e||t.charAt(0)!=e.charAt(0))return 0;var n=0,i=Math.min(t.length,e.length),o=i,r=0;while(n<o)t.substring(r,o)==e.substring(r,o)?(n=o,r=n):i=o,o=Math.floor((i-n)/2+n);return o}function u(t,e){if(!t||!e||t.charAt(t.length-1)!=e.charAt(e.length-1))return 0;var n=0,i=Math.min(t.length,e.length),o=i,r=0;while(n<o)t.substring(t.length-o,t.length-r)==e.substring(e.length-o,e.length-r)?(n=o,r=n):i=o,o=Math.floor((i-n)/2+n);return o}function h(t,e){var n=t.length>e.length?t:e,i=t.length>e.length?e:t;if(n.length<4||2*i.length<n.length)return null;function o(t,e,n){var i,o,r,a,s=t.substring(n,n+Math.floor(t.length/4)),l=-1,h="";while(-1!=(l=e.indexOf(s,l+1))){var d=c(t.substring(n),e.substring(l)),f=u(t.substring(0,n),e.substring(0,l));h.length<f+d&&(h=e.substring(l-f,l)+e.substring(l,l+d),i=t.substring(0,n-f),o=t.substring(n+d),r=e.substring(0,l-f),a=e.substring(l+d))}return 2*h.length>=t.length?[i,o,r,a,h]:null}var r,a,s,l,h,d=o(n,i,Math.ceil(n.length/4)),f=o(n,i,Math.ceil(n.length/2));if(!d&&!f)return null;r=f?d&&d[4].length>f[4].length?d:f:d,t.length>e.length?(a=r[0],s=r[1],l=r[2],h=r[3]):(l=r[0],h=r[1],a=r[2],s=r[3]);var A=r[4];return[a,s,l,h,A]}function d(t){t.push([o,""]);var e,r=0,a=0,s=0,l="",h="";while(r<t.length)switch(t[r][0]){case i:s++,h+=t[r][1],r++;break;case n:a++,l+=t[r][1],r++;break;case o:a+s>1?(0!==a&&0!==s&&(e=c(h,l),0!==e&&(r-a-s>0&&t[r-a-s-1][0]==o?t[r-a-s-1][1]+=h.substring(0,e):(t.splice(0,0,[o,h.substring(0,e)]),r++),h=h.substring(e),l=l.substring(e)),e=u(h,l),0!==e&&(t[r][1]=h.substring(h.length-e)+t[r][1],h=h.substring(0,h.length-e),l=l.substring(0,l.length-e))),0===a?t.splice(r-s,a+s,[i,h]):0===s?t.splice(r-a,a+s,[n,l]):t.splice(r-a-s,a+s,[n,l],[i,h]),r=r-a-s+(a?1:0)+(s?1:0)+1):0!==r&&t[r-1][0]==o?(t[r-1][1]+=t[r][1],t.splice(r,1)):r++,s=0,a=0,l="",h="";break}""===t[t.length-1][1]&&t.pop();var f=!1;r=1;while(r<t.length-1)t[r-1][0]==o&&t[r+1][0]==o&&(t[r][1].substring(t[r][1].length-t[r-1][1].length)==t[r-1][1]?(t[r][1]=t[r-1][1]+t[r][1].substring(0,t[r][1].length-t[r-1][1].length),t[r+1][1]=t[r-1][1]+t[r+1][1],t.splice(r-1,1),f=!0):t[r][1].substring(0,t[r+1][1].length)==t[r+1][1]&&(t[r-1][1]+=t[r+1][1],t[r][1]=t[r][1].substring(t[r+1][1].length)+t[r+1][1],t.splice(r+1,1),f=!0)),r++;f&&d(t)}var f=r;function A(t,e){if(0===e)return[o,t];for(var i=0,r=0;r<t.length;r++){var a=t[r];if(a[0]===n||a[0]===o){var s=i+a[1].length;if(e===s)return[r+1,t];if(e<s){t=t.slice();var l=e-i,c=[a[0],a[1].slice(0,l)],u=[a[0],a[1].slice(l)];return t.splice(r,1,c,u),[r+1,t]}i=s}}throw new Error("cursor_pos is out of bounds!")}function p(t,e){var n=A(t,e),i=n[1],r=n[0],a=i[r],s=i[r+1];if(null==a)return t;if(a[0]!==o)return t;if(null!=s&&a[1]+s[1]===s[1]+a[1])return i.splice(r,2,s,a),v(i,r,2);if(null!=s&&0===s[1].indexOf(a[1])){i.splice(r,2,[s[0],a[1]],[0,a[1]]);var l=s[1].slice(a[1].length);return l.length>0&&i.splice(r+2,0,[s[0],l]),v(i,r,3)}return t}function g(t){for(var e=!1,r=function(t){return t.charCodeAt(0)>=56320&&t.charCodeAt(0)<=57343},a=function(t){return t.charCodeAt(t.length-1)>=55296&&t.charCodeAt(t.length-1)<=56319},s=2;s<t.length;s+=1)t[s-2][0]===o&&a(t[s-2][1])&&t[s-1][0]===n&&r(t[s-1][1])&&t[s][0]===i&&r(t[s][1])&&(e=!0,t[s-1][1]=t[s-2][1].slice(-1)+t[s-1][1],t[s][1]=t[s-2][1].slice(-1)+t[s][1],t[s-2][1]=t[s-2][1].slice(0,-1));if(!e)return t;var l=[];for(s=0;s<t.length;s+=1)t[s][1].length>0&&l.push(t[s]);return l}function v(t,e,n){for(var i=e+n-1;i>=0&&i>=e-1;i--)if(i+1<t.length){var o=t[i],r=t[i+1];o[0]===r[1]&&t.splice(i,2,[o[0],o[1]+r[1]])}return t}f.INSERT=i,f.DELETE=n,f.EQUAL=o,t.exports=f},function(t,e){function n(t){var e=[];for(var n in t)e.push(n);return e}e=t.exports="function"===typeof Object.keys?Object.keys:n,e.shim=n},function(t,e){var n="[object Arguments]"==function(){return Object.prototype.toString.call(arguments)}();function i(t){return"[object Arguments]"==Object.prototype.toString.call(t)}function o(t){return t&&"object"==typeof t&&"number"==typeof t.length&&Object.prototype.hasOwnProperty.call(t,"callee")&&!Object.prototype.propertyIsEnumerable.call(t,"callee")||!1}e=t.exports=n?i:o,e.supported=i,e.unsupported=o},function(t,e){"use strict";var n=Object.prototype.hasOwnProperty,i="~";function o(){}function r(t,e,n){this.fn=t,this.context=e,this.once=n||!1}function a(){this._events=new o,this._eventsCount=0}Object.create&&(o.prototype=Object.create(null),(new o).__proto__||(i=!1)),a.prototype.eventNames=function(){var t,e,o=[];if(0===this._eventsCount)return o;for(e in t=this._events)n.call(t,e)&&o.push(i?e.slice(1):e);return Object.getOwnPropertySymbols?o.concat(Object.getOwnPropertySymbols(t)):o},a.prototype.listeners=function(t,e){var n=i?i+t:t,o=this._events[n];if(e)return!!o;if(!o)return[];if(o.fn)return[o.fn];for(var r=0,a=o.length,s=new Array(a);r<a;r++)s[r]=o[r].fn;return s},a.prototype.emit=function(t,e,n,o,r,a){var s=i?i+t:t;if(!this._events[s])return!1;var l,c,u=this._events[s],h=arguments.length;if(u.fn){switch(u.once&&this.removeListener(t,u.fn,void 0,!0),h){case 1:return u.fn.call(u.context),!0;case 2:return u.fn.call(u.context,e),!0;case 3:return u.fn.call(u.context,e,n),!0;case 4:return u.fn.call(u.context,e,n,o),!0;case 5:return u.fn.call(u.context,e,n,o,r),!0;case 6:return u.fn.call(u.context,e,n,o,r,a),!0}for(c=1,l=new Array(h-1);c<h;c++)l[c-1]=arguments[c];u.fn.apply(u.context,l)}else{var d,f=u.length;for(c=0;c<f;c++)switch(u[c].once&&this.removeListener(t,u[c].fn,void 0,!0),h){case 1:u[c].fn.call(u[c].context);break;case 2:u[c].fn.call(u[c].context,e);break;case 3:u[c].fn.call(u[c].context,e,n);break;case 4:u[c].fn.call(u[c].context,e,n,o);break;default:if(!l)for(d=1,l=new Array(h-1);d<h;d++)l[d-1]=arguments[d];u[c].fn.apply(u[c].context,l)}}return!0},a.prototype.on=function(t,e,n){var o=new r(e,n||this),a=i?i+t:t;return this._events[a]?this._events[a].fn?this._events[a]=[this._events[a],o]:this._events[a].push(o):(this._events[a]=o,this._eventsCount++),this},a.prototype.once=function(t,e,n){var o=new r(e,n||this,!0),a=i?i+t:t;return this._events[a]?this._events[a].fn?this._events[a]=[this._events[a],o]:this._events[a].push(o):(this._events[a]=o,this._eventsCount++),this},a.prototype.removeListener=function(t,e,n,r){var a=i?i+t:t;if(!this._events[a])return this;if(!e)return 0===--this._eventsCount?this._events=new o:delete this._events[a],this;var s=this._events[a];if(s.fn)s.fn!==e||r&&!s.once||n&&s.context!==n||(0===--this._eventsCount?this._events=new o:delete this._events[a]);else{for(var l=0,c=[],u=s.length;l<u;l++)(s[l].fn!==e||r&&!s[l].once||n&&s[l].context!==n)&&c.push(s[l]);c.length?this._events[a]=1===c.length?c[0]:c:0===--this._eventsCount?this._events=new o:delete this._events[a]}return this},a.prototype.removeAllListeners=function(t){var e;return t?(e=i?i+t:t,this._events[e]&&(0===--this._eventsCount?this._events=new o:delete this._events[e])):(this._events=new o,this._eventsCount=0),this},a.prototype.off=a.prototype.removeListener,a.prototype.addListener=a.prototype.on,a.prototype.setMaxListeners=function(){return this},a.prefixed=i,a.EventEmitter=a,"undefined"!==typeof t&&(t.exports=a)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.matchText=e.matchSpacing=e.matchNewline=e.matchBlot=e.matchAttributor=e.default=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(3),s=C(a),l=n(2),c=C(l),u=n(0),h=C(u),d=n(5),f=C(d),A=n(10),p=C(A),g=n(9),v=C(g),m=n(36),y=n(37),b=n(13),w=C(b),E=n(26),_=n(38),B=n(39),x=n(40);function C(t){return t&&t.__esModule?t:{default:t}}function k(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function j(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function I(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function D(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var F=(0,p.default)("quill:clipboard"),M="__ql-matcher",T=[[Node.TEXT_NODE,Z],[Node.TEXT_NODE,J],["br",H],[Node.ELEMENT_NODE,J],[Node.ELEMENT_NODE,z],[Node.ELEMENT_NODE,V],[Node.ELEMENT_NODE,L],[Node.ELEMENT_NODE,X],["li",W],["b",U.bind(U,"bold")],["i",U.bind(U,"italic")],["style",G]],N=[m.AlignAttribute,_.DirectionAttribute].reduce((function(t,e){return t[e.keyName]=e,t}),{}),S=[m.AlignStyle,y.BackgroundStyle,E.ColorStyle,_.DirectionStyle,B.FontStyle,x.SizeStyle].reduce((function(t,e){return t[e.keyName]=e,t}),{}),Q=function(t){function e(t,n){j(this,e);var i=I(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.root.addEventListener("paste",i.onPaste.bind(i)),i.container=i.quill.addContainer("ql-clipboard"),i.container.setAttribute("contenteditable",!0),i.container.setAttribute("tabindex",-1),i.matchers=[],T.concat(i.options.matchers).forEach((function(t){var e=o(t,2),r=e[0],a=e[1];(n.matchVisual||a!==V)&&i.addMatcher(r,a)})),i}return D(e,t),r(e,[{key:"addMatcher",value:function(t,e){this.matchers.push([t,e])}},{key:"convert",value:function(t){if("string"===typeof t)return this.container.innerHTML=t.replace(/\>\r?\n +\</g,"><"),this.convert();var e=this.quill.getFormat(this.quill.selection.savedRange.index);if(e[w.default.blotName]){var n=this.container.innerText;return this.container.innerHTML="",(new c.default).insert(n,k({},w.default.blotName,e[w.default.blotName]))}var i=this.prepareMatching(),r=o(i,2),a=r[0],s=r[1],l=q(this.container,a,s);return R(l,"\n")&&null==l.ops[l.ops.length-1].attributes&&(l=l.compose((new c.default).retain(l.length()-1).delete(1))),F.log("convert",this.container.innerHTML,l),this.container.innerHTML="",l}},{key:"dangerouslyPasteHTML",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:f.default.sources.API;if("string"===typeof t)this.quill.setContents(this.convert(t),e),this.quill.setSelection(0,f.default.sources.SILENT);else{var i=this.convert(e);this.quill.updateContents((new c.default).retain(t).concat(i),n),this.quill.setSelection(t+i.length(),f.default.sources.SILENT)}}},{key:"onPaste",value:function(t){var e=this;if(!t.defaultPrevented&&this.quill.isEnabled()){var n=this.quill.getSelection(),i=(new c.default).retain(n.index),o=this.quill.scrollingContainer.scrollTop;this.container.focus(),this.quill.selection.update(f.default.sources.SILENT),setTimeout((function(){i=i.concat(e.convert()).delete(n.length),e.quill.updateContents(i,f.default.sources.USER),e.quill.setSelection(i.length()-n.length,f.default.sources.SILENT),e.quill.scrollingContainer.scrollTop=o,e.quill.focus()}),1)}}},{key:"prepareMatching",value:function(){var t=this,e=[],n=[];return this.matchers.forEach((function(i){var r=o(i,2),a=r[0],s=r[1];switch(a){case Node.TEXT_NODE:n.push(s);break;case Node.ELEMENT_NODE:e.push(s);break;default:[].forEach.call(t.container.querySelectorAll(a),(function(t){t[M]=t[M]||[],t[M].push(s)}));break}})),[e,n]}}]),e}(v.default);function Y(t,e,n){return"object"===("undefined"===typeof e?"undefined":i(e))?Object.keys(e).reduce((function(t,n){return Y(t,n,e[n])}),t):t.reduce((function(t,i){return i.attributes&&i.attributes[e]?t.push(i):t.insert(i.insert,(0,s.default)({},k({},e,n),i.attributes))}),new c.default)}function O(t){if(t.nodeType!==Node.ELEMENT_NODE)return{};var e="__ql-computed-style";return t[e]||(t[e]=window.getComputedStyle(t))}function R(t,e){for(var n="",i=t.ops.length-1;i>=0&&n.length<e.length;--i){var o=t.ops[i];if("string"!==typeof o.insert)break;n=o.insert+n}return n.slice(-1*e.length)===e}function P(t){if(0===t.childNodes.length)return!1;var e=O(t);return["block","list-item"].indexOf(e.display)>-1}function q(t,e,n){return t.nodeType===t.TEXT_NODE?n.reduce((function(e,n){return n(t,e)}),new c.default):t.nodeType===t.ELEMENT_NODE?[].reduce.call(t.childNodes||[],(function(i,o){var r=q(o,e,n);return o.nodeType===t.ELEMENT_NODE&&(r=e.reduce((function(t,e){return e(o,t)}),r),r=(o[M]||[]).reduce((function(t,e){return e(o,t)}),r)),i.concat(r)}),new c.default):new c.default}function U(t,e,n){return Y(n,t,!0)}function L(t,e){var n=h.default.Attributor.Attribute.keys(t),i=h.default.Attributor.Class.keys(t),o=h.default.Attributor.Style.keys(t),r={};return n.concat(i).concat(o).forEach((function(e){var n=h.default.query(e,h.default.Scope.ATTRIBUTE);null!=n&&(r[n.attrName]=n.value(t),r[n.attrName])||(n=N[e],null==n||n.attrName!==e&&n.keyName!==e||(r[n.attrName]=n.value(t)||void 0),n=S[e],null==n||n.attrName!==e&&n.keyName!==e||(n=S[e],r[n.attrName]=n.value(t)||void 0))})),Object.keys(r).length>0&&(e=Y(e,r)),e}function z(t,e){var n=h.default.query(t);if(null==n)return e;if(n.prototype instanceof h.default.Embed){var i={},o=n.value(t);null!=o&&(i[n.blotName]=o,e=(new c.default).insert(i,n.formats(t)))}else"function"===typeof n.formats&&(e=Y(e,n.blotName,n.formats(t)));return e}function H(t,e){return R(e,"\n")||e.insert("\n"),e}function G(){return new c.default}function W(t,e){var n=h.default.query(t);if(null==n||"list-item"!==n.blotName||!R(e,"\n"))return e;var i=-1,o=t.parentNode;while(!o.classList.contains("ql-clipboard"))"list"===(h.default.query(o)||{}).blotName&&(i+=1),o=o.parentNode;return i<=0?e:e.compose((new c.default).retain(e.length()-1).retain(1,{indent:i}))}function J(t,e){return R(e,"\n")||(P(t)||e.length()>0&&t.nextSibling&&P(t.nextSibling))&&e.insert("\n"),e}function V(t,e){if(P(t)&&null!=t.nextElementSibling&&!R(e,"\n\n")){var n=t.offsetHeight+parseFloat(O(t).marginTop)+parseFloat(O(t).marginBottom);t.nextElementSibling.offsetTop>t.offsetTop+1.5*n&&e.insert("\n")}return e}function X(t,e){var n={},i=t.style||{};return i.fontStyle&&"italic"===O(t).fontStyle&&(n.italic=!0),i.fontWeight&&(O(t).fontWeight.startsWith("bold")||parseInt(O(t).fontWeight)>=700)&&(n.bold=!0),Object.keys(n).length>0&&(e=Y(e,n)),parseFloat(i.textIndent||0)>0&&(e=(new c.default).insert("\t").concat(e)),e}function Z(t,e){var n=t.data;if("O:P"===t.parentNode.tagName)return e.insert(n.trim());if(0===n.trim().length&&t.parentNode.classList.contains("ql-clipboard"))return e;if(!O(t.parentNode).whiteSpace.startsWith("pre")){var i=function(t,e){return e=e.replace(/[^\u00a0]/g,""),e.length<1&&t?" ":e};n=n.replace(/\r\n/g," ").replace(/\n/g," "),n=n.replace(/\s\s+/g,i.bind(i,!0)),(null==t.previousSibling&&P(t.parentNode)||null!=t.previousSibling&&P(t.previousSibling))&&(n=n.replace(/^\s+/,i.bind(i,!1))),(null==t.nextSibling&&P(t.parentNode)||null!=t.nextSibling&&P(t.nextSibling))&&(n=n.replace(/\s+$/,i.bind(i,!1)))}return e.insert(n)}Q.DEFAULTS={matchers:[],matchVisual:!0},e.default=Q,e.matchAttributor=L,e.matchBlot=z,e.matchNewline=J,e.matchSpacing=V,e.matchText=Z},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(6),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"optimize",value:function(t){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.domNode.tagName!==this.statics.tagName[0]&&this.replaceWith(this.statics.blotName)}}],[{key:"create",value:function(){return o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this)}},{key:"formats",value:function(){return!0}}]),e}(a.default);h.blotName="bold",h.tagName=["STRONG","B"],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.addControls=e.default=void 0;var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(2),a=p(r),s=n(0),l=p(s),c=n(5),u=p(c),h=n(10),d=p(h),f=n(9),A=p(f);function p(t){return t&&t.__esModule?t:{default:t}}function g(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function v(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function m(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function y(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var b=(0,d.default)("quill:toolbar"),w=function(t){function e(t,n){v(this,e);var o,r=m(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));if(Array.isArray(r.options.container)){var a=document.createElement("div");_(a,r.options.container),t.container.parentNode.insertBefore(a,t.container),r.container=a}else"string"===typeof r.options.container?r.container=document.querySelector(r.options.container):r.container=r.options.container;return r.container instanceof HTMLElement?(r.container.classList.add("ql-toolbar"),r.controls=[],r.handlers={},Object.keys(r.options.handlers).forEach((function(t){r.addHandler(t,r.options.handlers[t])})),[].forEach.call(r.container.querySelectorAll("button, select"),(function(t){r.attach(t)})),r.quill.on(u.default.events.EDITOR_CHANGE,(function(t,e){t===u.default.events.SELECTION_CHANGE&&r.update(e)})),r.quill.on(u.default.events.SCROLL_OPTIMIZE,(function(){var t=r.quill.selection.getRange(),e=i(t,1),n=e[0];r.update(n)})),r):(o=b.error("Container required for toolbar",r.options),m(r,o))}return y(e,t),o(e,[{key:"addHandler",value:function(t,e){this.handlers[t]=e}},{key:"attach",value:function(t){var e=this,n=[].find.call(t.classList,(function(t){return 0===t.indexOf("ql-")}));if(n){if(n=n.slice("ql-".length),"BUTTON"===t.tagName&&t.setAttribute("type","button"),null==this.handlers[n]){if(null!=this.quill.scroll.whitelist&&null==this.quill.scroll.whitelist[n])return void b.warn("ignoring attaching to disabled format",n,t);if(null==l.default.query(n))return void b.warn("ignoring attaching to nonexistent format",n,t)}var o="SELECT"===t.tagName?"change":"click";t.addEventListener(o,(function(o){var r=void 0;if("SELECT"===t.tagName){if(t.selectedIndex<0)return;var s=t.options[t.selectedIndex];r=!s.hasAttribute("selected")&&(s.value||!1)}else r=!t.classList.contains("ql-active")&&(t.value||!t.hasAttribute("value")),o.preventDefault();e.quill.focus();var c=e.quill.selection.getRange(),h=i(c,1),d=h[0];if(null!=e.handlers[n])e.handlers[n].call(e,r);else if(l.default.query(n).prototype instanceof l.default.Embed){if(r=prompt("Enter "+n),!r)return;e.quill.updateContents((new a.default).retain(d.index).delete(d.length).insert(g({},n,r)),u.default.sources.USER)}else e.quill.format(n,r,u.default.sources.USER);e.update(d)})),this.controls.push([n,t])}}},{key:"update",value:function(t){var e=null==t?{}:this.quill.getFormat(t);this.controls.forEach((function(n){var o=i(n,2),r=o[0],a=o[1];if("SELECT"===a.tagName){var s=void 0;if(null==t)s=null;else if(null==e[r])s=a.querySelector("option[selected]");else if(!Array.isArray(e[r])){var l=e[r];"string"===typeof l&&(l=l.replace(/\"/g,'\\"')),s=a.querySelector('option[value="'+l+'"]')}null==s?(a.value="",a.selectedIndex=-1):s.selected=!0}else if(null==t)a.classList.remove("ql-active");else if(a.hasAttribute("value")){var c=e[r]===a.getAttribute("value")||null!=e[r]&&e[r].toString()===a.getAttribute("value")||null==e[r]&&!a.getAttribute("value");a.classList.toggle("ql-active",c)}else a.classList.toggle("ql-active",null!=e[r])}))}}]),e}(A.default);function E(t,e,n){var i=document.createElement("button");i.setAttribute("type","button"),i.classList.add("ql-"+e),null!=n&&(i.value=n),t.appendChild(i)}function _(t,e){Array.isArray(e[0])||(e=[e]),e.forEach((function(e){var n=document.createElement("span");n.classList.add("ql-formats"),e.forEach((function(t){if("string"===typeof t)E(n,t);else{var e=Object.keys(t)[0],i=t[e];Array.isArray(i)?B(n,e,i):E(n,e,i)}})),t.appendChild(n)}))}function B(t,e,n){var i=document.createElement("select");i.classList.add("ql-"+e),n.forEach((function(t){var e=document.createElement("option");!1!==t?e.setAttribute("value",t):e.setAttribute("selected","selected"),i.appendChild(e)})),t.appendChild(i)}w.DEFAULTS={},w.DEFAULTS={container:null,handlers:{clean:function(){var t=this,e=this.quill.getSelection();if(null!=e)if(0==e.length){var n=this.quill.getFormat();Object.keys(n).forEach((function(e){null!=l.default.query(e,l.default.Scope.INLINE)&&t.quill.format(e,!1)}))}else this.quill.removeFormat(e,u.default.sources.USER)},direction:function(t){var e=this.quill.getFormat()["align"];"rtl"===t&&null==e?this.quill.format("align","right",u.default.sources.USER):t||"right"!==e||this.quill.format("align",!1,u.default.sources.USER),this.quill.format("direction",t,u.default.sources.USER)},indent:function(t){var e=this.quill.getSelection(),n=this.quill.getFormat(e),i=parseInt(n.indent||0);if("+1"===t||"-1"===t){var o="+1"===t?1:-1;"rtl"===n.direction&&(o*=-1),this.quill.format("indent",i+o,u.default.sources.USER)}},link:function(t){!0===t&&(t=prompt("Enter link URL:")),this.quill.format("link",t,u.default.sources.USER)},list:function(t){var e=this.quill.getSelection(),n=this.quill.getFormat(e);"check"===t?"checked"===n["list"]||"unchecked"===n["list"]?this.quill.format("list",!1,u.default.sources.USER):this.quill.format("list","unchecked",u.default.sources.USER):this.quill.format("list",t,u.default.sources.USER)}}},e.default=w,e.addControls=_},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polyline class="ql-even ql-stroke" points="5 7 3 9 5 11"></polyline> <polyline class="ql-even ql-stroke" points="13 7 15 9 13 11"></polyline> <line class=ql-stroke x1=10 x2=8 y1=5 y2=13></line> </svg>'},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(28),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(t,n){l(this,e);var i=c(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.label.innerHTML=n,i.container.classList.add("ql-color-picker"),[].slice.call(i.container.querySelectorAll(".ql-picker-item"),0,7).forEach((function(t){t.classList.add("ql-primary")})),i}return u(e,t),i(e,[{key:"buildItem",value:function(t){var n=o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"buildItem",this).call(this,t);return n.style.backgroundColor=t.getAttribute("value")||"",n}},{key:"selectItem",value:function(t,n){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"selectItem",this).call(this,t,n);var i=this.label.querySelector(".ql-color-label"),r=t&&t.getAttribute("data-value")||"";i&&("line"===i.tagName?i.style.stroke=r:i.style.fill=r)}}]),e}(a.default);e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(28),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(t,n){l(this,e);var i=c(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.container.classList.add("ql-icon-picker"),[].forEach.call(i.container.querySelectorAll(".ql-picker-item"),(function(t){t.innerHTML=n[t.getAttribute("data-value")||""]})),i.defaultItem=i.container.querySelector(".ql-selected"),i.selectItem(i.defaultItem),i}return u(e,t),i(e,[{key:"selectItem",value:function(t,n){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"selectItem",this).call(this,t,n),t=t||this.defaultItem,this.label.innerHTML=t.innerHTML}}]),e}(a.default);e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();function o(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var r=function(){function t(e,n){var i=this;o(this,t),this.quill=e,this.boundsContainer=n||document.body,this.root=e.addContainer("ql-tooltip"),this.root.innerHTML=this.constructor.TEMPLATE,this.quill.root===this.quill.scrollingContainer&&this.quill.root.addEventListener("scroll",(function(){i.root.style.marginTop=-1*i.quill.root.scrollTop+"px"})),this.hide()}return i(t,[{key:"hide",value:function(){this.root.classList.add("ql-hidden")}},{key:"position",value:function(t){var e=t.left+t.width/2-this.root.offsetWidth/2,n=t.bottom+this.quill.root.scrollTop;this.root.style.left=e+"px",this.root.style.top=n+"px",this.root.classList.remove("ql-flip");var i=this.boundsContainer.getBoundingClientRect(),o=this.root.getBoundingClientRect(),r=0;if(o.right>i.right&&(r=i.right-o.right,this.root.style.left=e+r+"px"),o.left<i.left&&(r=i.left-o.left,this.root.style.left=e+r+"px"),o.bottom>i.bottom){var a=o.bottom-o.top,s=t.bottom-t.top+a;this.root.style.top=n-s+"px",this.root.classList.add("ql-flip")}return r}},{key:"show",value:function(){this.root.classList.remove("ql-editing"),this.root.classList.remove("ql-hidden")}}]),t}();e.default=r},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,o=!1,r=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){o=!0,r=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(o)throw r}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(3),s=v(a),l=n(8),c=v(l),u=n(43),h=v(u),d=n(27),f=v(d),A=n(15),p=n(41),g=v(p);function v(t){return t&&t.__esModule?t:{default:t}}function m(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function y(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function b(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var w=[[{header:["1","2","3",!1]}],["bold","italic","underline","link"],[{list:"ordered"},{list:"bullet"}],["clean"]],E=function(t){function e(t,n){m(this,e),null!=n.modules.toolbar&&null==n.modules.toolbar.container&&(n.modules.toolbar.container=w);var i=y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.container.classList.add("ql-snow"),i}return b(e,t),r(e,[{key:"extendToolbar",value:function(t){t.container.classList.add("ql-snow"),this.buildButtons([].slice.call(t.container.querySelectorAll("button")),g.default),this.buildPickers([].slice.call(t.container.querySelectorAll("select")),g.default),this.tooltip=new _(this.quill,this.options.bounds),t.container.querySelector(".ql-link")&&this.quill.keyboard.addBinding({key:"K",shortKey:!0},(function(e,n){t.handlers["link"].call(t,!n.format.link)}))}}]),e}(h.default);E.DEFAULTS=(0,s.default)(!0,{},h.default.DEFAULTS,{modules:{toolbar:{handlers:{link:function(t){if(t){var e=this.quill.getSelection();if(null==e||0==e.length)return;var n=this.quill.getText(e);/^\S+@\S+\.\S+$/.test(n)&&0!==n.indexOf("mailto:")&&(n="mailto:"+n);var i=this.quill.theme.tooltip;i.edit("link",n)}else this.quill.format("link",!1)}}}}});var _=function(t){function e(t,n){m(this,e);var i=y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.preview=i.root.querySelector("a.ql-preview"),i}return b(e,t),r(e,[{key:"listen",value:function(){var t=this;o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"listen",this).call(this),this.root.querySelector("a.ql-action").addEventListener("click",(function(e){t.root.classList.contains("ql-editing")?t.save():t.edit("link",t.preview.textContent),e.preventDefault()})),this.root.querySelector("a.ql-remove").addEventListener("click",(function(e){if(null!=t.linkRange){var n=t.linkRange;t.restoreFocus(),t.quill.formatText(n,"link",!1,c.default.sources.USER),delete t.linkRange}e.preventDefault(),t.hide()})),this.quill.on(c.default.events.SELECTION_CHANGE,(function(e,n,o){if(null!=e){if(0===e.length&&o===c.default.sources.USER){var r=t.quill.scroll.descendant(f.default,e.index),a=i(r,2),s=a[0],l=a[1];if(null!=s){t.linkRange=new A.Range(e.index-l,s.length());var u=f.default.formats(s.domNode);return t.preview.textContent=u,t.preview.setAttribute("href",u),t.show(),void t.position(t.quill.getBounds(t.linkRange))}}else delete t.linkRange;t.hide()}}))}},{key:"show",value:function(){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"show",this).call(this),this.root.removeAttribute("data-mode")}}]),e}(u.BaseTooltip);_.TEMPLATE=['<a class="ql-preview" rel="noopener noreferrer" target="_blank" href="about:blank"></a>','<input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL">','<a class="ql-action"></a>','<a class="ql-remove"></a>'].join(""),e.default=E},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(29),o=nt(i),r=n(36),a=n(38),s=n(64),l=n(65),c=nt(l),u=n(66),h=nt(u),d=n(67),f=nt(d),A=n(37),p=n(26),g=n(39),v=n(40),m=n(56),y=nt(m),b=n(68),w=nt(b),E=n(27),_=nt(E),B=n(69),x=nt(B),C=n(70),k=nt(C),j=n(71),I=nt(j),D=n(72),F=nt(D),M=n(73),T=nt(M),N=n(13),S=nt(N),Q=n(74),Y=nt(Q),O=n(75),R=nt(O),P=n(57),q=nt(P),U=n(41),L=nt(U),z=n(28),H=nt(z),G=n(59),W=nt(G),J=n(60),V=nt(J),X=n(61),Z=nt(X),K=n(108),$=nt(K),tt=n(62),et=nt(tt);function nt(t){return t&&t.__esModule?t:{default:t}}o.default.register({"attributors/attribute/direction":a.DirectionAttribute,"attributors/class/align":r.AlignClass,"attributors/class/background":A.BackgroundClass,"attributors/class/color":p.ColorClass,"attributors/class/direction":a.DirectionClass,"attributors/class/font":g.FontClass,"attributors/class/size":v.SizeClass,"attributors/style/align":r.AlignStyle,"attributors/style/background":A.BackgroundStyle,"attributors/style/color":p.ColorStyle,"attributors/style/direction":a.DirectionStyle,"attributors/style/font":g.FontStyle,"attributors/style/size":v.SizeStyle},!0),o.default.register({"formats/align":r.AlignClass,"formats/direction":a.DirectionClass,"formats/indent":s.IndentClass,"formats/background":A.BackgroundStyle,"formats/color":p.ColorStyle,"formats/font":g.FontClass,"formats/size":v.SizeClass,"formats/blockquote":c.default,"formats/code-block":S.default,"formats/header":h.default,"formats/list":f.default,"formats/bold":y.default,"formats/code":N.Code,"formats/italic":w.default,"formats/link":_.default,"formats/script":x.default,"formats/strike":k.default,"formats/underline":I.default,"formats/image":F.default,"formats/video":T.default,"formats/list/item":d.ListItem,"modules/formula":Y.default,"modules/syntax":R.default,"modules/toolbar":q.default,"themes/bubble":$.default,"themes/snow":et.default,"ui/icons":L.default,"ui/picker":H.default,"ui/icon-picker":V.default,"ui/color-picker":W.default,"ui/tooltip":Z.default},!0),e.default=o.default},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.IndentClass=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,[{key:"add",value:function(t,n){if("+1"===n||"-1"===n){var i=this.value(t)||0;n="+1"===n?i+1:i-1}return 0===n?(this.remove(t),!0):o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"add",this).call(this,t,n)}},{key:"canAdd",value:function(t,n){return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"canAdd",this).call(this,t,n)||o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"canAdd",this).call(this,t,parseInt(n))}},{key:"value",value:function(t){return parseInt(o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t))||void 0}}]),e}(a.default.Attributor.Class),d=new h("indent","ql-indent",{scope:a.default.Scope.BLOCK,whitelist:[1,2,3,4,5,6,7,8]});e.IndentClass=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(4),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(o.default);c.blotName="blockquote",c.tagName="blockquote",e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(4),r=a(o);function a(t){return t&&t.__esModule?t:{default:t}}function s(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function l(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return s(this,e),l(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,null,[{key:"formats",value:function(t){return this.tagName.indexOf(t.tagName)+1}}]),e}(r.default);u.blotName="header",u.tagName=["H1","H2","H3","H4","H5","H6"],e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.ListItem=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=h(r),s=n(4),l=h(s),c=n(25),u=h(c);function h(t){return t&&t.__esModule?t:{default:t}}function d(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function f(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function A(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function p(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var g=function(t){function e(){return f(this,e),A(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return p(e,t),i(e,[{key:"format",value:function(t,n){t!==v.blotName||n?o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n):this.replaceWith(a.default.create(this.statics.scope))}},{key:"remove",value:function(){null==this.prev&&null==this.next?this.parent.remove():o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"remove",this).call(this)}},{key:"replaceWith",value:function(t,n){return this.parent.isolate(this.offset(this.parent),this.length()),t===this.parent.statics.blotName?(this.parent.replaceWith(t,n),this):(this.parent.unwrap(),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replaceWith",this).call(this,t,n))}}],[{key:"formats",value:function(t){return t.tagName===this.tagName?void 0:o(e.__proto__||Object.getPrototypeOf(e),"formats",this).call(this,t)}}]),e}(l.default);g.blotName="list-item",g.tagName="LI";var v=function(t){function e(t){f(this,e);var n=A(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t)),i=function(e){if(e.target.parentNode===t){var i=n.statics.formats(t),o=a.default.find(e.target);"checked"===i?o.format("list","unchecked"):"unchecked"===i&&o.format("list","checked")}};return t.addEventListener("touchstart",i),t.addEventListener("mousedown",i),n}return p(e,t),i(e,null,[{key:"create",value:function(t){var n="ordered"===t?"OL":"UL",i=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,n);return"checked"!==t&&"unchecked"!==t||i.setAttribute("data-checked","checked"===t),i}},{key:"formats",value:function(t){return"OL"===t.tagName?"ordered":"UL"===t.tagName?t.hasAttribute("data-checked")?"true"===t.getAttribute("data-checked")?"checked":"unchecked":"bullet":void 0}}]),i(e,[{key:"format",value:function(t,e){this.children.length>0&&this.children.tail.format(t,e)}},{key:"formats",value:function(){return d({},this.statics.blotName,this.statics.formats(this.domNode))}},{key:"insertBefore",value:function(t,n){if(t instanceof g)o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n);else{var i=null==n?this.length():n.offset(this),r=this.split(i);r.parent.insertBefore(t,r)}}},{key:"optimize",value:function(t){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t);var n=this.next;null!=n&&n.prev===this&&n.statics.blotName===this.statics.blotName&&n.domNode.tagName===this.domNode.tagName&&n.domNode.getAttribute("data-checked")===this.domNode.getAttribute("data-checked")&&(n.moveChildren(this),n.remove())}},{key:"replace",value:function(t){if(t.statics.blotName!==this.statics.blotName){var n=a.default.create(this.statics.defaultChild);t.moveChildren(n),this.appendChild(n)}o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replace",this).call(this,t)}}]),e}(u.default);v.blotName="list",v.scope=a.default.Scope.BLOCK_BLOT,v.tagName=["OL","UL"],v.defaultChild="list-item",v.allowedChildren=[g],e.ListItem=g,e.default=v},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(56),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(o.default);c.blotName="italic",c.tagName=["EM","I"],e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(6),a=s(r);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,null,[{key:"create",value:function(t){return"super"===t?document.createElement("sup"):"sub"===t?document.createElement("sub"):o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t)}},{key:"formats",value:function(t){return"SUB"===t.tagName?"sub":"SUP"===t.tagName?"super":void 0}}]),e}(a.default);h.blotName="script",h.tagName=["SUB","SUP"],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(6),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(o.default);c.blotName="strike",c.tagName="S",e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(6),o=r(i);function r(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(o.default);c.blotName="underline",c.tagName="U",e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=l(r),s=n(27);function l(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function h(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var d=["alt","height","width"],f=function(t){function e(){return c(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return h(e,t),i(e,[{key:"format",value:function(t,n){d.indexOf(t)>-1?n?this.domNode.setAttribute(t,n):this.domNode.removeAttribute(t):o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}],[{key:"create",value:function(t){var n=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return"string"===typeof t&&n.setAttribute("src",this.sanitize(t)),n}},{key:"formats",value:function(t){return d.reduce((function(e,n){return t.hasAttribute(n)&&(e[n]=t.getAttribute(n)),e}),{})}},{key:"match",value:function(t){return/\.(jpe?g|gif|png)$/.test(t)||/^data:image\/.+;base64/.test(t)}},{key:"sanitize",value:function(t){return(0,s.sanitize)(t,["http","https","data"])?t:"//:0"}},{key:"value",value:function(t){return t.getAttribute("src")}}]),e}(a.default.Embed);f.blotName="image",f.tagName="IMG",e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(4),a=n(27),s=l(a);function l(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function h(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var d=["height","width"],f=function(t){function e(){return c(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return h(e,t),i(e,[{key:"format",value:function(t,n){d.indexOf(t)>-1?n?this.domNode.setAttribute(t,n):this.domNode.removeAttribute(t):o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}],[{key:"create",value:function(t){var n=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return n.setAttribute("frameborder","0"),n.setAttribute("allowfullscreen",!0),n.setAttribute("src",this.sanitize(t)),n}},{key:"formats",value:function(t){return d.reduce((function(e,n){return t.hasAttribute(n)&&(e[n]=t.getAttribute(n)),e}),{})}},{key:"sanitize",value:function(t){return s.default.sanitize(t)}},{key:"value",value:function(t){return t.getAttribute("src")}}]),e}(r.BlockEmbed);f.blotName="video",f.className="ql-video",f.tagName="IFRAME",e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.FormulaBlot=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(35),a=h(r),s=n(5),l=h(s),c=n(9),u=h(c);function h(t){return t&&t.__esModule?t:{default:t}}function d(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function f(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function A(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var p=function(t){function e(){return d(this,e),f(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return A(e,t),i(e,null,[{key:"create",value:function(t){var n=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return"string"===typeof t&&(window.katex.render(t,n,{throwOnError:!1,errorColor:"#f00"}),n.setAttribute("data-value",t)),n}},{key:"value",value:function(t){return t.getAttribute("data-value")}}]),e}(a.default);p.blotName="formula",p.className="ql-formula",p.tagName="SPAN";var g=function(t){function e(){d(this,e);var t=f(this,(e.__proto__||Object.getPrototypeOf(e)).call(this));if(null==window.katex)throw new Error("Formula module requires KaTeX.");return t}return A(e,t),i(e,null,[{key:"register",value:function(){l.default.register(p,!0)}}]),e}(u.default);e.FormulaBlot=p,e.default=g},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.CodeToken=e.CodeBlock=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},r=n(0),a=f(r),s=n(5),l=f(s),c=n(9),u=f(c),h=n(13),d=f(h);function f(t){return t&&t.__esModule?t:{default:t}}function A(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function p(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function g(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var v=function(t){function e(){return A(this,e),p(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return g(e,t),i(e,[{key:"replaceWith",value:function(t){this.domNode.textContent=this.domNode.textContent,this.attach(),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replaceWith",this).call(this,t)}},{key:"highlight",value:function(t){var e=this.domNode.textContent;this.cachedText!==e&&((e.trim().length>0||null==this.cachedText)&&(this.domNode.innerHTML=t(e),this.domNode.normalize(),this.attach()),this.cachedText=e)}}]),e}(d.default);v.className="ql-syntax";var m=new a.default.Attributor.Class("token","hljs",{scope:a.default.Scope.INLINE}),y=function(t){function e(t,n){A(this,e);var i=p(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));if("function"!==typeof i.options.highlight)throw new Error("Syntax module requires highlight.js. Please include the library on the page before Quill.");var o=null;return i.quill.on(l.default.events.SCROLL_OPTIMIZE,(function(){clearTimeout(o),o=setTimeout((function(){i.highlight(),o=null}),i.options.interval)})),i.highlight(),i}return g(e,t),i(e,null,[{key:"register",value:function(){l.default.register(m,!0),l.default.register(v,!0)}}]),i(e,[{key:"highlight",value:function(){var t=this;if(!this.quill.selection.composing){this.quill.update(l.default.sources.USER);var e=this.quill.getSelection();this.quill.scroll.descendants(v).forEach((function(e){e.highlight(t.options.highlight)})),this.quill.update(l.default.sources.SILENT),null!=e&&this.quill.setSelection(e,l.default.sources.SILENT)}}}]),e}(u.default);y.DEFAULTS={highlight:function(){return null==window.hljs?null:function(t){var e=window.hljs.highlightAuto(t);return e.value}}(),interval:1e3},e.CodeBlock=v,e.CodeToken=m,e.default=y},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=3 x2=13 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=9 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=14 x2=4 y1=14 y2=14></line> <line class=ql-stroke x1=12 x2=6 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=15 x2=5 y1=14 y2=14></line> <line class=ql-stroke x1=15 x2=9 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=15 x2=3 y1=14 y2=14></line> <line class=ql-stroke x1=15 x2=3 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <g class="ql-fill ql-color-label"> <polygon points="6 6.868 6 6 5 6 5 7 5.942 7 6 6.868"></polygon> <rect height=1 width=1 x=4 y=4></rect> <polygon points="6.817 5 6 5 6 6 6.38 6 6.817 5"></polygon> <rect height=1 width=1 x=2 y=6></rect> <rect height=1 width=1 x=3 y=5></rect> <rect height=1 width=1 x=4 y=7></rect> <polygon points="4 11.439 4 11 3 11 3 12 3.755 12 4 11.439"></polygon> <rect height=1 width=1 x=2 y=12></rect> <rect height=1 width=1 x=2 y=9></rect> <rect height=1 width=1 x=2 y=15></rect> <polygon points="4.63 10 4 10 4 11 4.192 11 4.63 10"></polygon> <rect height=1 width=1 x=3 y=8></rect> <path d=M10.832,4.2L11,4.582V4H10.708A1.948,1.948,0,0,1,10.832,4.2Z></path> <path d=M7,4.582L7.168,4.2A1.929,1.929,0,0,1,7.292,4H7V4.582Z></path> <path d=M8,13H7.683l-0.351.8a1.933,1.933,0,0,1-.124.2H8V13Z></path> <rect height=1 width=1 x=12 y=2></rect> <rect height=1 width=1 x=11 y=3></rect> <path d=M9,3H8V3.282A1.985,1.985,0,0,1,9,3Z></path> <rect height=1 width=1 x=2 y=3></rect> <rect height=1 width=1 x=6 y=2></rect> <rect height=1 width=1 x=3 y=2></rect> <rect height=1 width=1 x=5 y=3></rect> <rect height=1 width=1 x=9 y=2></rect> <rect height=1 width=1 x=15 y=14></rect> <polygon points="13.447 10.174 13.469 10.225 13.472 10.232 13.808 11 14 11 14 10 13.37 10 13.447 10.174"></polygon> <rect height=1 width=1 x=13 y=7></rect> <rect height=1 width=1 x=15 y=5></rect> <rect height=1 width=1 x=14 y=6></rect> <rect height=1 width=1 x=15 y=8></rect> <rect height=1 width=1 x=14 y=9></rect> <path d=M3.775,14H3v1H4V14.314A1.97,1.97,0,0,1,3.775,14Z></path> <rect height=1 width=1 x=14 y=3></rect> <polygon points="12 6.868 12 6 11.62 6 12 6.868"></polygon> <rect height=1 width=1 x=15 y=2></rect> <rect height=1 width=1 x=12 y=5></rect> <rect height=1 width=1 x=13 y=4></rect> <polygon points="12.933 9 13 9 13 8 12.495 8 12.933 9"></polygon> <rect height=1 width=1 x=9 y=14></rect> <rect height=1 width=1 x=8 y=15></rect> <path d=M6,14.926V15H7V14.316A1.993,1.993,0,0,1,6,14.926Z></path> <rect height=1 width=1 x=5 y=15></rect> <path d=M10.668,13.8L10.317,13H10v1h0.792A1.947,1.947,0,0,1,10.668,13.8Z></path> <rect height=1 width=1 x=11 y=15></rect> <path d=M14.332,12.2a1.99,1.99,0,0,1,.166.8H15V12H14.245Z></path> <rect height=1 width=1 x=14 y=15></rect> <rect height=1 width=1 x=15 y=11></rect> </g> <polyline class=ql-stroke points="5.5 13 9 5 12.5 13"></polyline> <line class=ql-stroke x1=11.63 x2=6.38 y1=11 y2=11></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class="ql-fill ql-stroke" height=3 width=3 x=4 y=5></rect> <rect class="ql-fill ql-stroke" height=3 width=3 x=11 y=5></rect> <path class="ql-even ql-fill ql-stroke" d=M7,8c0,4.031-3,5-3,5></path> <path class="ql-even ql-fill ql-stroke" d=M14,8c0,4.031-3,5-3,5></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-stroke d=M5,4H9.5A2.5,2.5,0,0,1,12,6.5v0A2.5,2.5,0,0,1,9.5,9H5A0,0,0,0,1,5,9V4A0,0,0,0,1,5,4Z></path> <path class=ql-stroke d=M5,9h5.5A2.5,2.5,0,0,1,13,11.5v0A2.5,2.5,0,0,1,10.5,14H5a0,0,0,0,1,0,0V9A0,0,0,0,1,5,9Z></path> </svg>'},function(t,e){t.exports='<svg class="" viewbox="0 0 18 18"> <line class=ql-stroke x1=5 x2=13 y1=3 y2=3></line> <line class=ql-stroke x1=6 x2=9.35 y1=12 y2=3></line> <line class=ql-stroke x1=11 x2=15 y1=11 y2=15></line> <line class=ql-stroke x1=15 x2=11 y1=11 y2=15></line> <rect class=ql-fill height=1 rx=0.5 ry=0.5 width=7 x=2 y=14></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class="ql-color-label ql-stroke ql-transparent" x1=3 x2=15 y1=15 y2=15></line> <polyline class=ql-stroke points="5.5 11 9 3 12.5 11"></polyline> <line class=ql-stroke x1=11.63 x2=6.38 y1=9 y2=9></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class="ql-stroke ql-fill" points="3 11 5 9 3 7 3 11"></polygon> <line class="ql-stroke ql-fill" x1=15 x2=11 y1=4 y2=4></line> <path class=ql-fill d=M11,3a3,3,0,0,0,0,6h1V3H11Z></path> <rect class=ql-fill height=11 width=1 x=11 y=4></rect> <rect class=ql-fill height=11 width=1 x=13 y=4></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class="ql-stroke ql-fill" points="15 12 13 10 15 8 15 12"></polygon> <line class="ql-stroke ql-fill" x1=9 x2=5 y1=4 y2=4></line> <path class=ql-fill d=M5,3A3,3,0,0,0,5,9H6V3H5Z></path> <rect class=ql-fill height=11 width=1 x=5 y=4></rect> <rect class=ql-fill height=11 width=1 x=7 y=4></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M14,16H4a1,1,0,0,1,0-2H14A1,1,0,0,1,14,16Z /> <path class=ql-fill d=M14,4H4A1,1,0,0,1,4,2H14A1,1,0,0,1,14,4Z /> <rect class=ql-fill x=3 y=6 width=12 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M13,16H5a1,1,0,0,1,0-2h8A1,1,0,0,1,13,16Z /> <path class=ql-fill d=M13,4H5A1,1,0,0,1,5,2h8A1,1,0,0,1,13,4Z /> <rect class=ql-fill x=2 y=6 width=14 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15,8H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,8Z /> <path class=ql-fill d=M15,12H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,12Z /> <path class=ql-fill d=M15,16H5a1,1,0,0,1,0-2H15A1,1,0,0,1,15,16Z /> <path class=ql-fill d=M15,4H5A1,1,0,0,1,5,2H15A1,1,0,0,1,15,4Z /> <rect class=ql-fill x=2 y=6 width=8 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M5,8H3A1,1,0,0,1,3,6H5A1,1,0,0,1,5,8Z /> <path class=ql-fill d=M5,12H3a1,1,0,0,1,0-2H5A1,1,0,0,1,5,12Z /> <path class=ql-fill d=M13,16H3a1,1,0,0,1,0-2H13A1,1,0,0,1,13,16Z /> <path class=ql-fill d=M13,4H3A1,1,0,0,1,3,2H13A1,1,0,0,1,13,4Z /> <rect class=ql-fill x=8 y=6 width=8 height=6 rx=1 ry=1 transform="translate(24 18) rotate(-180)"/> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M11.759,2.482a2.561,2.561,0,0,0-3.53.607A7.656,7.656,0,0,0,6.8,6.2C6.109,9.188,5.275,14.677,4.15,14.927a1.545,1.545,0,0,0-1.3-.933A0.922,0.922,0,0,0,2,15.036S1.954,16,4.119,16s3.091-2.691,3.7-5.553c0.177-.826.36-1.726,0.554-2.6L8.775,6.2c0.381-1.421.807-2.521,1.306-2.676a1.014,1.014,0,0,0,1.02.56A0.966,0.966,0,0,0,11.759,2.482Z></path> <rect class=ql-fill height=1.6 rx=0.8 ry=0.8 width=5 x=5.15 y=6.2></rect> <path class=ql-fill d=M13.663,12.027a1.662,1.662,0,0,1,.266-0.276q0.193,0.069.456,0.138a2.1,2.1,0,0,0,.535.069,1.075,1.075,0,0,0,.767-0.3,1.044,1.044,0,0,0,.314-0.8,0.84,0.84,0,0,0-.238-0.619,0.8,0.8,0,0,0-.594-0.239,1.154,1.154,0,0,0-.781.3,4.607,4.607,0,0,0-.781,1q-0.091.15-.218,0.346l-0.246.38c-0.068-.288-0.137-0.582-0.212-0.885-0.459-1.847-2.494-.984-2.941-0.8-0.482.2-.353,0.647-0.094,0.529a0.869,0.869,0,0,1,1.281.585c0.217,0.751.377,1.436,0.527,2.038a5.688,5.688,0,0,1-.362.467,2.69,2.69,0,0,1-.264.271q-0.221-.08-0.471-0.147a2.029,2.029,0,0,0-.522-0.066,1.079,1.079,0,0,0-.768.3A1.058,1.058,0,0,0,9,15.131a0.82,0.82,0,0,0,.832.852,1.134,1.134,0,0,0,.787-0.3,5.11,5.11,0,0,0,.776-0.993q0.141-.219.215-0.34c0.046-.076.122-0.194,0.223-0.346a2.786,2.786,0,0,0,.918,1.726,2.582,2.582,0,0,0,2.376-.185c0.317-.181.212-0.565,0-0.494A0.807,0.807,0,0,1,14.176,15a5.159,5.159,0,0,1-.913-2.446l0,0Q13.487,12.24,13.663,12.027Z></path> </svg>'},function(t,e){t.exports='<svg viewBox="0 0 18 18"> <path class=ql-fill d=M10,4V14a1,1,0,0,1-2,0V10H3v4a1,1,0,0,1-2,0V4A1,1,0,0,1,3,4V8H8V4a1,1,0,0,1,2,0Zm6.06787,9.209H14.98975V7.59863a.54085.54085,0,0,0-.605-.60547h-.62744a1.01119,1.01119,0,0,0-.748.29688L11.645,8.56641a.5435.5435,0,0,0-.022.8584l.28613.30762a.53861.53861,0,0,0,.84717.0332l.09912-.08789a1.2137,1.2137,0,0,0,.2417-.35254h.02246s-.01123.30859-.01123.60547V13.209H12.041a.54085.54085,0,0,0-.605.60547v.43945a.54085.54085,0,0,0,.605.60547h4.02686a.54085.54085,0,0,0,.605-.60547v-.43945A.54085.54085,0,0,0,16.06787,13.209Z /> </svg>'},function(t,e){t.exports='<svg viewBox="0 0 18 18"> <path class=ql-fill d=M16.73975,13.81445v.43945a.54085.54085,0,0,1-.605.60547H11.855a.58392.58392,0,0,1-.64893-.60547V14.0127c0-2.90527,3.39941-3.42187,3.39941-4.55469a.77675.77675,0,0,0-.84717-.78125,1.17684,1.17684,0,0,0-.83594.38477c-.2749.26367-.561.374-.85791.13184l-.4292-.34082c-.30811-.24219-.38525-.51758-.1543-.81445a2.97155,2.97155,0,0,1,2.45361-1.17676,2.45393,2.45393,0,0,1,2.68408,2.40918c0,2.45312-3.1792,2.92676-3.27832,3.93848h2.79443A.54085.54085,0,0,1,16.73975,13.81445ZM9,3A.99974.99974,0,0,0,8,4V8H3V4A1,1,0,0,0,1,4V14a1,1,0,0,0,2,0V10H8v4a1,1,0,0,0,2,0V4A.99974.99974,0,0,0,9,3Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=13 y1=4 y2=4></line> <line class=ql-stroke x1=5 x2=11 y1=14 y2=14></line> <line class=ql-stroke x1=8 x2=10 y1=14 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class=ql-stroke height=10 width=12 x=3 y=4></rect> <circle class=ql-fill cx=6 cy=7 r=1></circle> <polyline class="ql-even ql-fill" points="5 12 5 11 7 9 8 10 11 7 13 9 13 12 5 12"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class="ql-fill ql-stroke" points="3 7 3 11 5 9 3 7"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class=ql-stroke points="5 7 5 11 3 9 5 7"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=11 y1=7 y2=11></line> <path class="ql-even ql-stroke" d=M8.9,4.577a3.476,3.476,0,0,1,.36,4.679A3.476,3.476,0,0,1,4.577,8.9C3.185,7.5,2.035,6.4,4.217,4.217S7.5,3.185,8.9,4.577Z></path> <path class="ql-even ql-stroke" d=M13.423,9.1a3.476,3.476,0,0,0-4.679-.36,3.476,3.476,0,0,0,.36,4.679c1.392,1.392,2.5,2.542,4.679.36S14.815,10.5,13.423,9.1Z></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=7 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=7 x2=15 y1=14 y2=14></line> <line class="ql-stroke ql-thin" x1=2.5 x2=4.5 y1=5.5 y2=5.5></line> <path class=ql-fill d=M3.5,6A0.5,0.5,0,0,1,3,5.5V3.085l-0.276.138A0.5,0.5,0,0,1,2.053,3c-0.124-.247-0.023-0.324.224-0.447l1-.5A0.5,0.5,0,0,1,4,2.5v3A0.5,0.5,0,0,1,3.5,6Z></path> <path class="ql-stroke ql-thin" d=M4.5,10.5h-2c0-.234,1.85-1.076,1.85-2.234A0.959,0.959,0,0,0,2.5,8.156></path> <path class="ql-stroke ql-thin" d=M2.5,14.846a0.959,0.959,0,0,0,1.85-.109A0.7,0.7,0,0,0,3.75,14a0.688,0.688,0,0,0,.6-0.736,0.959,0.959,0,0,0-1.85-.109></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=6 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=6 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=6 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=3 y1=4 y2=4></line> <line class=ql-stroke x1=3 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=3 x2=3 y1=14 y2=14></line> </svg>'},function(t,e){t.exports='<svg class="" viewbox="0 0 18 18"> <line class=ql-stroke x1=9 x2=15 y1=4 y2=4></line> <polyline class=ql-stroke points="3 4 4 5 6 3"></polyline> <line class=ql-stroke x1=9 x2=15 y1=14 y2=14></line> <polyline class=ql-stroke points="3 14 4 15 6 13"></polyline> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class=ql-stroke points="3 9 4 10 6 8"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15.5,15H13.861a3.858,3.858,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.921,1.921,0,0,0,12.021,11.7a0.50013,0.50013,0,1,0,.957.291h0a0.914,0.914,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.076-1.16971,1.86982-1.93971,2.43082A1.45639,1.45639,0,0,0,12,15.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,15Z /> <path class=ql-fill d=M9.65,5.241a1,1,0,0,0-1.409.108L6,7.964,3.759,5.349A1,1,0,0,0,2.192,6.59178Q2.21541,6.6213,2.241,6.649L4.684,9.5,2.241,12.35A1,1,0,0,0,3.71,13.70722q0.02557-.02768.049-0.05722L6,11.036,8.241,13.65a1,1,0,1,0,1.567-1.24277Q9.78459,12.3777,9.759,12.35L7.316,9.5,9.759,6.651A1,1,0,0,0,9.65,5.241Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15.5,7H13.861a4.015,4.015,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.922,1.922,0,0,0,12.021,3.7a0.5,0.5,0,1,0,.957.291,0.917,0.917,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.077-1.164,1.925-1.934,2.486A1.423,1.423,0,0,0,12,7.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,7Z /> <path class=ql-fill d=M9.651,5.241a1,1,0,0,0-1.41.108L6,7.964,3.759,5.349a1,1,0,1,0-1.519,1.3L4.683,9.5,2.241,12.35a1,1,0,1,0,1.519,1.3L6,11.036,8.241,13.65a1,1,0,0,0,1.519-1.3L7.317,9.5,9.759,6.651A1,1,0,0,0,9.651,5.241Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class="ql-stroke ql-thin" x1=15.5 x2=2.5 y1=8.5 y2=9.5></line> <path class=ql-fill d=M9.007,8C6.542,7.791,6,7.519,6,6.5,6,5.792,7.283,5,9,5c1.571,0,2.765.679,2.969,1.309a1,1,0,0,0,1.9-.617C13.356,4.106,11.354,3,9,3,6.2,3,4,4.538,4,6.5a3.2,3.2,0,0,0,.5,1.843Z></path> <path class=ql-fill d=M8.984,10C11.457,10.208,12,10.479,12,11.5c0,0.708-1.283,1.5-3,1.5-1.571,0-2.765-.679-2.969-1.309a1,1,0,1,0-1.9.617C4.644,13.894,6.646,15,9,15c2.8,0,5-1.538,5-3.5a3.2,3.2,0,0,0-.5-1.843Z></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-stroke d=M5,3V9a4.012,4.012,0,0,0,4,4H9a4.012,4.012,0,0,0,4-4V3></path> <rect class=ql-fill height=1 rx=0.5 ry=0.5 width=12 x=3 y=15></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class=ql-stroke height=12 width=12 x=3 y=3></rect> <rect class=ql-fill height=12 width=1 x=5 y=3></rect> <rect class=ql-fill height=12 width=1 x=12 y=3></rect> <rect class=ql-fill height=2 width=8 x=5 y=8></rect> <rect class=ql-fill height=1 width=3 x=3 y=5></rect> <rect class=ql-fill height=1 width=3 x=3 y=7></rect> <rect class=ql-fill height=1 width=3 x=3 y=10></rect> <rect class=ql-fill height=1 width=3 x=3 y=12></rect> <rect class=ql-fill height=1 width=3 x=12 y=5></rect> <rect class=ql-fill height=1 width=3 x=12 y=7></rect> <rect class=ql-fill height=1 width=3 x=12 y=10></rect> <rect class=ql-fill height=1 width=3 x=12 y=12></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class=ql-stroke points="7 11 9 13 11 11 7 11"></polygon> <polygon class=ql-stroke points="7 7 9 5 11 7 7 7"></polygon> </svg>'},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BubbleTooltip=void 0;var i=function t(e,n,i){null===e&&(e=Function.prototype);var o=Object.getOwnPropertyDescriptor(e,n);if(void 0===o){var r=Object.getPrototypeOf(e);return null===r?void 0:t(r,n,i)}if("value"in o)return o.value;var a=o.get;return void 0!==a?a.call(i):void 0},o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(3),a=A(r),s=n(8),l=A(s),c=n(43),u=A(c),h=n(15),d=n(41),f=A(d);function A(t){return t&&t.__esModule?t:{default:t}}function p(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function g(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function v(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var m=[["bold","italic","link"],[{header:1},{header:2},"blockquote"]],y=function(t){function e(t,n){p(this,e),null!=n.modules.toolbar&&null==n.modules.toolbar.container&&(n.modules.toolbar.container=m);var i=g(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.container.classList.add("ql-bubble"),i}return v(e,t),o(e,[{key:"extendToolbar",value:function(t){this.tooltip=new b(this.quill,this.options.bounds),this.tooltip.root.appendChild(t.container),this.buildButtons([].slice.call(t.container.querySelectorAll("button")),f.default),this.buildPickers([].slice.call(t.container.querySelectorAll("select")),f.default)}}]),e}(u.default);y.DEFAULTS=(0,a.default)(!0,{},u.default.DEFAULTS,{modules:{toolbar:{handlers:{link:function(t){t?this.quill.theme.tooltip.edit():this.quill.format("link",!1)}}}}});var b=function(t){function e(t,n){p(this,e);var i=g(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.on(l.default.events.EDITOR_CHANGE,(function(t,e,n,o){if(t===l.default.events.SELECTION_CHANGE)if(null!=e&&e.length>0&&o===l.default.sources.USER){i.show(),i.root.style.left="0px",i.root.style.width="",i.root.style.width=i.root.offsetWidth+"px";var r=i.quill.getLines(e.index,e.length);if(1===r.length)i.position(i.quill.getBounds(e));else{var a=r[r.length-1],s=i.quill.getIndex(a),c=Math.min(a.length()-1,e.index+e.length-s),u=i.quill.getBounds(new h.Range(s,c));i.position(u)}}else document.activeElement!==i.textbox&&i.quill.hasFocus()&&i.hide()})),i}return v(e,t),o(e,[{key:"listen",value:function(){var t=this;i(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"listen",this).call(this),this.root.querySelector(".ql-close").addEventListener("click",(function(){t.root.classList.remove("ql-editing")})),this.quill.on(l.default.events.SCROLL_OPTIMIZE,(function(){setTimeout((function(){if(!t.root.classList.contains("ql-hidden")){var e=t.quill.getSelection();null!=e&&t.position(t.quill.getBounds(e))}}),1)}))}},{key:"cancel",value:function(){this.show()}},{key:"position",value:function(t){var n=i(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"position",this).call(this,t),o=this.root.querySelector(".ql-tooltip-arrow");if(o.style.marginLeft="",0===n)return n;o.style.marginLeft=-1*n-o.offsetWidth/2+"px"}}]),e}(c.BaseTooltip);b.TEMPLATE=['<span class="ql-tooltip-arrow"></span>','<div class="ql-tooltip-editor">','<input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL">','<a class="ql-close"></a>',"</div>"].join(""),e.BubbleTooltip=b,e.default=y},function(t,e,n){t.exports=n(63)}])["default"]}))}).call(this,n("1c35").Buffer)},9415:function(t,e,n){var i=n("174b");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("e64f243c",i,!0,{sourceMap:!1,shadowMode:!1})},"949e":function(t,e,n){var i=n("b752");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("07aca7d5",i,!0,{sourceMap:!1,shadowMode:!1})},"953d":function(t,e,n){!function(e,i){t.exports=i(n("9339"))}(0,(function(t){return function(t){function e(i){if(n[i])return n[i].exports;var o=n[i]={i:i,l:!1,exports:{}};return t[i].call(o.exports,o,o.exports,e),o.l=!0,o.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,i){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:i})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=2)}([function(e,n){e.exports=t},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(4),o=n.n(i),r=n(6),a=n(5),s=a(o.a,r.a,!1,null,null,null);e.default=s.exports},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0}),e.install=e.quillEditor=e.Quill=void 0;var o=n(0),r=i(o),a=n(1),s=i(a),l=window.Quill||r.default,c=function(t,e){e&&(s.default.props.globalOptions.default=function(){return e}),t.component(s.default.name,s.default)},u={Quill:l,quillEditor:s.default,install:c};e.default=u,e.Quill=l,e.quillEditor=s.default,e.install=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default={theme:"snow",boundary:document.body,modules:{toolbar:[["bold","italic","underline","strike"],["blockquote","code-block"],[{header:1},{header:2}],[{list:"ordered"},{list:"bullet"}],[{script:"sub"},{script:"super"}],[{indent:"-1"},{indent:"+1"}],[{direction:"rtl"}],[{size:["small",!1,"large","huge"]}],[{header:[1,2,3,4,5,6,!1]}],[{color:[]},{background:[]}],[{font:[]}],[{align:[]}],["clean"],["link","image","video"]]},placeholder:"Insert text here ...",readOnly:!1}},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var o=n(0),r=i(o),a=n(3),s=i(a),l=window.Quill||r.default;"function"!=typeof Object.assign&&Object.defineProperty(Object,"assign",{value:function(t,e){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var n=Object(t),i=1;i<arguments.length;i++){var o=arguments[i];if(null!=o)for(var r in o)Object.prototype.hasOwnProperty.call(o,r)&&(n[r]=o[r])}return n},writable:!0,configurable:!0}),e.default={name:"quill-editor",data:function(){return{_options:{},_content:"",defaultOptions:s.default}},props:{content:String,value:String,disabled:{type:Boolean,default:!1},options:{type:Object,required:!1,default:function(){return{}}},globalOptions:{type:Object,required:!1,default:function(){return{}}}},mounted:function(){this.initialize()},beforeDestroy:function(){this.quill=null,delete this.quill},methods:{initialize:function(){var t=this;this.$el&&(this._options=Object.assign({},this.defaultOptions,this.globalOptions,this.options),this.quill=new l(this.$refs.editor,this._options),this.quill.enable(!1),(this.value||this.content)&&this.quill.pasteHTML(this.value||this.content),this.disabled||this.quill.enable(!0),this.quill.on("selection-change",(function(e){e?t.$emit("focus",t.quill):t.$emit("blur",t.quill)})),this.quill.on("text-change",(function(e,n,i){var o=t.$refs.editor.children[0].innerHTML,r=t.quill,a=t.quill.getText();"<p><br></p>"===o&&(o=""),t._content=o,t.$emit("input",t._content),t.$emit("change",{html:o,text:a,quill:r})})),this.$emit("ready",this.quill))}},watch:{content:function(t,e){this.quill&&(t&&t!==this._content?(this._content=t,this.quill.pasteHTML(t)):t||this.quill.setText(""))},value:function(t,e){this.quill&&(t&&t!==this._content?(this._content=t,this.quill.pasteHTML(t)):t||this.quill.setText(""))},disabled:function(t,e){this.quill&&this.quill.enable(!t)}}}},function(t,e){t.exports=function(t,e,n,i,o,r){var a,s=t=t||{},l=typeof t.default;"object"!==l&&"function"!==l||(a=t,s=t.default);var c,u="function"==typeof s?s.options:s;if(e&&(u.render=e.render,u.staticRenderFns=e.staticRenderFns,u._compiled=!0),n&&(u.functional=!0),o&&(u._scopeId=o),r?(c=function(t){t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext,t||"undefined"==typeof __VUE_SSR_CONTEXT__||(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(r)},u._ssrRegister=c):i&&(c=i),c){var h=u.functional,d=h?u.render:u.beforeCreate;h?(u._injectStyles=c,u.render=function(t,e){return c.call(e),d(t,e)}):u.beforeCreate=d?[].concat(d,c):[c]}return{esModule:a,exports:s,options:u}}},function(t,e,n){"use strict";var i=function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"quill-editor"},[t._t("toolbar"),t._v(" "),n("div",{ref:"editor"})],2)},o=[],r={render:i,staticRenderFns:o};e.a=r}])}))},"985d":function(t,e,n){"use strict";e.__esModule=!0,e.deepAssign=a;var i=n("e5f6"),o=Object.prototype.hasOwnProperty;function r(t,e,n){var r=e[n];(0,i.isDef)(r)&&(o.call(t,n)&&(0,i.isObject)(r)?t[n]=a(Object(t[n]),e[n]):t[n]=r)}function a(t,e){return Object.keys(e).forEach((function(n){r(t,e,n)})),t}},"990b":function(t,e,n){var i=n("9093"),o=n("2621"),r=n("cb7c"),a=n("7726").Reflect;t.exports=a&&a.ownKeys||function(t){var e=i.f(r(t)),n=o.f;return n?e.concat(n(t)):e}},"9aa9":function(t,e){e.f=Object.getOwnPropertySymbols},"9af6":function(t,e,n){var i=n("d916");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("396b7398",i,!0,{sourceMap:!1,shadowMode:!1})},"9b43":function(t,e,n){var i=n("d8e8");t.exports=function(t,e,n){if(i(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,i){return t.call(e,n,i)};case 3:return function(n,i,o){return t.call(e,n,i,o)}}return function(){return t.apply(e,arguments)}}},"9c6c":function(t,e,n){var i=n("2b4c")("unscopables"),o=Array.prototype;void 0==o[i]&&n("32e9")(o,i,{}),t.exports=function(t){o[i][t]=!0}},"9def":function(t,e,n){var i=n("4588"),o=Math.min;t.exports=function(t){return t>0?o(i(t),9007199254740991):0}},"9e1e":function(t,e,n){t.exports=!n("79e5")((function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a}))},"9eb6":function(t,e,n){n("a29f"),n("0607"),n("949e"),n("6720")},"9fdc":function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("2638")),r=i(n("a559")),a=n("e5f6"),s=n("dc8a"),l=n("18d0"),c=(0,a.createNamespace)("overlay"),u=c[0],h=c[1];function d(t){(0,l.preventDefault)(t,!0)}function f(t,e,n,i){var l=(0,r.default)({zIndex:e.zIndex},e.customStyle);return(0,a.isDef)(e.duration)&&(l.animationDuration=e.duration+"s"),t("transition",{attrs:{name:"van-fade"}},[t("div",(0,o.default)([{directives:[{name:"show",value:e.show}],style:l,class:[h(),e.className],on:{touchmove:e.lockScroll?d:a.noop}},(0,s.inherit)(i,!0)]),[null==n.default?void 0:n.default()])])}f.props={show:Boolean,zIndex:[Number,String],duration:[Number,String],className:null,customStyle:Object,lockScroll:{type:Boolean,default:!0}};var A=u(f);e.default=A},a142:function(t,e,n){"use strict";n.d(e,"b",(function(){return r})),n.d(e,"f",(function(){return a})),n.d(e,"c",(function(){return s})),n.d(e,"d",(function(){return l})),n.d(e,"e",(function(){return c})),n.d(e,"a",(function(){return u}));var i=n("8bbf"),o=n.n(i),r="undefined"!==typeof window,a=o.a.prototype.$isServer;function s(t){return void 0!==t&&null!==t}function l(t){return"function"===typeof t}function c(t){return null!==t&&"object"===typeof t}function u(t,e){var n=e.split("."),i=t;return n.forEach((function(t){var e;i=null!=(e=i[t])?e:""})),i}},a159:function(t,e,n){var i=n("e4ae"),o=n("7e90"),r=n("1691"),a=n("5559")("IE_PROTO"),s=function(){},l="prototype",c=function(){var t,e=n("1ec9")("iframe"),i=r.length,o="<",a=">";e.style.display="none",n("32fc").appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(o+"script"+a+"document.F=Object"+o+"/script"+a),t.close(),c=t.F;while(i--)delete c[l][r[i]];return c()};t.exports=Object.create||function(t,e){var n;return null!==t?(s[l]=i(t),n=new s,s[l]=null,n[a]=t):n=c(),void 0===e?n:o(n,e)}},a29f:function(t,e,n){var i=n("f130");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("7a11bf09",i,!0,{sourceMap:!1,shadowMode:!1})},a481:function(t,e,n){"use strict";var i=n("cb7c"),o=n("4bf8"),r=n("9def"),a=n("4588"),s=n("0390"),l=n("5f1b"),c=Math.max,u=Math.min,h=Math.floor,d=/\$([$&`']|\d\d?|<[^>]*>)/g,f=/\$([$&`']|\d\d?)/g,A=function(t){return void 0===t?t:String(t)};n("214f")("replace",2,(function(t,e,n,p){return[function(i,o){var r=t(this),a=void 0==i?void 0:i[e];return void 0!==a?a.call(i,r,o):n.call(String(r),i,o)},function(t,e){var o=p(n,t,this,e);if(o.done)return o.value;var h=i(t),d=String(this),f="function"===typeof e;f||(e=String(e));var v=h.global;if(v){var m=h.unicode;h.lastIndex=0}var y=[];while(1){var b=l(h,d);if(null===b)break;if(y.push(b),!v)break;var w=String(b[0]);""===w&&(h.lastIndex=s(d,r(h.lastIndex),m))}for(var E="",_=0,B=0;B<y.length;B++){b=y[B];for(var x=String(b[0]),C=c(u(a(b.index),d.length),0),k=[],j=1;j<b.length;j++)k.push(A(b[j]));var I=b.groups;if(f){var D=[x].concat(k,C,d);void 0!==I&&D.push(I);var F=String(e.apply(void 0,D))}else F=g(x,d,C,k,I,e);C>=_&&(E+=d.slice(_,C)+F,_=C+x.length)}return E+d.slice(_)}];function g(t,e,i,r,a,s){var l=i+t.length,c=r.length,u=f;return void 0!==a&&(a=o(a),u=d),n.call(s,u,(function(n,o){var s;switch(o.charAt(0)){case"$":return"$";case"&":return t;case"`":return e.slice(0,i);case"'":return e.slice(l);case"<":s=a[o.slice(1,-1)];break;default:var u=+o;if(0===u)return n;if(u>c){var d=h(u/10);return 0===d?n:d<=c?void 0===r[d-1]?o.charAt(1):r[d-1]+o.charAt(1):n}s=r[u-1]}return void 0===s?"":s}))}}))},a4bb:function(t,e,n){t.exports=n("8aae")},a4c6:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'/*!\n * Quill Editor v1.3.7\n * https://quilljs.com/\n * Copyright (c) 2014, Jason Chen\n * Copyright (c) 2013, salesforce.com\n */.ql-container{box-sizing:border-box;font-family:Helvetica,Arial,sans-serif;font-size:13px;height:100%;margin:0;position:relative}.ql-container.ql-disabled .ql-tooltip{visibility:hidden}.ql-container.ql-disabled .ql-editor ul[data-checked]>li:before{pointer-events:none}.ql-clipboard{left:-100000px;height:1px;overflow-y:hidden;position:absolute;top:50%}.ql-clipboard p{margin:0;padding:0}.ql-editor{box-sizing:border-box;line-height:1.42;height:100%;outline:none;overflow-y:auto;padding:12px 15px;-o-tab-size:4;tab-size:4;-moz-tab-size:4;text-align:left;white-space:pre-wrap;word-wrap:break-word}.ql-editor>*{cursor:text}.ql-editor blockquote,.ql-editor h1,.ql-editor h2,.ql-editor h3,.ql-editor h4,.ql-editor h5,.ql-editor h6,.ql-editor ol,.ql-editor p,.ql-editor pre,.ql-editor ul{margin:0;padding:0;counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol,.ql-editor ul{padding-left:1.5em}.ql-editor ol>li,.ql-editor ul>li{list-style-type:none}.ql-editor ul>li:before{content:"\\2022"}.ql-editor ul[data-checked=false],.ql-editor ul[data-checked=true]{pointer-events:none}.ql-editor ul[data-checked=false]>li *,.ql-editor ul[data-checked=true]>li *{pointer-events:all}.ql-editor ul[data-checked=false]>li:before,.ql-editor ul[data-checked=true]>li:before{color:#777;cursor:pointer;pointer-events:all}.ql-editor ul[data-checked=true]>li:before{content:"\\2611"}.ql-editor ul[data-checked=false]>li:before{content:"\\2610"}.ql-editor li:before{display:inline-block;white-space:nowrap;width:1.2em}.ql-editor li:not(.ql-direction-rtl):before{margin-left:-1.5em;margin-right:.3em;text-align:right}.ql-editor li.ql-direction-rtl:before{margin-left:.3em;margin-right:-1.5em}.ql-editor ol li:not(.ql-direction-rtl),.ql-editor ul li:not(.ql-direction-rtl){padding-left:1.5em}.ql-editor ol li.ql-direction-rtl,.ql-editor ul li.ql-direction-rtl{padding-right:1.5em}.ql-editor ol li{counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9;counter-increment:list-0}.ql-editor ol li:before{content:counter(list-0,decimal) ". "}.ql-editor ol li.ql-indent-1{counter-increment:list-1}.ql-editor ol li.ql-indent-1:before{content:counter(list-1,lower-alpha) ". "}.ql-editor ol li.ql-indent-1{counter-reset:list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-2{counter-increment:list-2}.ql-editor ol li.ql-indent-2:before{content:counter(list-2,lower-roman) ". "}.ql-editor ol li.ql-indent-2{counter-reset:list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-3{counter-increment:list-3}.ql-editor ol li.ql-indent-3:before{content:counter(list-3,decimal) ". "}.ql-editor ol li.ql-indent-3{counter-reset:list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-4{counter-increment:list-4}.ql-editor ol li.ql-indent-4:before{content:counter(list-4,lower-alpha) ". "}.ql-editor ol li.ql-indent-4{counter-reset:list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-5{counter-increment:list-5}.ql-editor ol li.ql-indent-5:before{content:counter(list-5,lower-roman) ". "}.ql-editor ol li.ql-indent-5{counter-reset:list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-6{counter-increment:list-6}.ql-editor ol li.ql-indent-6:before{content:counter(list-6,decimal) ". "}.ql-editor ol li.ql-indent-6{counter-reset:list-7 list-8 list-9}.ql-editor ol li.ql-indent-7{counter-increment:list-7}.ql-editor ol li.ql-indent-7:before{content:counter(list-7,lower-alpha) ". "}.ql-editor ol li.ql-indent-7{counter-reset:list-8 list-9}.ql-editor ol li.ql-indent-8{counter-increment:list-8}.ql-editor ol li.ql-indent-8:before{content:counter(list-8,lower-roman) ". "}.ql-editor ol li.ql-indent-8{counter-reset:list-9}.ql-editor ol li.ql-indent-9{counter-increment:list-9}.ql-editor ol li.ql-indent-9:before{content:counter(list-9,decimal) ". "}.ql-editor .ql-indent-1:not(.ql-direction-rtl){padding-left:3em}.ql-editor li.ql-indent-1:not(.ql-direction-rtl){padding-left:4.5em}.ql-editor .ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:3em}.ql-editor li.ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:4.5em}.ql-editor .ql-indent-2:not(.ql-direction-rtl){padding-left:6em}.ql-editor li.ql-indent-2:not(.ql-direction-rtl){padding-left:7.5em}.ql-editor .ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:6em}.ql-editor li.ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:7.5em}.ql-editor .ql-indent-3:not(.ql-direction-rtl){padding-left:9em}.ql-editor li.ql-indent-3:not(.ql-direction-rtl){padding-left:10.5em}.ql-editor .ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:9em}.ql-editor li.ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:10.5em}.ql-editor .ql-indent-4:not(.ql-direction-rtl){padding-left:12em}.ql-editor li.ql-indent-4:not(.ql-direction-rtl){padding-left:13.5em}.ql-editor .ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:12em}.ql-editor li.ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:13.5em}.ql-editor .ql-indent-5:not(.ql-direction-rtl){padding-left:15em}.ql-editor li.ql-indent-5:not(.ql-direction-rtl){padding-left:16.5em}.ql-editor .ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:15em}.ql-editor li.ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:16.5em}.ql-editor .ql-indent-6:not(.ql-direction-rtl){padding-left:18em}.ql-editor li.ql-indent-6:not(.ql-direction-rtl){padding-left:19.5em}.ql-editor .ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:18em}.ql-editor li.ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:19.5em}.ql-editor .ql-indent-7:not(.ql-direction-rtl){padding-left:21em}.ql-editor li.ql-indent-7:not(.ql-direction-rtl){padding-left:22.5em}.ql-editor .ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:21em}.ql-editor li.ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:22.5em}.ql-editor .ql-indent-8:not(.ql-direction-rtl){padding-left:24em}.ql-editor li.ql-indent-8:not(.ql-direction-rtl){padding-left:25.5em}.ql-editor .ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:24em}.ql-editor li.ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:25.5em}.ql-editor .ql-indent-9:not(.ql-direction-rtl){padding-left:27em}.ql-editor li.ql-indent-9:not(.ql-direction-rtl){padding-left:28.5em}.ql-editor .ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:27em}.ql-editor li.ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:28.5em}.ql-editor .ql-video{display:block;max-width:100%}.ql-editor .ql-video.ql-align-center{margin:0 auto}.ql-editor .ql-video.ql-align-right{margin:0 0 0 auto}.ql-editor .ql-bg-black{background-color:#000}.ql-editor .ql-bg-red{background-color:#e60000}.ql-editor .ql-bg-orange{background-color:#f90}.ql-editor .ql-bg-yellow{background-color:#ff0}.ql-editor .ql-bg-green{background-color:#008a00}.ql-editor .ql-bg-blue{background-color:#06c}.ql-editor .ql-bg-purple{background-color:#93f}.ql-editor .ql-color-white{color:#fff}.ql-editor .ql-color-red{color:#e60000}.ql-editor .ql-color-orange{color:#f90}.ql-editor .ql-color-yellow{color:#ff0}.ql-editor .ql-color-green{color:#008a00}.ql-editor .ql-color-blue{color:#06c}.ql-editor .ql-color-purple{color:#93f}.ql-editor .ql-font-serif{font-family:Georgia,Times New Roman,serif}.ql-editor .ql-font-monospace{font-family:Monaco,Courier New,monospace}.ql-editor .ql-size-small{font-size:.75em}.ql-editor .ql-size-large{font-size:1.5em}.ql-editor .ql-size-huge{font-size:2.5em}.ql-editor .ql-direction-rtl{direction:rtl;text-align:inherit}.ql-editor .ql-align-center{text-align:center}.ql-editor .ql-align-justify{text-align:justify}.ql-editor .ql-align-right{text-align:right}.ql-editor.ql-blank:before{color:rgba(0,0,0,.6);content:attr(data-placeholder);font-style:italic;left:15px;pointer-events:none;position:absolute;right:15px}.ql-snow.ql-toolbar:after,.ql-snow .ql-toolbar:after{clear:both;content:"";display:table}.ql-snow.ql-toolbar button,.ql-snow .ql-toolbar button{background:none;border:none;cursor:pointer;display:inline-block;float:left;height:24px;padding:3px 5px;width:28px}.ql-snow.ql-toolbar button svg,.ql-snow .ql-toolbar button svg{float:left;height:100%}.ql-snow.ql-toolbar button:active:hover,.ql-snow .ql-toolbar button:active:hover{outline:none}.ql-snow.ql-toolbar input.ql-image[type=file],.ql-snow .ql-toolbar input.ql-image[type=file]{display:none}.ql-snow.ql-toolbar .ql-picker-item.ql-selected,.ql-snow .ql-toolbar .ql-picker-item.ql-selected,.ql-snow.ql-toolbar .ql-picker-item:hover,.ql-snow .ql-toolbar .ql-picker-item:hover,.ql-snow.ql-toolbar .ql-picker-label.ql-active,.ql-snow .ql-toolbar .ql-picker-label.ql-active,.ql-snow.ql-toolbar .ql-picker-label:hover,.ql-snow .ql-toolbar .ql-picker-label:hover,.ql-snow.ql-toolbar button.ql-active,.ql-snow .ql-toolbar button.ql-active,.ql-snow.ql-toolbar button:focus,.ql-snow .ql-toolbar button:focus,.ql-snow.ql-toolbar button:hover,.ql-snow .ql-toolbar button:hover{color:#06c}.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:focus .ql-fill,.ql-snow .ql-toolbar button:focus .ql-fill,.ql-snow.ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:hover .ql-fill,.ql-snow .ql-toolbar button:hover .ql-fill,.ql-snow.ql-toolbar button:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:hover .ql-stroke.ql-fill{fill:#06c}.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow.ql-toolbar button.ql-active .ql-stroke,.ql-snow .ql-toolbar button.ql-active .ql-stroke,.ql-snow.ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar button:focus .ql-stroke,.ql-snow .ql-toolbar button:focus .ql-stroke,.ql-snow.ql-toolbar button:focus .ql-stroke-miter,.ql-snow .ql-toolbar button:focus .ql-stroke-miter,.ql-snow.ql-toolbar button:hover .ql-stroke,.ql-snow .ql-toolbar button:hover .ql-stroke,.ql-snow.ql-toolbar button:hover .ql-stroke-miter,.ql-snow .ql-toolbar button:hover .ql-stroke-miter{stroke:#06c}@media (pointer:coarse){.ql-snow.ql-toolbar button:hover:not(.ql-active),.ql-snow .ql-toolbar button:hover:not(.ql-active){color:#444}.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill{fill:#444}.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter{stroke:#444}}.ql-snow,.ql-snow *{box-sizing:border-box}.ql-snow .ql-hidden{display:none}.ql-snow .ql-out-bottom,.ql-snow .ql-out-top{visibility:hidden}.ql-snow .ql-tooltip{position:absolute;transform:translateY(10px)}.ql-snow .ql-tooltip a{cursor:pointer;text-decoration:none}.ql-snow .ql-tooltip.ql-flip{transform:translateY(-10px)}.ql-snow .ql-formats{display:inline-block;vertical-align:middle}.ql-snow .ql-formats:after{clear:both;content:"";display:table}.ql-snow .ql-stroke{fill:none;stroke:#444;stroke-linecap:round;stroke-linejoin:round;stroke-width:2}.ql-snow .ql-stroke-miter{fill:none;stroke:#444;stroke-miterlimit:10;stroke-width:2}.ql-snow .ql-fill,.ql-snow .ql-stroke.ql-fill{fill:#444}.ql-snow .ql-empty{fill:none}.ql-snow .ql-even{fill-rule:evenodd}.ql-snow .ql-stroke.ql-thin,.ql-snow .ql-thin{stroke-width:1}.ql-snow .ql-transparent{opacity:.4}.ql-snow .ql-direction svg:last-child{display:none}.ql-snow .ql-direction.ql-active svg:last-child{display:inline}.ql-snow .ql-direction.ql-active svg:first-child{display:none}.ql-snow .ql-editor h1{font-size:2em}.ql-snow .ql-editor h2{font-size:1.5em}.ql-snow .ql-editor h3{font-size:1.17em}.ql-snow .ql-editor h4{font-size:1em}.ql-snow .ql-editor h5{font-size:.83em}.ql-snow .ql-editor h6{font-size:.67em}.ql-snow .ql-editor a{text-decoration:underline}.ql-snow .ql-editor blockquote{border-left:4px solid #ccc;margin-bottom:5px;margin-top:5px;padding-left:16px}.ql-snow .ql-editor code,.ql-snow .ql-editor pre{background-color:#f0f0f0;border-radius:3px}.ql-snow .ql-editor pre{white-space:pre-wrap;margin-bottom:5px;margin-top:5px;padding:5px 10px}.ql-snow .ql-editor code{font-size:85%;padding:2px 4px}.ql-snow .ql-editor pre.ql-syntax{background-color:#23241f;color:#f8f8f2;overflow:visible}.ql-snow .ql-editor img{max-width:100%}.ql-snow .ql-picker{color:#444;display:inline-block;float:left;font-size:14px;font-weight:500;height:24px;position:relative;vertical-align:middle}.ql-snow .ql-picker-label{cursor:pointer;display:inline-block;height:100%;padding-left:8px;padding-right:2px;position:relative;width:100%}.ql-snow .ql-picker-label:before{display:inline-block;line-height:22px}.ql-snow .ql-picker-options{background-color:#fff;display:none;min-width:100%;padding:4px 8px;position:absolute;white-space:nowrap}.ql-snow .ql-picker-options .ql-picker-item{cursor:pointer;display:block;padding-bottom:5px;padding-top:5px}.ql-snow .ql-picker.ql-expanded .ql-picker-label{color:#ccc;z-index:2}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-fill{fill:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-stroke{stroke:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-options{display:block;margin-top:-1px;top:100%;z-index:1}.ql-snow .ql-color-picker,.ql-snow .ql-icon-picker{width:28px}.ql-snow .ql-color-picker .ql-picker-label,.ql-snow .ql-icon-picker .ql-picker-label{padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-label svg,.ql-snow .ql-icon-picker .ql-picker-label svg{right:4px}.ql-snow .ql-icon-picker .ql-picker-options{padding:4px 0}.ql-snow .ql-icon-picker .ql-picker-item{height:24px;width:24px;padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-options{padding:3px 5px;width:152px}.ql-snow .ql-color-picker .ql-picker-item{border:1px solid transparent;float:left;height:16px;margin:2px;padding:0;width:16px}.ql-snow .ql-picker:not(.ql-color-picker):not(.ql-icon-picker) svg{position:absolute;margin-top:-9px;right:0;top:50%;width:18px}.ql-snow .ql-picker.ql-font .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-header .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-size .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-label]:not([data-label=""]):before{content:attr(data-label)}.ql-snow .ql-picker.ql-header{width:98px}.ql-snow .ql-picker.ql-header .ql-picker-item:before,.ql-snow .ql-picker.ql-header .ql-picker-label:before{content:"Normal"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="1"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="1"]:before{content:"Heading 1"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="2"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="2"]:before{content:"Heading 2"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="3"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="3"]:before{content:"Heading 3"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="4"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="4"]:before{content:"Heading 4"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="5"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="5"]:before{content:"Heading 5"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="6"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="6"]:before{content:"Heading 6"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="1"]:before{font-size:2em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="2"]:before{font-size:1.5em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="3"]:before{font-size:1.17em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="4"]:before{font-size:1em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="5"]:before{font-size:.83em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="6"]:before{font-size:.67em}.ql-snow .ql-picker.ql-font{width:108px}.ql-snow .ql-picker.ql-font .ql-picker-item:before,.ql-snow .ql-picker.ql-font .ql-picker-label:before{content:"Sans Serif"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]:before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=serif]:before{content:"Serif"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]:before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=monospace]:before{content:"Monospace"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]:before{font-family:Georgia,Times New Roman,serif}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]:before{font-family:Monaco,Courier New,monospace}.ql-snow .ql-picker.ql-size{width:98px}.ql-snow .ql-picker.ql-size .ql-picker-item:before,.ql-snow .ql-picker.ql-size .ql-picker-label:before{content:"Normal"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=small]:before{content:"Small"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=large]:before{content:"Large"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=huge]:before{content:"Huge"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]:before{font-size:10px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]:before{font-size:18px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]:before{font-size:32px}.ql-snow .ql-color-picker.ql-background .ql-picker-item{background-color:#fff}.ql-snow .ql-color-picker.ql-color .ql-picker-item{background-color:#000}.ql-toolbar.ql-snow{border:1px solid #ccc;box-sizing:border-box;font-family:Helvetica Neue,Helvetica,Arial,sans-serif;padding:8px}.ql-toolbar.ql-snow .ql-formats{margin-right:15px}.ql-toolbar.ql-snow .ql-picker-label{border:1px solid transparent}.ql-toolbar.ql-snow .ql-picker-options{border:1px solid transparent;box-shadow:0 2px 8px rgba(0,0,0,.2)}.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-label,.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-options{border-color:#ccc}.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item.ql-selected,.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item:hover{border-color:#000}.ql-toolbar.ql-snow+.ql-container.ql-snow{border-top:0}.ql-snow .ql-tooltip{background-color:#fff;border:1px solid #ccc;box-shadow:0 0 5px #ddd;color:#444;padding:5px 12px;white-space:nowrap}.ql-snow .ql-tooltip:before{content:"Visit URL:";line-height:26px;margin-right:8px}.ql-snow .ql-tooltip input[type=text]{display:none;border:1px solid #ccc;font-size:13px;height:26px;margin:0;padding:3px 5px;width:170px}.ql-snow .ql-tooltip a.ql-preview{display:inline-block;max-width:200px;overflow-x:hidden;text-overflow:ellipsis;vertical-align:top}.ql-snow .ql-tooltip a.ql-action:after{border-right:1px solid #ccc;content:"Edit";margin-left:16px;padding-right:8px}.ql-snow .ql-tooltip a.ql-remove:before{content:"Remove";margin-left:8px}.ql-snow .ql-tooltip a{line-height:26px}.ql-snow .ql-tooltip.ql-editing a.ql-preview,.ql-snow .ql-tooltip.ql-editing a.ql-remove{display:none}.ql-snow .ql-tooltip.ql-editing input[type=text]{display:inline-block}.ql-snow .ql-tooltip.ql-editing a.ql-action:after{border-right:0;content:"Save";padding-right:0}.ql-snow .ql-tooltip[data-mode=link]:before{content:"Enter link:"}.ql-snow .ql-tooltip[data-mode=formula]:before{content:"Enter formula:"}.ql-snow .ql-tooltip[data-mode=video]:before{content:"Enter video:"}.ql-snow a{color:#06c}.ql-container.ql-snow{border:1px solid #ccc}',""])},a559:function(t,e){function n(){return t.exports=n=Object.assign||function(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var i in n)Object.prototype.hasOwnProperty.call(n,i)&&(t[i]=n[i])}return t},t.exports["default"]=t.exports,t.exports.__esModule=!0,n.apply(this,arguments)}t.exports=n,t.exports["default"]=t.exports,t.exports.__esModule=!0},a55b:function(t,e,n){var i=n("588d");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("7dba3656",i,!0,{sourceMap:!1,shadowMode:!1})},a68b:function(t,e,n){var i=n("34f6");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("bc772d34",i,!0,{sourceMap:!1,shadowMode:!1})},a745:function(t,e,n){t.exports=n("f410")},a753:function(t,e,n){var i=n("2ce8");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("36292097",i,!0,{sourceMap:!1,shadowMode:!1})},aa77:function(t,e,n){var i=n("5ca1"),o=n("be13"),r=n("79e5"),a=n("fdef"),s="["+a+"]",l="​…",c=RegExp("^"+s+s+"*"),u=RegExp(s+s+"*$"),h=function(t,e,n){var o={},s=r((function(){return!!a[t]()||l[t]()!=l})),c=o[t]=s?e(d):a[t];n&&(o[n]=c),i(i.P+i.F*s,"String",o)},d=h.trim=function(t,e){return t=String(o(t)),1&e&&(t=t.replace(c,"")),2&e&&(t=t.replace(u,"")),t};t.exports=h},aae3:function(t,e,n){var i=n("d3f4"),o=n("2d95"),r=n("2b4c")("match");t.exports=function(t){var e;return i(t)&&(void 0!==(e=t[r])?!!e:"RegExp"==o(t))}},ac4d:function(t,e,n){n("3a72")("asyncIterator")},ac6a:function(t,e,n){for(var i=n("cadf"),o=n("0d58"),r=n("2aba"),a=n("7726"),s=n("32e9"),l=n("84f2"),c=n("2b4c"),u=c("iterator"),h=c("toStringTag"),d=l.Array,f={CSSRuleList:!0,CSSStyleDeclaration:!1,CSSValueList:!1,ClientRectList:!1,DOMRectList:!1,DOMStringList:!1,DOMTokenList:!0,DataTransferItemList:!1,FileList:!1,HTMLAllCollection:!1,HTMLCollection:!1,HTMLFormElement:!1,HTMLSelectElement:!1,MediaList:!0,MimeTypeArray:!1,NamedNodeMap:!1,NodeList:!0,PaintRequestList:!1,Plugin:!1,PluginArray:!1,SVGLengthList:!1,SVGNumberList:!1,SVGPathSegList:!1,SVGPointList:!1,SVGStringList:!1,SVGTransformList:!1,SourceBufferList:!1,StyleSheetList:!0,TextTrackCueList:!1,TextTrackList:!1,TouchList:!1},A=o(f),p=0;p<A.length;p++){var g,v=A[p],m=f[v],y=a[v],b=y&&y.prototype;if(b&&(b[u]||s(b,u,d),b[h]||s(b,h,v),l[v]=d,m))for(g in i)b[g]||r(b,g,i[g],!0)}},acaa:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("2638")),r=n("e5f6"),a=n("dc8a"),s=(0,r.createNamespace)("info"),l=s[0],c=s[1];function u(t,e,n,i){var s=e.dot,l=e.info,u=(0,r.isDef)(l)&&""!==l;if(s||u)return t("div",(0,o.default)([{class:c({dot:s})},(0,a.inherit)(i,!0)]),[s?"":e.info])}u.props={dot:Boolean,info:[Number,String]};var h=l(u);e.default=h},acc7:function(t,e,n){var i=n("d31c");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("61781afb",i,!0,{sourceMap:!1,shadowMode:!1})},ad81:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".bsth-weather-outer-div,.bsth-weather-outer-div *{box-sizing:border-box}.realtime .cond{display:flex;height:70px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .cond .temperature{font-size:43px;height:41px;text-align:left}.realtime .cond .temperature_text{font-size:17px;line-height:90px;padding-left:15px;text-align:left}.realtime .wind{display:flex;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .wind .direction,.realtime .wind .power{font-size:16px;text-align:left}.realtime .wind .power{padding-left:10px}.realtime .air{display:flex;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .air,.realtime .air .quaility,quaility_title{font-size:16px;text-align:left}.realtime .air .quaility{padding-left:10px}.my-spin .ant-spin-blur{opacity:0}",""])},ada8:function(t,e,n){var i=n("13e9");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("d4718da0",i,!0,{sourceMap:!1,shadowMode:!1})},ae16:function(t,e,n){t.exports=n.p+"img/play.ce01ff8e.svg"},aebd:function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},b03c:function(t,e){var n="auto",i={"":!0,lr:!0,rl:!0},o={start:!0,middle:!0,end:!0,left:!0,right:!0};function r(t){if("string"!==typeof t)return!1;var e=i[t.toLowerCase()];return!!e&&t.toLowerCase()}function a(t){if("string"!==typeof t)return!1;var e=o[t.toLowerCase()];return!!e&&t.toLowerCase()}function s(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var i in n)t[i]=n[i]}return t}function l(t,e,i){var o=this,l=/MSIE\s8\.0/.test(navigator.userAgent),c={};l?o=document.createElement("custom"):c.enumerable=!0,o.hasBeenReset=!1;var u="",h=!1,d=t,f=e,A=i,p=null,g="",v=!0,m="auto",y="start",b=50,w="middle",E=50,_="middle";if(Object.defineProperty(o,"id",s({},c,{get:function(){return u},set:function(t){u=""+t}})),Object.defineProperty(o,"pauseOnExit",s({},c,{get:function(){return h},set:function(t){h=!!t}})),Object.defineProperty(o,"startTime",s({},c,{get:function(){return d},set:function(t){if("number"!==typeof t)throw new TypeError("Start time must be set to a number.");d=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"endTime",s({},c,{get:function(){return f},set:function(t){if("number"!==typeof t)throw new TypeError("End time must be set to a number.");f=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"text",s({},c,{get:function(){return A},set:function(t){A=""+t,this.hasBeenReset=!0}})),Object.defineProperty(o,"region",s({},c,{get:function(){return p},set:function(t){p=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"vertical",s({},c,{get:function(){return g},set:function(t){var e=r(t);if(!1===e)throw new SyntaxError("An invalid or illegal string was specified.");g=e,this.hasBeenReset=!0}})),Object.defineProperty(o,"snapToLines",s({},c,{get:function(){return v},set:function(t){v=!!t,this.hasBeenReset=!0}})),Object.defineProperty(o,"line",s({},c,{get:function(){return m},set:function(t){if("number"!==typeof t&&t!==n)throw new SyntaxError("An invalid number or illegal string was specified.");m=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"lineAlign",s({},c,{get:function(){return y},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");y=e,this.hasBeenReset=!0}})),Object.defineProperty(o,"position",s({},c,{get:function(){return b},set:function(t){if(t<0||t>100)throw new Error("Position must be between 0 and 100.");b=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"positionAlign",s({},c,{get:function(){return w},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");w=e,this.hasBeenReset=!0}})),Object.defineProperty(o,"size",s({},c,{get:function(){return E},set:function(t){if(t<0||t>100)throw new Error("Size must be between 0 and 100.");E=t,this.hasBeenReset=!0}})),Object.defineProperty(o,"align",s({},c,{get:function(){return _},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");_=e,this.hasBeenReset=!0}})),o.displayState=void 0,l)return o}l.prototype.getCueAsHTML=function(){return WebVTT.convertCueToDOMTree(window,this.text)},t.exports=l},b041:function(t,e){t.exports=function(t){return"string"!==typeof t?t:(/^['"].*['"]$/.test(t)&&(t=t.slice(1,-1)),/["'() \t\n]/.test(t)?'"'+t.replace(/"/g,'\\"').replace(/\n/g,"\\n")+'"':t)}},b0c5:function(t,e,n){"use strict";var i=n("520a");n("5ca1")({target:"RegExp",proto:!0,forced:i!==/./.exec},{exec:i})},b0dc:function(t,e,n){var i=n("e4ae");t.exports=function(t,e,n,o){try{return o?e(i(n)[0],n[1]):e(n)}catch(a){var r=t["return"];throw void 0!==r&&i(r.call(t)),a}}},b447:function(t,e,n){var i=n("3a38"),o=Math.min;t.exports=function(t){return t>0?o(i(t),9007199254740991):0}},b459:function(t,e,n){"use strict";e.__esModule=!0,e.default=void 0;var i={name:"姓名",tel:"电话",save:"保存",confirm:"确认",cancel:"取消",delete:"删除",complete:"完成",loading:"加载中...",telEmpty:"请填写电话",nameEmpty:"请填写姓名",nameInvalid:"请输入正确的姓名",confirmDelete:"确定要删除吗",telInvalid:"请输入正确的手机号",vanCalendar:{end:"结束",start:"开始",title:"日期选择",confirm:"确定",startEnd:"开始/结束",weekdays:["日","一","二","三","四","五","六"],monthTitle:function(t,e){return t+"年"+e+"月"},rangePrompt:function(t){return"选择天数不能超过 "+t+" 天"}},vanCascader:{select:"请选择"},vanContactCard:{addText:"添加联系人"},vanContactList:{addText:"新建联系人"},vanPagination:{prev:"上一页",next:"下一页"},vanPullRefresh:{pulling:"下拉即可刷新...",loosing:"释放即可刷新..."},vanSubmitBar:{label:"合计:"},vanCoupon:{unlimited:"无使用门槛",discount:function(t){return t+"折"},condition:function(t){return"满"+t+"元可用"}},vanCouponCell:{title:"优惠券",tips:"暂无可用",count:function(t){return t+"张可用"}},vanCouponList:{empty:"暂无优惠券",exchange:"兑换",close:"不使用优惠券",enable:"可用",disabled:"不可用",placeholder:"请输入优惠码"},vanAddressEdit:{area:"地区",postal:"邮政编码",areaEmpty:"请选择地区",addressEmpty:"请填写详细地址",postalEmpty:"邮政编码格式不正确",defaultAddress:"设为默认收货地址",telPlaceholder:"收货人手机号",namePlaceholder:"收货人姓名",areaPlaceholder:"选择省 / 市 / 区"},vanAddressEditDetail:{label:"详细地址",placeholder:"街道门牌、楼层房间号等信息"},vanAddressList:{add:"新增地址"}};e.default=i},b50d:function(t,e,n){"use strict";var i=n("c532"),o=n("467f"),r=n("30b5"),a=n("83b9"),s=n("c345"),l=n("3934"),c=n("2d83");t.exports=function(t){return new Promise((function(e,u){var h=t.data,d=t.headers;i.isFormData(h)&&delete d["Content-Type"];var f=new XMLHttpRequest;if(t.auth){var A=t.auth.username||"",p=t.auth.password||"";d.Authorization="Basic "+btoa(A+":"+p)}var g=a(t.baseURL,t.url);if(f.open(t.method.toUpperCase(),r(g,t.params,t.paramsSerializer),!0),f.timeout=t.timeout,f.onreadystatechange=function(){if(f&&4===f.readyState&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?s(f.getAllResponseHeaders()):null,i=t.responseType&&"text"!==t.responseType?f.response:f.responseText,r={data:i,status:f.status,statusText:f.statusText,headers:n,config:t,request:f};o(e,u,r),f=null}},f.onabort=function(){f&&(u(c("Request aborted",t,"ECONNABORTED",f)),f=null)},f.onerror=function(){u(c("Network Error",t,null,f)),f=null},f.ontimeout=function(){var e="timeout of "+t.timeout+"ms exceeded";t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),u(c(e,t,"ECONNABORTED",f)),f=null},i.isStandardBrowserEnv()){var v=n("7aac"),m=(t.withCredentials||l(g))&&t.xsrfCookieName?v.read(t.xsrfCookieName):void 0;m&&(d[t.xsrfHeaderName]=m)}if("setRequestHeader"in f&&i.forEach(d,(function(t,e){"undefined"===typeof h&&"content-type"===e.toLowerCase()?delete d[e]:f.setRequestHeader(e,t)})),i.isUndefined(t.withCredentials)||(f.withCredentials=!!t.withCredentials),t.responseType)try{f.responseType=t.responseType}catch(y){if("json"!==t.responseType)throw y}"function"===typeof t.onDownloadProgress&&f.addEventListener("progress",t.onDownloadProgress),"function"===typeof t.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",t.onUploadProgress),t.cancelToken&&t.cancelToken.promise.then((function(t){f&&(f.abort(),u(t),f=null)})),void 0===h&&(h=null),f.send(h)}))}},b752:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'@font-face{font-weight:400;font-family:vant-icon;font-style:normal;font-display:auto;src:url(data:font/ttf;base64,d09GMgABAAAAAF+QAAsAAAAA41QAAF8+AAEAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHFQGVgCcdAqDgHyCuwEBNgIkA4dAC4NiAAQgBYR2B5RiG7C9B8a427DbAREi9V4hitI8qyMR9oKSss3+/09KOsYQhg6Uv2ulL0WPFr17UPIj32woeaBI3EETqrC4UH5jgqiaZxmv5+KtlsskpCIgpn0LrRc+R7ko/t/mjSk0edG74kcoOdxyrLW6fmucKuVBDRC+xZr5kKRoijx8f9/O/e0Lf2rZLZDGo3U8CijgDBJMMAwfN8Tr5l8ICSEJvCQkeQFCIAkzA7LIC9OQkDAyQCCMJYSxNAEHAUWtCoLorouodRKstoqtYhVsFay2VVvFMaFDbR1fjKL9VVvfpiqWIlbXy/hThgXf2vTTCpOwxIgCGJCSz79fTnvJ0L4nje3kA+PhguTxBHYbKiyyL9J15to0y3D9gNDuzvcuraqcZO+uynAgqRriwWaHcRAFhpkxJp5bz6L3Lm9f/0i/0q9K1RDcdAvb7oTtJgeGAtxwCAHAGHARDYILD4K7ITMEPDtVAgS4w9NvllEywvQ6fV1lhZnAJJl9wGcHSLqLbZUFSTeBtBCm2KJjtsyJ/+7xvBt0d9yNCPLAdntHYmC7sXckQAA45pIvuRNdkEcAnOsApzTxGQ+o+iMS5EkfAjjXAfjAHshW8YuMj4FxuhBBXCR+Znt9rFyq+mMuSNy21llgPZap6Sa+RkQQjd9PT5US25dfTTRCh8JNIykAMKpCDsnP1YgRqEXA/Jtq2WJI0aYuUhcz3qNc5T7monTT/TQA/v8zA84MAGkwAJcAJC0BkBIHELkEQO1DEhcYcrUkFZ5Iai/EiAGoPZCU7gDxArVRdAipupBSd67cxy7Ect25aF266HY716VLF+UVpYuqN+Lg/MAXHIClBUzZJqGeGZQBDL3ofZJm0P7sp9YHGe3WU8SxCEFEJIgG7brbf9chtgnt1FU9Y+CLUyRaDOCCiwI/b41A3U4yj4P+92+6Pip7mX7gKVgeFFPj0bDJ5I+6ImdPqCplxgULj5qU7OkxAryoJb621wdPW6kAgrfjeP+J03/JPfaAW+GpBgIzSyhgZU6gsGMmsgU2oyvK6yzTMz7ymxcFaRRNCDbWiZApKCod/5+SV1FVU9fQ1NIml1oAESaUcSGVNtb5MIqTNMuLsqqbtuuHcZqXdduP87qf9/sBEIIRDCdIimZYjhdEWVE13TAt23E9P3iSkafZovhmVW2YaL5T3bA7jLDtx3ndz/v9AAjBCIrhBEkzLMcLoiQrqqZbtZI0y4uyqpu2H8bJdDZfLFfrzXa3PxxPl+vt/ni+3l9RkhVV0w3Tsh3X84MwipM0y4uyqpu264dxmpd124/zup+voAt84tDvJXL+E1AOJkeDqAOM/UdA5CaAbgLpJohugukmhG5C6SaMbsLpJoJuIukmim6i6SaGbmLpJo6bkBiBkARBkBTBkAwhkByhkAJhkBLhkAoRkBqRkAZRkBbRkA4xkB6xkAFxkBHxkAkJkBmJkAVJkBXJkA0pkB2pkANpkBPpkAsZkBuZkAdZkBfZkA85kB+5UAB5UBD5UAgFoDAKQhEUgqIoDMVQBIqjKJRAMSiJ4lAKJaA0SkIZlIKyKA3lUAbKoyxUQDmIR3moiApQCRWhMipBFVSGqqgC1VAVaqAa1ER1qIUaUBs1oQ5qQV3UhnqoA/VRFxqgHiSgPjREA2iEhtAEjaApGkMzNIHmaAot0Axaojm0QgtojZbQBq2gLVpDO7SB9mgLHdAOOqM9dEEH6IqO0A2doDs6Qw90gZ7oCr3QDXqjO/RBD+iLntAPvaA/esMA9IGB6AuD0A8Goz8MwQAYioEwDINgOAbDCAyBkRgKozAMRmM4jMEIGIuRMA6jYDxGwwTGwETGwiTGwWTGwxQmwFQmwjQmwXQmwwymwEymwiymwRymw1xmwDxmwnxmwQJmw0LmwCLmwmLmwRLmw1IWwDIWwnIWwQoWw0qWwCqWwmqWwRqWw1pWwDpWwnpWwQZWw0bWwCbWwhbWwVbWwzY2wHY2wg42wU42wy62wG62wh62wV62wz52wH52wgF2wUF2wyH2wGH2whH2wVH2w3EOwAkOwkkOwSkOw2mOwBmOwlmOwTmOwwWcgIs4CZdwCi7jNFzBGbiKs3AN5+A6zsMNXICbuAi3cAlu4zLcwRW4h6twH9fgAa7DQ9yAR7gJj3ELnuA2PMUdeIa78Bz34AXuw0s8gFd4CK/xCN7gMbzFE3iHp/Aez+ADnsNHvIBPeAmf8Qq+4DV8xRv4hrfwHe/gB97DT3yAX/gIv/EJ/uAz/MWX+V51XwEa4xts5jskwg84z0+YzS+ojt9wF3+gE/5CR/yDY/wPx+fl50vQh/h/wjKoGtbcRYMi5KbRBuD6aZiwx0PJnzXNFBkvZJjoY5sMekJVVKRJmkekOaM9MEQCgZxSRNPkY5M0o79wFfwRQ4bJzIhCDgHClNtAbp0EI+wfLelt8RM6epT4oYiPHqKNmIeQeZ0CcUhYpN8veU6WzEoUStZcho8QYnEbJFOOmO9RRiIuMb85HowOZAE8OohC3j//83QLEfXYhpfu0qLaSKO7HQZf9IG/LTNISLOgX6mrmypyZDPlkmDwcc28tBlcPMhMTdZLA6+vD3GK9emI4QDkl9fUKnpqzEixb71XXac4k4y7DcjiQA0LrjFkQBrFMRujOgGiQQW+gsmkRWyNujAye0RYLdAvB0RvNcWsb/AkjKj2PKQtfC4PNKp/TgHEi3/CIzTUR98eGnkiJzcAENmU+SXI/UqUJD2RtNAmhqJqaJUZsSnGJhZ4h9xgvKIjPojRmYKcMvZzZmDTupPlHQyZYG84Z00zyPsYKqKcJWWemC+6I0FPPYWyfPtbrneHDHFAy8llpVoOUbDfZRUmIvNc569wASQOAYQgm7e3jUQM0LeKonAdwqJdLfsaRvPymmW3GdH20UXEuuaBkx2RiQV6DeGqYy0ZZhogjCwgAgQD56EabOMqsK8zyrOi6IVzxsJWxhO1yKlC6ABK0UY9VKhjDaLiWNXxCNZTGnWkxEx5HIchBAtNUqBemeA0KIAMQftYgibsnIQsx34Ow8yKQcBz4PRRp7TbLxe9fNmd/q8KQmQjyFIxi0hcpLn1PdFaSaNoJ4e+zw0aDENWxqQrRlCjk56MmlNNpAGONd++2MCZuF1hYNgsALnWgfJ0a/Dgxh1P5K9zJa+VIx/FdoDoXDge6m3KGKKsRsTIdpbHYytvpmk8Mf8B9xQSuE56RbA5YNKkB1eca9FUraob07tyKXG1MbfQqjFxvxNfnOHYGJIMnRAGGYWqG9fXn+pEI4wYzl/4VracNjWeHTUtQGUYQx6UXI9RTUTlY3QLIk3UirgdlF4OKNYdCEl7j6QdpleZYjINTMKvxRLypkoxg1CDQeTANAsRqqWbYFiEJkikgXLfgqmuLSKQkm4PIBTyGNUxygAGX5AbfynSaxUfXGoXt3HGXJN7A+jBncr0M3cTdUKwwh94wuud9xgeM4qjclLzoxKRxXGa5yzvoQyokAuJOTqBIUdA9CFUS0UCJ2Vewm7iZC+8aDLyKRBX9yEu38EeBzzV5SsjyIcaGB4Az8M85H0twHy5Uzf9RlNt6C1tLWs82oLovhuyfLIlMhKS50wA+P2lcXZ8W5d8b4wtWcUBv0c6FMitU5z7x9so1bsXQfvnluvSreafsT/gd9NY0snqDzfl1pm+2FHb57VGx0pjQueU9+OAseKwBGBsR/saRF0ba8IXVVZAaN2rPi2sCg1h2RLMW8JJ6zJi/Il5dmlJbs4szU+JWEqeoKqrn4yeonyuzpmXCU8ddBZNrhBlEzSfFWuGwsiEmjS03m36rsxhzDhnPlJRM+F5hyCSFfMXYL5OJwGHJgC2w0JQntT1VO2dzv3L42H1LUlvd/iww6CxprX0htrcPqnwAOcDTvGt6Fck+EvYKnc075MS8oIsmrZgwc1QCdix49PGFT16TWyg//xHXr6nT/6rK/eXmFtcpi73bTM1LgmaHj7rdzz3t+T6VUMzlUQ+kPa8thbmpfnqscsNeh/2JgHOlBSxvwcPAjb7V5hSF0PXFw/mYJ4MbngJL5xq9Y9GzyvnQmOktTVdgnQPiQ1b+rAb17lDR2AkxKchuwoIz5vPQlktIQMhuoQ3fYQhCbWmbrHz0aEmGdFvuOIxkE5Jf33ODN5Zmp+bx2YOuvIImmUlZlZwNFvp3/RkLbNuGxvf3XYRpddCByqdaS/qz19b7OC6lDvdxnNV17HgbqR4thYvY+V0+MztFOgFjOVc/vhRgsJPn+RdnTGYVqhQKtSyN/e95L5HOVUHykuX7WGJuOhtTDVIKszgpVkmDUbFTH9gWCpSXt8P18ZpM6k87U/2cQyrfZErfvjsek77EliRuPvdm0PVSb14LTBW1YYCT/MZ21A5JquiJzq6hXxt5TeoKhv2AgVgoY8gTqmBIC8Wq9LzHCrLAkZLiyejpOi1P6OKWeu4kWkOS3NH8UZdCv0i77Dk9AJEux7AH8IbVy9gwpP1vZir5o1iJ9nA1zkRYgdkFXOoRy5eArUp7qepib4i3kSw+iJXnKWADIcZPjEbyOBGbU05fjK0wsoUzIXwu/7tQO0xJORkf+EuGWnpzwoyPDB1lWJekK1GXFrpRsSC0xqcMMpA2iYf+a5DY2CAAhyBAp97FtSO1d4jtXUTyKWfw+N/SC29NJ7TiZkdqbsYNfZf3++lvTBVuVzKTa3swmzbuHHAz/gRSyPFkWCkvrf+uS66KS/d0fx+Mj/TJSSqEnb7hRvQ913b56bckKny+bSXXt19T7fdPBiMBFGmCYWMn6ntqX1m3Pvbhri6+iAHwyJM+7dJ1gCRxErt+Guh3KtnXs0DCV3SdxSgRi++fDFS2GN3E20YK96Yw3g3/0NCeXVpOL8xt/EVdQkH5xy862zkbPRctZ503iU3ybociu2o3dKavm+lDTAFBrXX9kC33LOD14pKJL+bTWbJLpCtzJGoyh0y9YJGOiL9w4f3+tFJsnSLNtNcyRa2WEWRGfxhquZ04YilZadQxIMeHfPCDHoeiDVYd3Tueph+iyvqRmQPVGIfzbwfkXFcJ0VaVe6BTkILZdQxo7Iwesu7baMIltPTVxXIIMgnwjjAioCfAoSOmACdkTGgo1YGhoQV5ZEX2S5l3PcFEyJfOvlXfeKihu7DGhpQA9w0vP5BFxvYLAt5IJxomshs8NkYbkGESDoIYf0qD2sFPTftz1b+xU/2tgjpJLTDOtRE1d5UPJIlY02r6e60H/7lGEXyVkYmWEEQoCyLv3775WgOQg9Exi0Lnp8X5tAMp6w67t9NllMaa91UlU5o0JZ4rW5Tn5uPQocyx6imDijMEd+S+2SrONmn3spdOwafQG4S4CJ4vNSxTvAArU7O9jXXrQE+2dxizbnp1+EqbpLsmLhoPs/vrSw20t6imOFCcJbKA2zxUgVB2tbFtH4e0ois21pQtjGm+5lgoU6/tiwSZYyXKGOQ4pTnKc0Z1YVs5/AO6Jot42HQRYNxPrO7Nrj6TMNunOOm5CnTLhTJrDTLyooS7wTdOBdESk/r3VYxznMlSquLGEeCzQy9IfoDVW2ZdLKzW3oFY9rjzMoAHuTIh5keMOArlTHtejOWzk2ZpiBbJseZ9KwIxhnShGFXXZ66KLM0MUk01TeqFPqyO5ogK0x7rIIDSuglAEjIwwHORhx9QemqaVGiaom9/oCjWxpRZEsrGvzXx+UwZp1z+ObHj1o6YT+frJzn3JRE3WuCzD9slvLujYj8cz20UrKh+6lVEHPX/KhC7peK48AKip/ljAT/ZNVvuSCbaW6p4i7moIYGr8RjOGRYaUnRZccA4bIhp7bLxdMwR5UrTsOctFzJOuYCxbopuK56nTE0wQqip42hQIMILg6myqaYYXSmy25E5nk+6CJVEsdlCjvXMk+YnGkLO2DoZR+YiJ/cOZBLbKLfuymcPcxP0jJhZOdACO668I/1mSd2oHjkBuJGX2YXOWbGVkY4C808S7VAGkBOp7Aoxq7f1j45t6EFUIbp23Cq6FzPeJ5yHDU50RQYqnF4nUYIuslRmHESEBZOLZ2mrioOj+QlJv9cXcwZnZ5nIO3isrtIv3zhKV/zPraKi1CH2nVM0LKOQQAB6KLBHsRArBnCv4w+kwAwNhwnCEtqBQEyNO8YsuQhvInvenJbc6SNNENnSTgXuS6YMF3+sSIJT1pcIeZOx275klrmmxai/kauRZhdjfPgvY2+5oYGaM5BL4qnL0o8vywL9VweTyQJpqvLeoAa5CiveZWpSuuzqaE83v5JDRLy9cirGEEwB4isGrpGg6g6AIn8wTgIMOg8E6LyyKu/U02Ud/9I4XLBqjCRJi7CGkxFqfSo4cCYvbZEQvsDC8BXCH5EGevfDFxyZi7/dVQT6Tdk0js6k3dpUDKphdQPCKjDobVy+fIinsSQp1rRc/mMGh7YoDZZ5zeQN0wXCXkXgMjdi0+Jh7NAlCJM1Rf7vXuxy2x6UQ/nZdflkWUk2k+pSagE2ImulCDV8JiC6EDeO0ajjtlFb25eHiyXCkRhDi5CmZfGXETIa7+B5tpsmHwy2YKBGb6/4rMj6dWfsqK7f9iIfSlZv7glM1L90weJly+23toVufJjcSpT+z49tOfH1Zjh2Mr5zelU5cL78Y3nm+/uDV/+gbYd427eFfxu2hPsbtIRzKeHtc2QkfbUlKtnfG0kkHGLOn/0aZ3D4QZXUycHcOeOuMlN5gTGJUouKl2Y44IbO/SmexOApKfkQ1BF+RmeC1P9w9Dp6cnNBWlO3nQtorwvKvPyJGdmP+CziUEuKiExidGCoTc8juAP+CmdPCRKLsO6hjlfcYskeCnqpLlhX/MIwuLREywHO9xK1Ity1DIuykXVe4wwTWAh9N8PIexAbpVdaCynbIdxnJDdJpWwPM1K4q5SwqeJVABOJc0dIvEIIIAAAqSsallEQKKMOR08MFs+iCQdK5zxEDoyP+gbACMktJV9zmBYuhubKpx2JaPh5seE7+1/UlUkhIGlLcszhtTpeFTR3LwE5NCtbiLX8nltC+rW6tG1T5/wEYCI7/CtrprzpaLg1u2NY5VNrppe2ny74tHdh9219mZ1a6BllrfcqXzMuv0yOapLcql+kAW7K606TRnQ+pq2JpMpO6YZDHSCyxAsvfUuau7/4rNsQbA08uUXj/2ff4k7bO04QWv2ZmKwHb3ZGbegihQb8PQMN9pX1ZrsZyop2rV5j9UOCO3qW4R7mN5gi7UO5XxiwUHHYbh2xORODy993uxk9waZU+a9zR2QKQ75ArnrK7vM5J5Gtwf49k1E13VZF2mvak0hT9LWenHM4cvx1f0dmqU8jR/VS3/3D5/JfIUwEkT5bdcSzGuL6AprbfEjhSgjJFZKraQqG9sU3T12Z/Vo8Olt2nr1lH0/NePXEj/Wj/YayvFyOu6txq8nJ25M0XuNYfdQPdmj1/eX93vxsTMdPtqQbxywD/iCn/hx6cxtW/C2crPnIz10PlZK2JFMQfDPHDWOz3A35f7+Klp24vwYIHzuR+diu5FinO4v82VS3Xo3yTjsHedpkiXrxAlfEM+3Tb34XtfF6ymT445UelJqDf9saU9GJJvKPsuRg6azxmEa9iIUSA5dpjzBR2fbBC5CQ5YSeMUvx0fypTIDCMpIIkkxM4iMSEpxpRhayifBytEwj5m0wHPH12GdEyQwfxJRY8hNPIKVYXjBp3c9gxi+eXAZGcqbr+E+gVDMjoADg9UBvIXYfwrMGyHAmGPKXc8hnI89lVcBKOSlGbl/Lql8p/MxpuUOCAOoUQo7Jcqoz4bGHASkk0YQYhAppcCo+E2DtJuhLDOISC1QLApQg791zJQnBn9LUh1vG4LCs071fBP8bIUlvIzqNmiJVAnW11uG50x7AbXm0dwMKtlRmTmyvLs1PjTb7W/Pz4vIcWaNywK0VCHWlickms+VBLmP4pIj3aLy4/rKxZEAhzhkOIdD2rtwviFLQP+ioj8kFP6kmOdDzk9PmObriz9tfP1Txkc+BgnOIp9yz19ovi2auXyZKH0c27FTLAi/r4xPUxNNze/jixdleiFs//gYLxxW9GUYX9g1j/WCcC8leBCEzquxnlV6mFMFzVDCHYp4wXnsOgIezej4lRA+WEO/viyhb4Myk36DXmrzMrSMk42J6zldL/Yh1tGVl0W9ggKeR9UABw0GaDlL+so5p/bwUQYWq5KJ59E6YHWaZ8Gd/F/kk7tccEgwUowWFUbu6hp6JiSaFDOY/AyEG809VB5fRh3bKAsO+Wf1DRGSz1gRK9rLO9uNrvIVNIpjGsW5BA3db8ibiT3qVgUfGe+GRpm3lwFNN7Mv/6V2zGkHIEMmRzTCaeAaN5XdxUxi6gLCsSD4mVbGEuBBiGPSFnRKsF0PpTIFvQIACc9TRa7GEynuTRHCIApEXZ4aWMoE0mLjw0cinRM2V20kjNsAkjM5rnLITXFjTcrPPH4NBzS9W0buSf3hS3z08Qj8YvCC+NXb3jsUYD7Va8Khs/UKBy88VorZyD80ADIMEWq6hOCwSA32GGNEn6L3BWhW4yPyt70s9YyTyNyo5UrmSAdbAgUO+9rIbIg+7XHOaMy8YF0iKC1g6zC6ChLdhYVxRhkLlESjkonB9ANmZTaGGmDLwMhASECOFBcAqbi6v3xQF4HUfFRZoCiEguUp/QGdBjkDM5V1YJE7dCuuudeSut+6ImZ6aQQhX0yMXN8fwhMCncz3KDi8cU8xahS+NYzlh7tTtT3j8UoqEyhL6ZS/Rc4P7zobUVwLYJAwLbmbe09zJvKCD5EOh8rpVEE4nXjsZUsYiefEy4I3fR48AwTRbWUD4jMRJ1l82Zqqa+mpc3RzbU+qnEbA17hiuld2r2XkfivBSOaX5dPp/aHd515+uwVUPnB9/8iN8dOpdLBVSS2lR3x5V35479kP3cA4ihtPpCh/+FJepuERP1F8GYOkKQ6EvZxQtR8sQKSCNzwdC+8FoieGcYD4PHym+BNSXyO86uF8tLK0atSrUFXHP+adELWLTtpBRkbTGjH/7KL6WdNBSaBPEewf4UiJ8fVZajLqS1xpRU4Aj/rwIHxX8XauYJbkeArT6hJJrZc1fh8AlXhGoPm6a6zxahIiHe8m2nhB5cGBw14ajw2Cz42sRQd7obb0lK83wOBUxmBm6a+KzGoSYL8CIoY5J9ZadkOejKTp5MhgTGKU4qnoWaKg6PPM4FR/TbFUp0e8ZxGrE4OFJqakTIZmQ+rAafVnpfm1novBpvyzL1pd861sxTxPnnhrmOq5SkZl+Y7zCNopr74jIriAuQMbbNIzMFflQ7SQYIQVOJZCAJKWSVbrWgq8awbkxP/3a5x5Q/g/dLcMZMY6oEmt8URdh5fyTJiYBuVcBjLH0UhidedVzVMO1Vfcirrk9bVjgqq27NcWoN5eAbn0rhwgkCGFMgPq8OyVJJUPpQk5rhB7EOd6ybivOXjEMcPz+ADslipnCK8NdQV0RPW2cx+EE5l7MqQphxl0ocDKlC63BC9Rj6/vzU8tmFVk1VLhbe6JbP5pfPwU5E0ZsDccfyJ/OmYOCa7Ayt92eGmqjTzZT+okYLBHpYW3VY6NJ2oqQ7biW+5kXjmPCuWN1l1ycIjzkOFMXIEGLBaLM9g/r5a376NraHbJloyCZzRMQ06ES8LjRhv5WDsMkONTQ9B0kTXuIu0SUVJkSaz0CK9zLzDISHZOzSf0tEWmCZOGB6D8PoMEy81HoAZ4u/IFaWieSKqLoHsWdAolmtjqdAmVKZ45P9P28rBsADVTn5CvlcGN2r90JR+sQQ9X4XVsJELQ8yjwDMeRHJ5IeVQlgSpJ1uHjRzXp1Vvt9JKabpwYQfrY+Hg8x+ExJSaIbkopwfeLIB8UkvkwPqSEr70FiGshLFdnqgr8mQaihJkX6997ftPeQWfCsUJkFosatHqhdhkbHuDxM2Pep6QGxw72h9DBSIyG8WQWCPJCWNZHKk9NosrP9cbanruc9xk/F0kABWXnNd90eFO6+roSy4eThdkqiCEXlx0bPkP553WQDmbXy9K9IAsPfiO5iJlIe8IKdYniyJZTRCqyGXFDclyJKrboDqiONzV1fD1tVwo/XeR3xuI48tsUEzqUYgOoWIfI79PgHq4QWz0kNxRp3j5wpPQFiAa2aA51kDVC5bWlSk8uNabLy6q7CdUpjS4b75wp2a39hqBmliD8MDRciPpKn0Q9VUyrjvqmXNPzGdMOlNggVSC7kfXNX4+QK6se9umkIVSupGcKMKSPx4UFIzen2RojMC2w3Rg9aOMQix2DgWwlT8kWSWuCTyDUtb0DbnLKdDluC7JlaRioQeTOEP3W0pLURBwtSgI35FeCDzHNEINMHV5CQvTuQCJPw2uU6otbIC76GuumFqh1I6krUXHz0ZVeYw4/YKp5NaDXoqsip5v9R2D8Q3l2JvGICkCm0Zwp1bVoubmFZcESdOhdrqJ2avhHVpexACpcEqxaDQU9KeBjElbGb8WFCGEnvhlQUXhee0fVBUlxekO6FM4DSZkc7zXTPCO89nu/vMp7QEK51MOw8zGOU4kueaK3CMaGPfyzjke6K4gWoWasWkLsNkxOKI0KxRhQI/Vb09+m4TFPl5YAan2MME1XFPH4OLhMFFZXecqrUFxuRe92CnecymJBVkP0wWdPy+6smYZfHu7QTt+LCFvOtL5Pr+y61o28yLmD9YtHWn/bpEuvZVpvdFmXrz1Jurm/nH5mSIkzw0udEp3bSM/3eO/pG8+LTwXlPX4YYBxS1G095cZWkBfsbmnXseXu87NbqweJQ1hSLTjKl9NeOE2e5prbxIzBxVKOvyw9Q+Rph2xlZLFFHPj4/uy2/shNbsZ5SZHEfu9HbN6QvomFr7g1xvW7SilGOYytM0+LRnyjlKs0/lzdLA1VNGiZzEYhduozbsLXU6OyrXPiumYfNKCz3k8vJk5s6GhzLyS1ixNgk4KM9aO7GhpmKqNUSfs9CHujeDFhrPL3Z2GeM0ehSxmiMRHX6stDW5zL20zV4UwB5MVhTKgEPYtFEinS3bzEeqxeSnEqlyKZydtVx3ydf+ViYNxLaQ6DY0eDB7pfGpOcN5CNnMuoTofMHHWIU42yolXiSjNmns8347RcH7VQk2FaTrkxNIlO/TKSzLnIeTnRbkWsAhsA2c1wnpf6CPWhSlMUd74cLuPI3iOvXd6gAwYJjD+uwPpVN439dLTUfy2PVdcTr1XlmbL9oWGGco7xyVONfEix7SsN4KO9eUhbB3bes5AIZXpGkPZoVErAHOgseA2/ZgXtmvZ6+DZq9XeIPPTd0LQ9ZTNmyVXwO3itMPM5yBjvAmML1sAV0nvznwN+124Y5kF7d0SzvseiGGvd55oz9SuLeZhIUXOKRgUF+/Tvo22iNC8FtgScTscWdTDesnD0LDFvBtHbGRHy1q7TpIaWJpAU93CYS+Y+RgarllxDSmPdfp0zOcDK2M0/cuhEjecYFP2wtytDW6pJV0+m2V8h2Uyt+KJN6vpMQM3Do4b4/MISD4tvvW6XUI01//dtfROmM2nCbRCtY8wULCF8b6fM8wWoUpb1z7chXjbdT0n7gdnSMnkxSjTCtB16LjThH0/n13jPAgBN34Q5TuDMkiDINCBc/xVWmLG7QMRtwXyvysg9HhQJx1BP1uqpt6sUGgMCPuoph5hRXmwHkbRHdHtMBq9YN1ME6a/1bqjYunl+TZ7SxK3UaON+lABpCysy0Szr1SVZiztRVJXrHq8xQ+BslnG7tI0mEkoUJy5RBnvB46W/VBgbj1FiXZ9RAF+XAEPzIii4LwwDcWPIw7j05AwC3uQUbtfAyINo2fAESQdzuJtrkYEB4vTiArGapTTZ1ajOL3UDXqst8tKFyLc3T/NPq8PXH23Zpx0aPECVXfR4obdzUXROe+nG4233ostctG+ktqfE2j9f5s5fvpfUkcT++c+X8C1DCvfDw6ddV1u8eOV+fFfx8oP/K5G7nufv6ROi6atUCIf3c8F7Bu8XvRi9WSAgTjCLAYgayUguBOeQfPqgOhKQSuw/SIj0OA6rYQC81hw+dqz5++IVeS/NwWczLlqMnnv54tarR++aJgv4hH9FiypFYTQnLOWBtA1uNz56UIewT/TR02f7sO5K7/Lv5MFyP5Bn+gaxa+oYVjFP4TSOc/c9GFRITPwlb8J1NLjnWCKdqJ9AtpPQWrogfzK9oW6+Tup3Av+uHuXKgETWI5FBluD1p8sLjg/N0jgnX3POwnVSVCprNMPDKP+mhBs13dh3w5Rinb/HNlWwjm5vnhhcLZ7qRpn2Scbxa0FLYKbvnc6xN0MlM/w3n/AY18vq3j2ST2JsZ5PZleYT240EFDQd9frMTawq4OcH0jxhmARbJH6inAIdvF2k7LT4Q8woz+gdlAHt3lyzWfGUnhLL+SDACfVsqN3JN5hmDXhTpavZslr2KFWVaZ9L6B81k4wZ9HLx1UyvNErcpThGrmWzzrQDDnFWmFG+KgM+y7Kn3eh+RNhQLl4TBOssIYpjrCo9SebtS6xnOE409drhNXVtUZFlUZRERbopSSMTZM1gZPYpyVNemn59uMmJY9dz9rCyIOpLJPrfoF+LlOgCYAsECl+H0fps4iDhWZMTVoGM1MEiUYfMsxFXtPwpPCUqTjPEcepOijNNnnIehgrAqr7xVMmHqAFRWPXlYm5cDAhxmiJ4HrpFzgydDnEzSeAmDLYTcVUGnAhHGyOMCX/g/QdDZqHytB9VmPWVzWzewLlWjDPdXHWpCieaLhOUl5x1qhGosBRNsKruLwouuIViKyaK4BnoJpQTc15SMdpDzeNDvzQHqOqhPy4zJcJzI8GxnXnCbuTigzCjQ89of6f4wp6nxeem7e6Jf05V4YvVcd+CVQY/DCwEmidRapqCrDAnJehCqm+8WXkFGTt0oTZp7euhOJ+73Y4px8klzinR7wtEK0/QVfaetTE0Jyop0N9QGehyK88xnbVbZ6KUH2u2a6IaujRsghZ2e6OCE0uQxy0rb/2wNMOkeHagq1C/oJ73Xuo1tPcDJsel9nGKBMCMXSU9sceyGIEgnDiQ8VFfWEx/z+TJ1bV4jXdyr/zqLu8hG3ejYzsscBg/DFn8H9+ibCSJQyhzX/okeTInKVixn0kUhp9EpdlgGZVpF6rrYYwqEpvVpCG4msfIMuiwJefsqxsCkVd/M+4srnght96JrQnj36uZcid/pzA1HIMTCyoij4PKD1cgWsd65X2yVZfKrD18Zzho6A0O3mkX0YLdUFJkb/6RXXX6+n+vpdl95MUlfwu9YrMjTfmRoKdc6piSg41DG4I771wH5Zv9RpaVi2CltniL5UEfhk4qGXPpi5xivZYm7sEFYyCsuSorGLzlE5PHD8QcsXABsQkNtjwiaIDqmDWJnRAg1c2vmYICC5Oy2gtErZxKIG3S2W+H1q3V5aArBEAXVD1BKtIN/ta0NbG9swUXldJjPr4akVVyV2yiO0htAfM5YFeteQRZNwVVdXcD2pwrBDoVipRPe6tJRmZz9WP4mExFlRJHmSOyPlL5fz4YnZrbIJsqH0kyp1xJIf/BfTf3TGUGHopbyH+kTXzLwybyCSuREJUu0jfv+pkGKti3//VOTna6T0LnN92qFlbfde3yawUYj6534pSno2BMyV74wqKkEJgAXFLCJQqsWBz1cuEhPyaaFlG8ODFNjkS1DVViPe9foFEySkB2k8C5MWA7wijPgzHSFPMj6XxrO7nJE3saixQFcnmBougGgZ57gbxIcaPRsEHZXptQHR9fnVD72oE/9+r42oTXiANNT9NDOYperMTlhAEcOYCh2wMDJIgJkeAp3Uw3qXL6V24P1zY2pZiZnZb1LFtcVgRMwix32gtKQZHQJM7aU5bCZqfZ4ujsD7FlZYpieT1oGm5SlMmLQd3sjR9zm0BZrD2ndFVHfIN296PdFroXht24E32PmIFgdWfSCmRzfkZ0VhK5LUG7yu5wq91OQgWREnguBQOWP1+jiIzOytBtAVtqMpKbpElNRRYQrB10wNu3WbWKBJiAtKoclyU1SyRmaRauvA4WuF5fErNZkiUtx/cK3LcXn16YCoPo8PcGiBlr5y1j8Ta7FuqYDmGkjlXqREaCR0pNBCXNM/tM8JnYXcHS6xdGkmfSP1OmEMyhutQuJPUTvVxdI/0pF8djLeNROjNKdiXVLtyyHTreBZ8seZzg/x76p/cdSiDSpvA+8U9lLUvdSEj13gBLcySSHCsHcmKsvhi4YkYkz5H34XtXFtgNv4fRSIDCgHmbISkbPW7EDA4pkQwhLH659oJ4rM1kGua18YclkpiYEX4bb9hkcuhAxHP/VAfu5zt8McElKURXA/DTV4f7SiSHU8GF58I9BCUGsvOAZNM2dQrczM7O1X9s0jmmQr2pPbweah62gdbGc9AaqA5eG2WiJLQJba7JPsdzdwDbdOPqszQyYQhGonaTMICREpFRaDAIjaIhAlmEBpGxBGHJk/w2YNpoUIc9Moept80yP9ps693QrG0vBNFMZUmHpU0n+oicEJkalmKvIEd8W6g6Ls4aWhJMRjYU26JHJ7urm6uR4lxkIAcJJUEkfMrSWGtyID0+FAecU/vIjZEGUWHhXGd/Wnwofp85bLDgUolR3D/LHBBAyFxaPNRwKJ7kiMaTxsWJYrKpCLx5OdhDozlgVN2PHn1YFb4Pq78bznLQaD3c9tWDt9hEAoyTJwxj41f9HPJ1DiIWGjNFRQbVdV8B5UKhZkjpNkEWKHSmrxZq5IyxgfEa/2EGUaHBNUvwfbjebaTEcqGNd/Z58ewx4POwXeQ3WHPivcg5tkXpWL2hE3aHfE0UG0UiYzEHjMLiAaGx+FsbRRcSa+ITatoHahLaffHbFd8oHtwjTtAniH7ba9tCrwWg1m+v99BaInyYTzkL3ZMV2jQUPvmtiQTBEMlE1qzbJn9qYNckQhJhN8necotdG442CK9/TGQwiC6sITSU1KGBsHoEdsOzzfGJNiOhJlEamZ9cVeeJsNzLQrVwOUQbnvsP+Xt3ctg7ih3luUYM2PtScDosIFymXiII2BAuTfJ3WqitPdgKtV7vtdWBsz7g6jXhmjYAEvXnTeqgUK/QanyLlqqBe73Vxrq58Z0E+v1DVDN7c2ipiI/g7SpcG46Kq8e1q2OjVDuZvT65DcsNIV+1WRVv8QwqA/9WYa0fNYbI1YoUn1xmL1F9qE9WpfHS5Gr6DgXPP3IH5gMH7IbbaixtwHRcZvQCeBS4JrEoNhla6mzBVWsrYIMYbDvxOStsNZNxmQ7mboZrJwBtIW97n4VmycpOK5Dk3na+cVattVt7jzfl5XbxTz8it1lydoHv48FVTIi8hTzDTWY0pT0Arri99r02pR1GtRd2wxBABiREKHZKyGMhmAID6gZ5aM42ZB+yIdHy0GLzIdgNzl2D3dFoAYoGyyruIIWeOyaFfgdd9N5hjIDggFFq99exQbpAgkmH0fUtgIC+l4+2o/ycF2SUQbn41SURaZGZ+cy8k8E17mgeMz8y8xP47JyLDyKjxsptV02qXE3hEB5xsI+LlNfGYVQih48fibg3A3YbBbWOs6Jf8hvPi8DPIrlZbhKM0OmXkhlgWmj7KeVn+YHSd/lNJmoBGK1XlUxV93Vwg/Qx16kHvd8NozjfMMPJ6EOcMIAZzAX0Crps9hH7MDJygoMABllvbGSU9kqga00VwTPYM8SOyRS9qQNeoOE/gfDLwSdZdypMECpLFAhD9P/d+59HPvf1OOd//5ZOgNFzCQkii4XDTxvEYgTTEA16H+fgMgcOhgQBo1UsMuJVGLHIKF693MioIJs63/8gNm1jy7bYZo11r8240Rt64yjh6PnQ3hsZa0Ej2BHO995o6E6rzEyZD8PVGSkXOFINw/P/9lUoWYHZYEROv41eToIjHk88B9D13yr+d6Zk/yCCdPk9ja3zscQtu8/2WCz2kkw61zknJV7ixR7s+8viLHU+sU/9uhBEOCH6YbxmEL/1VpRNkhRA0uUKu4OZs45zcnWkgCSJLerWVvxgzbhdlA3B1uLlodGpqQssC1LVLnR557JTZ07JEsvIZoeZbFkTDhJK1cBoqSKjh8gWS9HRIkuCm7V+fjfcXYtotlrrgOMaySjfkFAPxRsyOjjRVZPxXaKs7zIsc+od0QCxttpu+DgmzEw+8cL8opyUp07DqKAL0iOTHjU7vsnzcxN/af/s71/Ghrhi+4ZHRJwdyq4qNT6W/kQmfuLqAsR5xCpnVW83ZWzYk6t6NK3a6HZ2H1XZZu83rGPO3WagL8s9Dyy5u095E30li3jBAbL81ozWQdYMVsziIGo0K5qh9O/xj2WIWeKEc06Vc9qFpA92BvoxIKgnM92YzEA353V42xkYFdE5ClkuUrWpAn93euNW8vtgCN5FdpM8PWP7I+951yMNI2xBAwxgBPzKvhI5P9kc9jz7BHkzRW7YbSSu/w7VY4H15tMqewL7y9I72+vybGwYgpl1TDMBwwWj3EPR6CZz/fN27hfVRPyP+JT4r3+CMWB8r9qubCZUMOpnJhhNjzlPg98ly3/0/o9kGleetinkXUwBp3ObmeIfJKHHDMwmna5pMNpIBMA2K3XtYkSbvZjPJaNg9rWXmUlCH4m5nJCRu3ajsJSrc3xIdRRZXuJe4cal6ywfuK4JncKCofyh5IisOXso+ZQ9c5Z3UJzpzgdkqRA/nfKG+KZeYCchAXaSk357g0VvYDdMdCxvYFSda4p1QYsv+5F9PSowp8WBUTSCTr+c7OUJkJzIuIDGfnmtxqKssGXaYCNV/qMbhy6lhBl++AMJggHshtFrJgnA0Nvl0mCdT+zvivHcRTmaqxq9t/Y3rUPnaykvc8A9QLzi5KcdiiaSA9fO2fVfkGeTm2JnM18yyUD0uuDFtjW1NSqamB+ZbUzUNcEv76xTvNiHTQ9jd3sewgV9uLmSSy/XM1bCk/sUYPuWvP15XcwDu2Tg8sqZYNsPs3kllSpHY7G4QCgzKIzHCXS4QFgsvrGz/WJrYnaU4qR2UcisddHLVZ1x0rbo0Kb4xoSi+IJqea3itU+tlscXJBTdAKHBTlKgTjDXmL2RRgYF3IIkaOn29uTzay861GYsiL/14avSzzJhcjZQl1g1UpVY94pAQ1Xxt/2r5yu43F/rowmb1AxqbKnac4qfFaTUnqWtjNqEMK2PHEwvqC+UW2Qyi7zw6gADnJUL5VeXp1+XJM2YDQI7MZLogB09q8JwwG4fAAIXSlfdA8QguLsHnIluGEPeaPz+lPs1SidIEPk9CSK9FwCeKJNktK4V02nTATWmoJkAvlVg0DHcc1UPajg+qjvLqljZ1JXNWzey59mVnQfmnl8n3RjZFdY++/77o/ef/aVoWC/CLI2f22RtFTRXLKBXRs1+9YeNrqBNTdL6W1//OkTsqKDPr9yqX92Uvqw939hen2E9AQLHUuzNdjvSTB8bqJodCPbHWu1B2P0+O4zQepXJZGW0DCcP9ikXMpoEJW0MFTC0pbOXatI916jWFFjgasjQJgRnrWrI9xpVjTpw4IcA5LSE24jTBmGvZDbskoJiZ7PxqldI4qpsLYkRAyyf4R1FLz2LhHL8AkJXf3atOQMsSbd9ioz5iSHTeL2VV9rS7PKh+hicY/kf0zr7u4s/Bm6/kexUdgaGbtwoKiuaOzGUaWbgx+Lu/s60j/yFc36gaOPG0EAwPZ7drhgb3lOKJdsLu0Q/jKormUThAFMy3MlEIXAW+jtJyPMDrAx1ZZoF+uGHn8YV/ZTMMErtXM69nXgaUaR5haFQLHNHMDyC/M2b2k9wcttsHg7g+Dv5G6T5cbwNsoffyAhJDNWASnRXO3rap/UrXXxIB/h9RYEOAtN77IOxQJ4arU1QMhFNQrRWThlUzkFmbRNYjDFwQAgzJJApyTPcY7NGxUaheoMILWitCy8qFNByX3yboiMXICrf7b7IJ76u5uuDVoPwJOVoM7m1H5kkTsnnMFDJ0tQrmWwndhcSXYFAmItL0DlIrCjyCeKTfQcBYh3IWx5Yltuu8SvmbBLD9XEQIJ+miJIy0Wst2eMiniGKiCqitHOA2cP0cEMQ8/ojavN6eCPox8CyQ/pxjRV99CN4/od53fxLeWn79/MFg9pgVI664Gde/6QOt671fQJYowCAGAMUH4wGiPMf4MoKMJhIgMH9+jzT4w/GYgAO4wHUKK9tH55q17beQcOddJQoBxm/8hZ2FIvKCgcsisbPdj+dJkFkBv+ZZpDREPmX62/d1sCiIUEfvq7qo9/5oRuW1AEVuWjaVVEdt0bfY8W8MtGVVOsiNWF4KjtFujp4x/gmS91Hxbdp47dRLaRG6r2ojSgQaaM2AryLF++IA1i7Nmygu4gi0QCMasDnYcplctkKb0fcsBFGi/3sFe4cZwOibXn/dttAz8ClAMnekTOiMy7bpGrSaBsZGMGuuOzCGatdhcAQPODII14UUdnDI8xPvflL0vVG5s1c6krH9pPkw+OrWI2dPxRmlDOUUbjejUbWqvXf/Cz4eTf7EiyPmU6JAOXJUH8Z5XzNv9k1Pv5gyXpUOrOH4Yf+/3VFLL7yF+GlH6NnpvTjJ0seLDsyUDSC2kC+zow1GLBmHT+wVqBJ0EM6/r8cg8GM5etqA5+PL/pXSHQlLI5pgOMy42AjIw6/JexYRiheGyZgZsJxGXFMI0PgfYTaXCova+a1lMfYKt6spzaXyVzgamWVyLsDag9t9Pr4cMgwGA4dplJBDCiwIYw9/+Pjo7SegRa4vZskLV+tWu3BkAb4lYTaX3+azbW8cKVfpXXXLmulA3YsWOCAdyvghY2fwV+Sjhk7d8bF7eDsEwUw6JwdAj9rpZ8X3mwGx/Xs7vieuJ747lI5OVjiTgHY3kl10Lb3yfzXOg4D+DjN8QO1m/ZPBFpv307r/mOa2s3vpvb1dVwUzpxROIWvDzEH30HjSeBRPBeRZA9CPMJGYaNgiaSGXtMhEbDAGl8J5HtjvPvkVnF5ed0wgB3Ll69i93R29sBu2BFTQWizibNYGCrwfWA7uw9vRgFxXooziLys2DGHbAPijDpAcoNHZJ9ij759M9UbQ7/LwUI9R8WHJAkg2Zdm0JtWvWRJGwzgbknVmr7nIAGSqXCrbiDJkovuGwqnS3Pab6cFZXL2EKiT21Ufhnw8/Gi20WBRCqLjpHPW4UrpOWpEFDxqo/lhgoaepV3NyghQM/v4ayPyeTQ42NKsicvgFkQcMQBw3nqzJRim8fIj1vL71MyMAHOvOr9orFskuiihgj2yk5Q8Y1CK/5G3cx/l+/r46B+3PD5y7zdxDhGGwK0cvY+Pb/6juW/BUxqDcm/rCMT8rKJ3fLfOrXcg9ejQiG/zysH34Ek+PzR+kRAehyFOpQaiArzKzpdiQDUwLhof2z+DojonHCzAckxM9MBtoBvumdhedGox8R+Fbr1rELE9u9km/DB7kY9fHy3fd+Bp9ZHr7mddfxWIvVZToS0tXfX1p9uqRwMjj6yZLdhPIWa2SvNSuL+OMwLzkotUaUpdbcyMOrqVkpWmOcUIWNRY1wQYg3+yU5w+9Tuf2NeNNMybMXWpJatp7qiqcy9M/W/nUVyFrqQAm/PjsGuSWT+7vR43Rfb5ZJssr7igfFE6t3p2pFZB3fkrlmNQksvHPBe9XbKsGmw5NXclg5Uz33o1le2p2hZvG30cEL2ve/iKx63/qPQ10a0Xp2IGIzrgyrVFJdqUoCY9PdiQUXp0Htl+ste/dcEKn25RlrmoyGFYNaOnbRHiqM38FJyyD3kfP/DPwNajr9NpOo9f/39k7ZPoZwP9pzrTfZv//Cb1X1HH1guJSX+AyjlaojrDI5VaHGoU/OO952QmLX9n1ndfLWH0xBrFT97tvfAScKVh69ThMzelYStTIiLVTK8Fyb/RB6pb3woGd2Z+rNFi8ofb10f81Oe4sC+jmPQ+5b3qnVWWL0fy5H5XblZWj4Nfv1LMNu6f96uBa4q0jQt1Y7/kXJsbpCR+oVAWFsZqtvyeEpCVYLpKsbTWL9x/Hf+mNS88JbdirlUZdRiCoXJIxvJzNnUsLK/1j8ZXegLJTfZd1F7faqFcTTAFZgHWMwZKHB1wrbkVrMTBSeU8FVP4tcMVhVEAiECvAEPyhnFYamB9KsXsytfVRULdz8twAw1k1P3P37PBRd7+N7SRwb/Y9WPEKWJiImdb0EDQNs5ez0GeSJxU5gXWBWVH+MTTR+8doiMEJ16KdxKGSC/oL0hDQXWBfl+mJuO2e8mXGEzGRK/tuCXH5XdbRFLnpCbqTAhuO0jQqVaWpcTWJGA8WtgCk8lVB7Vm6x+DIBwm5wN8JPxNliHrDZ1mvkyKTcUqgya18cO3Rs9M0JGZPCsTKYYhysxUkWmbFanQd6imds0mSTzyC6PGsDezDLPeGHKbWBBbKFcUNRDI1wiffAvyGAjPbW/1Xau8KDYuqRwGempLWXBKsNYIABlFNQklDmSGaEPUzSV6KoATy+Ji5UVF8s/Vvud60iSRBcnFEfP3eVXXEa9443yVc8qNR8CnMpNEJMzMEAA5v53wNML6T3i0bu/ttorWvfd00eEV/0Q8JZyRevfkWnMHOjKwGTuD9WnqfYZzJz6cW6U65/XFuZO6c9+CVv2Ku2vuJpT1zu5dMW9l4UqpNP2du+IdZlHeOwJebxswwPruveXdWNXm267n9Vdvzj9QIyOoCPVrdSB/c3V/Gj9u5fUb8kkhZ/0i1aL1HOGU/Mb1lSc7XkQOhz+oIb+O2VOC0+2JeU2ueRB+KRKkXY2PK0zt+Ur1Vc/kynFp/FyXCt5U9nN/+msi8lJxrmGHCRvshk0wgF1Ow/zdhmQZ98uoqC+5sq3vzmfZtuCGMSbYzZy0NgubXcYB00Dnz16CSdfkcP/0CXrgEceu7iPvNK17l+MICJITf3zKt21cTqR4+LIQFlVHbelaKo9UwDuad4BhfVaWpINWfmHfzMqaSR9CuTfxRENVvT3kztJ7Wy1y2tNInBs76JtbK9uZbfnLW2C0bnf9Xv73SistFbZ5tSNLFiDC7R58jy5AjagJJ8RER9kiuDoYwF0wBPcnLt1NJPsjggCqjxLU8JS/UIIsrHyIPJM0ysyOaJoXeqLT3mUHRtubAoO37PdfO+zgZ5enp4cHz0j8Hfcf8yjzPxzn/zAqJsLkTB/1/m3uPmdLFoczFoyjVMKNNPD1q43ZHYi2zCNv037DPogB2oF/52lB4FojZh4NFzzGSdq49y/mb3qlW/Q7ywvjFQciCv8c5lpPnbJyT98qLI3A80hZHqzfxb1kNJwS+iole796EAua2h1jFovN0UjwW/OM8sfBquhos1kMZCkm3u+hOJKRQU8L+XHBASAj8ih/bec8wpT54EJ/V4M2iZiOmDjw6+YJyeKmOXnYP3uyai3shkNox+IoO11qPouNSuOj09pWreOnlEV+GRz2mK+OwDO3veUAYlUJDGChw695aYjV20dWzbdiFwkiMckQqXNkTIBBCj/02vikOx3YhHX47jLBiwQ12o3/rdIh4B04KmtPrhWtZfxp/DNAQv/z38h/PSoJWDsskez2pWxp2bu3pcX9OH2vrKxEo9Huyl4YVe/mN0fxjzBOEifaJ9JINMJd2REl+uIINvZhjDts2P8R+1Eg/Cbw8RxVZ6RooXChGIj5T2AAt5mAkQeNwncVbSMnMEpfUSPXEXotPWnJ3uSZFHEO5ULtQq7x2DsvAeZPJJmtJM5jloWUMRcwWwa9ly96HtLGnBUyi5lsi4P8MVG00iu4pvNtf0WMkc77HK/z6FkRkb2zhjixN7LrfsR0ZGqqMicSl+S7U9hR4O13Js3M43k0ZVGT3P++urD1+2s/PhEIpXhefHVFZoHwUF5opD+XFc0LCWnxoJPZJ5du2iIR8UThzf55wn3JVbKTkT8xAq93x4zchbUXcijimZTkvUuS0q+FOriNIl/G57xa5rSFPF+03HuwpfbwGHaootArCuMPpZlftZ1vwp32O3bc5zxpDx2/MztixQj+flfkXjyRF9mYncNLhYInP177fuuFV/+6k6hZTR48njntjJ93QYdwp28SLjJHmZraEs4Pb1wXki2blp5kk+keLSEhvGgW1z+yHc9MwPw6+WpOY/2zT6qJ1Uj7FzUuNu6TbLYlJJbPZ0ccMh/GsxgcOhzoGUxf1BApWyhdKIsELuuIa6Qfcb2KnjmuJBtwuWfMzcIEGSWyBd3AvA3sFvQzIOLEMePDTpPTiJgYHNGrjsuURm0PiNCt6jt5zr87+kiz9B1bF8abp7tE2O99rVlgbZO6Dmo3T3gEc3ZsA1sbK5Go94jKpUICh6npgF8h0DnkbcAMz9csx/AIPExWiOTdnHiCJztfyecr89lG+49tXcyuivw9YrNT6RkZR2AIfnN2NngDQ0CyZ+MT0RNGL+PTO+HJiM+JfxdnMvPI5mKf4KLihEqvRLFyFVji1AOmhYZczHvGPOJ2K8MiGILDoaO3SF3HA45Xh7d2Q+EwalufllqNFQWs+sA6o6EmIOMWAGq8NgYDu86/Lk2r61sFLeei68pK3nJO5+ssK3T1t1Kr++Or4E7+8srKZfuXA/vYth+K/0D+8uAscPjc2k2bBNhoY9Op45adnnmyqSm0i7BzVGo9c2Vz8QKGm3SC+It1JZ87rSkjs2NcHbqN2/sjoyPjVzqbEfhCAwB6FV2L3xaJDcL0TIFJdMKAwLGIDUV/m9Lowr2N5W8Nb81GJKTBbwZd1Z/z1LsDJUXOHdq/w4QAFbvDRG+1O5wlRQN3tQ/glhesaHiqJbplCo5mvWgBDKE9UQ7L2yy+LHY9tY3a4Mjp3tvex7SHZb01vs0KAxHz2iPPtYaNLBV4mqjhEtm1wj9TCO/LntCvqugSaG66RJJRuERTu5KApOzfszhFXk2pD5/gW6/hjkYHOeKpfKuL9yH72vrnIkwEuKLPOs9+ZVH8xK/RAz4KnwPKeUyinIUh2Om8cM5SSPOuyqCDzAlKhJLcc7F1FYUdOVxBRpHopHUv8tkmeNbpu6Zp88ToGtEdqj+Mirp208SiNb6z9s4Z2gei1b6hOXu1E6oR1cS1tFtJVNRFS4bynRet1ovO/CFJdJ3iUuxL6BXzv+rOXNkfyNScPYycUkalNZWPlOubovSnkMP/JkzxU0PTZk7rPN/M0DRe6gt941pquSzxU1xO3VWzHSzokt7C0Jg5Kd4NpqQFqUZLz1yjNmH+3Qazyfw1FLFgroBGoz83GkxfmwK69LJbmdqg5VgYlf3wLjVhfvN813cd1g79D8f/5w2UvBAL5SZkCcmD9KCnMzisA54FQXO+K3S/B6ZtDcW4eah4nAisXKwY3zl9/Ke60Wmf9+nolyIv03s7lyMvnf6iJaWagCVOEEB2h7+O/eG7uO8+sHVBzwcgNh7TkiGo8qIstu4+rS39hdAtZWmWTZVK9AZkADGfaHw7EZhtnfzb5K1xXHQNcY44k6alCm2/ixKeLTg1cykvKImjYquKOVzanBY8mZiTwE7gqIP4lUtOrcgPWXDM9OGIXFnHCTkafDSS51Egr/sRk7Fh8H/LtgZTkinBW+GtIRS19/Xtlvz7Me2GnGbh1frPl5wxBSQbkvsy1QY1+e38M/N3BS1RLblW3WJICtoelFDaVK/fLbzv8qo4dRXPOrJ5HLV/fHC8wZuMa5lD4wXlIsGIfxKHW1qxTo0524vRXezRYHI5of38fk5wjUy661Dzkg08KAHi7li/3N/pJIhfVNY686xm0OA19MXsexaeJDUh9WZqUqqs/+zcs7wcebs8TxjbUBLH6eMkWY2bHQ+qWXciOWZO5B2W2oo42yJFGkO42CyupiJN5IbdPBc7YRam4nfHKjE/z+BVuip5Sdy44DjeQR1cx+P3h9HsALYHMe0Ymj0stJ8L10lMbJ7k4dDWK2W7eFZMQuUiUYHZPutF4DXgJnHD+P08uA5DjRuaUz+GacB2MK6ODyAupI6pkZ2OILzwiHVC6BTahu0D9sBJsps0qXp98ZwkuUkuE6O+yybZA9hmGAMGQovAcwAFZaBqQhnynm57laBv0hkEi3bf1mHW2qih0IoJZTt084HPdJu30FuANFv2bj70Fu1hjP56PzMTCiTcRNdATrsHSJXprykIUUQUuimZxDdUB/87+A3NPz+wOc8Qz9j6YVQqlekFZWzzZrzfhjCCxaNJo+Jgxk5HG0Qig/30cLRPRwFvc9YIgNZ1ROiaEIO8KAXT8E3oQC12nuYADfmNLAHlfB1vioLfUXQR/LelVuuTmiBtVdeu6kwlKX5RnNPY02Q+8rA/tVdxAu58Qp/TV+FLmDzIXTgGBf59GYRSgEXj1tLrXPVqBejXy/iAJ+IBnbuwmReIAWTTjmvyMkj22FVElaooMTK+ckpZEDGbHT9pVI6XK61xq1Ivba3q6qhKxoP0EE+mkoU/mmWc9Shcp2uhfOfvDkXe5Zh4w8BlnRYDsJre5fKkGvchqCZJfvOxFQswirzLC/Wff0VEX5IZzv8S+3rfdfSXIEZyT2Y9cKIa4yl6cEgXYc9XR5GSGf47Pn7c/5wWtLd6hcLbsUGr0gcE0b6Nf/nylD/j4eAmz/y/544Jv9t8zzGSSVHqfHuE7lDe3L/zPTcNPmT4n3r5Mv5bWlCAXqXd4PBWrKjeG0R7vv/jxx3dAKPVjZykeAJQdeKAVXZPEiNIQkv7XmO/5IdnluibHlt4OU/Rtv/+hR6MlNckQYfcSTXy5b0aQJuXAjCYEPkEfzbLlFY2awrIHpbqjaxG7gO5ByTTne58kFcdmiOZMzsmT6rPH0k/3F30fWaJRMPTIebutpVZjXAJd0mWmXfsLMXD2DfhPVsj8iZx7iiqq+VrXx1bK05tIk713AoBERqtA8i5c/O083cojmDKaJzSqx/vr1OEEj4Zy+N9aErevze58Tt+XqK+MTZLzln5nnnT/3j/is9jWFF3fE7DphLnwa6qrZ0weBylD+vNzOAZxVVe3uz0uHVFsbw1j+cSfTbHrwas3BQY26nXT20ip6bpaxe2foW4Opn/43sJmd9qvLyZz0P3zWR8l1LBULoO/puW98cfwYpn1EXb4HM2WHhfpN1XB3dmDUgV8Vj9roVsuhX4vS0QJ8XKsc8D9GlQNNqR1kXsGCQW2mxpeozHqy8r0TWEnntuJr2WyfbrZOcP39/uu2aRyjIAu2GhLQnyjAGVhTHdt2CCjSVcAAaLEmw0dxuwY+LK/pWVZ4npZNTVnP+yuhn1tM+bUce2o/uptHpG95X9NUyU6cSzlSvBxzudyu6cq952EsSoQWxleD2VshzRUSwhU9fp2EugfkgnQJjNnCle0YoqLx+ybJuXgKW1XgkrGrUueaTG+QCH1lw+5BjBnHEcuqx8ufG96b3U+LPXtNQurbdtc/I9tGldg2Xrkyj3vnWFlq4nAgaTV7huH/D/Z6Wl6OkICvinC7S+4jWFkz85IMNEPZmfl/7l0v8X0yTfty5NgSMTGh0HPiEzJ7rew6jMzuonvu/KynQMD/NKj6hRB2WmiroD9oXjmG5Y5lK5pDDEjINR7Uyn5jpQ9QiYhuZ+Ky3eZd9ZIt8jjJbstO8qRoMWpTWPnk2rmKHHY7L98vzOA5CtNWh59J9iW1Z8weSvpPOxWvJhtGQ9rUkXqHYWF9KqeKcqKjEVGW1ZMfJeVADAXlNj1kMpaZ4SW6oiE3VAQZkccA6oTh/pWcjTnM4Tqtqd5zfU1Dm2DmtdIpXLMBjrJZpOjedUrQJrLT2q7mL8Ls9JVueuhiF4dWFjAzek9uXM1i8Otz78o0qlEVMe1h3+oq5nZp8MZvXhuXxz9yyi4MXtonxjD5WFHZZgMFvf1YbvZAOgr261prRpeKBwTiBsxucPYoamuEINfleTv0PiwGXOndAajVqMDy+Q5wOicP4CriIE9txhf14sZHl77fuCB3ACEpVLfQ/0lomRtBm6avrh++Hbww6GS3b2zdfEP3Pe1SVNB1xsu5Ixwbw3Bxj/Mjl9Hui7QnkzLiMBGNIIXfTbQtgCnfxdI3Vfu2ZhBjYlevp4hjQGtlhem7fBDpOpm6ipPXXKdAPwxtpPoCTDHlwG7K/vODcgJSZRplBoEBuHxJxoIFMoGSmzKOB0bM4vEmclKb8CzSplmN5sX8l2dhbfUrsRyghxVpGlC7PFUpg0W3bz7BV8HnKgJkNitc8MMMRv3n/+pIxvaW4IE1vrd0X6dyhtGfmAP/2Zy3aSc7I6vvsLtVqPXymhaFi6oBzI4psTm4JoDiSs3zG5kDpWiwTNXJXp4UlL7O0ZSDR/x7dma8zqKmot7UKaJlttolbTavnWoJwHp3fF5+HjqD+Djhl1fgX8WukC2cGDSoa3J94vuh9wOeApv0Jeq+OP8iyRWSgyxBiPiw2CDME7IS72kGlRt44Ly9KGqUNNSzdnLF6SacROAduJ1TCAV7fat1o+CGpdmwdfFexdGurbgdHlMpif4+PsK3an26bC1LkazdweAvl71okY5N0/dhtt/3m3vDoUydVH6iIjUqP0rjE4QqeL0Ee51NSIPZ3pc5V8K5A+nGkZSI7InnMUslCOzllJK4zK6XRi/al2wNQ/wzXD5BI6JwST/9oECVm/0LhQiGkkVJqT8VtTukQMxkinbMWvCJzMz4kT+1HfH20okudLOUNRiKljwwCe6Qo9o0hoNGpOExlEhRhyAUZGukC4tSkowCEw6vsVRrvsGIypYZg2kRUphoaRScQ68dPahwRgNykJ5JmKDb9IuKb+IvtHDSaEhULnbCaRWQ3LuXXerjZ2qoYMlekJpiB76sUNquKZrfuKVWVvC/jK2evxWkGhl7PY6VUowGvXa5IsAfXPUp/VC5wqw9vFFOl8F6ZNv2P/OfsqXbuOH+tXZ//Jfje9ME3ney8rOeve+2nm/mfNcm5hVcezM3B/GvdA1PK7lVm5/U4KxzZrEy/xhnXqYS/qwb0Lwss5Ny+s/0ZK87QE5kevt85avuQ6Z4DqJVqRyLpexY6c/9vU5vVZj7D+rJgIr4S/HoJQv1IqczhVeZpXv2KqYSb1gCXDW+M9N3ir4of5keObFydFeZJMDd9cL3OJO1U704LMIeVkcGCs85J2gtuTcsFP4nchZYHfn4fICK02IpL/c1zGz/qfM+J+5tNDfYTkl/BLchzVQcXOI4TcFIHd0U4pf52EjvtZETWmmoiYCIvZAtBmR1lRyYGUCriBBzCY3QEczQrygHaAPZB7krxcGyxcU4qZR8VxxsUc7t5jIedgXQ5+lwoXGAiwWBgTg5HzfyisAexRfRC9x225d6+F+9PjwrqewYPO5nQLXKc3P9BN8Fan3PZL9Ludwl39Qvdgc3KRNN1xVob4ifwU9NDJzMzJ9J+sKT7d74MIXTBRXx+1IvwNiTzmACuyNqs1UuL2t5pvQFauXQJCbnvI+xh5LwxgAjPHP2sLxlfCnd/EYQRG4fADCjQydQN0K156BUlnsroUVnh27KFodydz7cnF8TrAtCzDALmC6/0xh+8DXc3nITFtNVZw5jtGdQoI0IQ2uDarWx0fp7Q/L5TcnDR8DSGqS/Sj1979ybcrne5HhhV3UgosjOe5HGOX53j22uyIskR2evHDJhA921QtzHzoFQ9G8GhQvM+1KWRUkNA5PUjhTj5Z3eoncoFRTVBiONd84oNGg8lFFhmIRYbM2fGHDNHC/qxKqLDGYHpdZY4kOzo6W5IzSiBwVs6RjO40rEhoqVCVK5Xlqoo/BhhggNv+j+fROBL9dGS6hocUfluIaBMxbBxMKK7vjw8wLC/dx0b+hsz++sYEVVVah80KM5RVcO/r4oT0+EerEhrr+zP9cyoMMMT3L/+WPhxZIuP66OVLBQLH0r2csFv0gY6nL1kytenfvCn/XxQTk5CQeDCAEdI/GTUwOYm2YeCdMADftbtOv1Esvp2gwY6x/nlUvegu4t2c/WkZ4fgA6MSlerwjt5IYt+q5YnYoRylwRveOCfC6j59AAiDitcEKK5g+8W7OgfSE0c4lv8r36K/Of65JMjoHiWxL/KUv/9UC5A6rqbXUxa8caL1fS69T5csXfDG3WlL9w7wF6tpDtZ51z56e5h4Gmt04o87rK1wTk+DhgU0KMHj4ETwFBJ/SMGz8Hy30jbLQGNpW2n5fxngq+aveTR05lHjldfUf26ee7PLcvWpC6kHmWtZd8WY79tzkSWqwWJa/Jz081AuLFfrFYxhBTL8AQiABw9TiMwnUbVRcDukKy3yCZqPzdXcRomz/Q31dGU/J6djU+1UqeZzhu79N8dAY2cb/b5MdCCv1IQg8CX4ehoAkrIcHgdmE+0rn9f283Z67Dj0avELC5dTckknAa5mYY/kGkAA/ZhADE+8nxGK9QsPpnv4srIdFcpO3x8H2vrLOwiV7/KsqtMIYbGAiPe9mhBeKBYJXHPv3UGATHQQYHB+YMf2WBJHSYcgq+ZXAkk5Cm5v/JRNl0etnWMswrtWTdmZBpiYqfYV6UAU/wbVqGCgXIni5XV+9FCy9zVOS6rNzmULnG+c5MFw28zQnzGuYjBKfE9h8QRECnk+7fV6T7akNTZq3wTbOQ8FvD7jTdvLrJxPTBNFM5QBEkog/E1yqwOnh9ndFKfkFyaJrXp97Bfh+3phrmnPT+iGbayCc6qr/y7Og3+sUgWv4kG29GQ6UptzPGwN8vfrqFml11s3mS7TZbaozZCqaGufTTwLTQo7oOvM4fl3UYxN3H6yQF9fdNXfVXer+P/af4zmPblY+fNhikUZKa1btK28+yjlOwP7VfamOKk7fnHOEQCt/Rmzg2Rs2JIU2UxSmHGGeaNSBf4QVJgoz6vcbd2EtK83Y3uSdbDey0mBtyfyLGmLkZvjmoxvYh+OyPzZGb/xDNjqNvfHo8f8PRBJlt0HnsO1rDqGGmT3WPA8p6Y11209G7+o6BmleudxJ44emhlfFikxmupyI8xytb95zhNRJ6Zb5xUgq3a60999GEBsyx6bqe6psiM8KEu33fpfFhurqT0IRSgB9EPdzuvSbeUjx/C3DpTl4MooRr7CM/M2zK36perYKUs5h1OcEuS9idryImIqwvKjK31SQUBoRfjk7zn+5YHkASPAY/1cGhGQ3vMw4c3JW3ouY3BdpRy9ORUzFTEtpQsGmgj1pGnjPDVABvvRe3zfc5onO48gYdQF0CFpAHZtwwX9T3lD+hoX3HnCzuDnHDWjag1oLW8dJ+wwAEy1mc42gei4G1dROcbOLh6doDbbRoWDFTemh+luzp0MkU8RFLYRfcfEXykHKLxcnuy5Stv27GRpvo1y8X+eAHRqN/vC3BMI4auRQ8naXJw854DlzwkdOi+0LwU+/jfDDiqvh46Mqezg9dZEJb283fAe543Ll21lu2DXwA/KD6haF59oBd8WCMqGDmTzLZwPsZrlCgi6g/dt0w3/dlb8xu8uE/4sCRCzxoJm35+DSfq8D+mW62yEI9iNmzNri3545a/+l+Au+W2AA+zaphvUOjMTfTrmHlXtGYeVYHD6eEoTVYhnFrvm7s/Ib7fwSp8PFe1pwBLurnlFRmrOEUhsSzsrbU2hRo7BBPhzfl+LVz8tKsOMsYNr4c+6iAmRfF1n6VQTze3772BqQvLmNN7jg+33KlsG528+qMgqjigX1LRWyMgmSh+TXFESZojIz5LQ5hJUXFhrlGf7ZLZXsAWWe6ndfodD0BQH0t+gXJsksSXL0msE0WaIpf/6xmZ45eUVf36Gvu/Lrk2fGblVJ9ZVXvpnXBtNaUrkb3D7wvN9v8ucog8sWF3RkHNmxXh9bDaUGpXIi5bPUivuD1sPvCQX2E6CwAxAq748tWx9VsulycaosJ3FxjIEG+49U8YNNhqj1CeVzC1t+u2l9efxM6Obs/1/PWJYz9lf4ubdsT5wnNiyThJf4zmMk+ON8IoA0jGr0/uQQAZfP+l+V5JNJ74ScOZ/fAxawFA1+jF/RXpDAHsMeo8vbse3V1T/Frud50P2aPQ4f9PgRa0O9P/f9tLwSGyEqa1TcX4Pdcv8IbJOczPOrdZfRYddYvX87tmd5OVYjWqTaA3Y7WPXHbLE7BtFwbDe2W+uKuTUysgs8VL7nqiJMwG6hyXbHeKsfww6qroquftzjBxV2mqUrgrnbXeRv582tocsTsfFQ5Hp5IZo73LXyV6Ie5BtODHYJuryqTu6R7urVt2BbfU4+plMUWcpDZJNshuVbsL/YeP9KrG4lO3arDfULXfW9OQAItf/cF+ajMa2M68vq6Gvva71/CvbTs5Zh18i8GBTFErFPaSVVVflkha1GcPQ0dvlSEIi2Y8t58lcm2A36UH27qR46n2HVN77TI8B3lz/FEtHP1GCflHWlX7M1PLbOez8EPV7aVMGny4iaduwiiC7AzoX5pMhUsaQyiefrTBHVdy+NvOUtruxbWVU+YqfZqg9ciD1Yv1UmugzbVbVbpbLMEi3/DnucPvAYtkOeLzL/reD/zMfmXmh6WVRkq3wMEZnoKex2PHf/UvnOpCg6n/AlPQ6ds/KWOZ/2j7AKS+2xob5+S0aXYVfIyEQ8t17HSk88dqiWy7Hy9Vd/XSOEN/phFpT4lkDy9yd7UJR3iI6gKPZp6rULfH05ibC4LaQfx/v1YT2BktA/y410sYGzv8xgy9N6GOQ79EnouoBoFH3AyFSOBGghk2EQin0R7pKGvbusS+OuW8q5eMPAYp9F0RuE3IYbd6bt7S7IfSsU+ybdJWMf3WV5nLvuFIqvyIZJeqX0u4ZAuat9Vcorv3J0G0m8rWz1PZmv3owyS6Ml7d2kaVGXrnG23uZ5x/Y8v/8w2aGTZz2la0rMzc5FQ7+vx3j9jompvb3s+yrydEBsAA0SwUCt3ynJjx9v/8hBZrsKqeBx8az5iOoHdHjFfSUVTSIhpHGW2hsNJBtWb0LnPe2Z/Zocnr7ipBJbxvUqkCCtIZVH3sxOfkMSNn9UL5Fs/hUT2tWK8h+NkLePHs4LKwabp+IJgxCMRKEx/6v2bvLg4sWHPwAQYUIZF1JpY50PozhJs7woq7ppu34Yp3lZt/04r/t5vx8AIRhBMZwgKZphOV4QJVlRNd0wLdtx//n77joIozhJs7woq7ppu34Yp3lZt/04r/t5vx8AIRhBMZwgKZphOV4QJVlRNd0wLdtxPT8IozhJs7woq7ppu34Yp3lZt/04r397+zP3fr8oyYqq6YZp2c7b9fwgjOIkzfKirOqm7fphnOZl3fbjvO7n8/0ZWn9LzEAk1vZ9R6XPuUOUdZBCw1rewDYrqTR8W6mtix3rKi+I8mL0hETP4c3RTLr1IC0R58KzkZGLODlRM2B2DfwiaYUuzSA2A5/Jh3VdpCInglT6AM5lJRxCnDI4FvjkoBAW1AFMN75eg7RWuxiqweR23RbTsWR8Q8CVgLgg64a6Aj63fFlUXt1EFXYtL6XoG7jXm7vF974Adhn10Yd11LqIcv6tglTijOqaDM2XOHNAKJqqocUVbg9YoH/cYV/Y/mynJJpvtWYwRKrlIA27cCHt7tIZ5VkSDrpfaKDrpBqArWF1MJnpwk5ppWyHoiayoLqQZAAdQxG5f6fYJIO+KYS091kO4rIPwQbqvvE9yLYRW2FzrSnhADuRDDX2apUG5UE8MA0f35uwgTjNjMEpl7Foa5jg0nuI+qiGfdRu8DySDseonsNOeY6WNopw2F98HdKAEA034Qy4LOajdR1hHpNPakFnAvXLJn1tvaZaWi/daG7j7dCsos4UtBxUVeV6/U8L8kyp1lClZMFq9EbAZ5IxrVKqi7N3Jb9adVmeXU0JmJKkXRPOagAC8mLfDx4QnM6rE0GVPlDn4NULce6yy2Jm020ISLJOmz0HGL6PUHCbaUxJk9NGzRCkMNeDbzJuSIaLPAC/Y7f03e4QpFZKA7hUL9Ftjm0pye5sBJidAURiNKwPis/p55S6p2yqgLVoykOtPAUlKW/lKHMTd0kefG5o2CZbb2xKYJx5UEwkFBkGfE6ndPM1JObSR0k9ZGGcfVHMUjFLgzWaSdllzdg3pqCzjfduM1OPkgyXRy+Jh2iTS9EXiGo5xGtPFWYOKp8JYiR6wzaYc2FQBzyeSdOHBPqCr5/RKiVbvJneKV+r7J3WRN25zM0h4qt2Cd7qGoUF2hzPca27cLfisuQOOobSSMwhcLWRHLfeawhesme71ITvV5niCpsOMJ6593Ol8AC/qYklbg+x7qon65HGq4PxgbXkT9eX6KA+Rx4suTeorO5dn/vG0Fw1wEQ9ZG4btoBsm6Km5YQg5+H8oYDZd9GjJAIcbOhjvILJDqVc21Htx3To2lDTrtu6c5nbg8aUsFvMWi/krbX+UoVCD9HC64DNfCSXSvCmVX9BkjvoGBqeGh15f0tHSfjSum4PKq7AUx+SNNdGStT7te/79ljekvL4qZPlg80fnsO24yDL1A/gdua4Uq0ofJNxlEz6wjfg8zfvRp0VM11GIx2E25cWuMMyCWCoL0JubyKKzzP8Qd03YZKOxVMarH7FY+ZQs4KHPUUZCAlZJDFLh1OxnfZF4Pcf9MmA5Btebuz/I0NbCtX8AQA=) format("woff2"),url(https://b.yzcdn.cn/vant/vant-icon-f463a9.woff) format("woff"),url(https://b.yzcdn.cn/vant/vant-icon-f463a9.ttf) format("truetype")}.van-icon{position:relative;font:normal normal normal 14px/1 vant-icon;font-size:inherit;text-rendering:auto;-webkit-font-smoothing:antialiased}.van-icon,.van-icon:before{display:inline-block}.van-icon-add-o:before{content:"\\F000"}.van-icon-add-square:before{content:"\\F001"}.van-icon-add:before{content:"\\F002"}.van-icon-after-sale:before{content:"\\F003"}.van-icon-aim:before{content:"\\F004"}.van-icon-alipay:before{content:"\\F005"}.van-icon-apps-o:before{content:"\\F006"}.van-icon-arrow-down:before{content:"\\F007"}.van-icon-arrow-left:before{content:"\\F008"}.van-icon-arrow-up:before{content:"\\F009"}.van-icon-arrow:before{content:"\\F00A"}.van-icon-ascending:before{content:"\\F00B"}.van-icon-audio:before{content:"\\F00C"}.van-icon-award-o:before{content:"\\F00D"}.van-icon-award:before{content:"\\F00E"}.van-icon-back-top:before{content:"\\F0E6"}.van-icon-bag-o:before{content:"\\F00F"}.van-icon-bag:before{content:"\\F010"}.van-icon-balance-list-o:before{content:"\\F011"}.van-icon-balance-list:before{content:"\\F012"}.van-icon-balance-o:before{content:"\\F013"}.van-icon-balance-pay:before{content:"\\F014"}.van-icon-bar-chart-o:before{content:"\\F015"}.van-icon-bars:before{content:"\\F016"}.van-icon-bell:before{content:"\\F017"}.van-icon-bill-o:before{content:"\\F018"}.van-icon-bill:before{content:"\\F019"}.van-icon-birthday-cake-o:before{content:"\\F01A"}.van-icon-bookmark-o:before{content:"\\F01B"}.van-icon-bookmark:before{content:"\\F01C"}.van-icon-browsing-history-o:before{content:"\\F01D"}.van-icon-browsing-history:before{content:"\\F01E"}.van-icon-brush-o:before{content:"\\F01F"}.van-icon-bulb-o:before{content:"\\F020"}.van-icon-bullhorn-o:before{content:"\\F021"}.van-icon-calendar-o:before{content:"\\F022"}.van-icon-card:before{content:"\\F023"}.van-icon-cart-circle-o:before{content:"\\F024"}.van-icon-cart-circle:before{content:"\\F025"}.van-icon-cart-o:before{content:"\\F026"}.van-icon-cart:before{content:"\\F027"}.van-icon-cash-back-record:before{content:"\\F028"}.van-icon-cash-on-deliver:before{content:"\\F029"}.van-icon-cashier-o:before{content:"\\F02A"}.van-icon-certificate:before{content:"\\F02B"}.van-icon-chart-trending-o:before{content:"\\F02C"}.van-icon-chat-o:before{content:"\\F02D"}.van-icon-chat:before{content:"\\F02E"}.van-icon-checked:before{content:"\\F02F"}.van-icon-circle:before{content:"\\F030"}.van-icon-clear:before{content:"\\F031"}.van-icon-clock-o:before{content:"\\F032"}.van-icon-clock:before{content:"\\F033"}.van-icon-close:before{content:"\\F034"}.van-icon-closed-eye:before{content:"\\F035"}.van-icon-cluster-o:before{content:"\\F036"}.van-icon-cluster:before{content:"\\F037"}.van-icon-column:before{content:"\\F038"}.van-icon-comment-circle-o:before{content:"\\F039"}.van-icon-comment-circle:before{content:"\\F03A"}.van-icon-comment-o:before{content:"\\F03B"}.van-icon-comment:before{content:"\\F03C"}.van-icon-completed:before{content:"\\F03D"}.van-icon-contact:before{content:"\\F03E"}.van-icon-coupon-o:before{content:"\\F03F"}.van-icon-coupon:before{content:"\\F040"}.van-icon-credit-pay:before{content:"\\F041"}.van-icon-cross:before{content:"\\F042"}.van-icon-debit-pay:before{content:"\\F043"}.van-icon-delete-o:before{content:"\\F0E9"}.van-icon-delete:before{content:"\\F044"}.van-icon-descending:before{content:"\\F045"}.van-icon-description:before{content:"\\F046"}.van-icon-desktop-o:before{content:"\\F047"}.van-icon-diamond-o:before{content:"\\F048"}.van-icon-diamond:before{content:"\\F049"}.van-icon-discount:before{content:"\\F04A"}.van-icon-down:before{content:"\\F04B"}.van-icon-ecard-pay:before{content:"\\F04C"}.van-icon-edit:before{content:"\\F04D"}.van-icon-ellipsis:before{content:"\\F04E"}.van-icon-empty:before{content:"\\F04F"}.van-icon-enlarge:before{content:"\\F0E4"}.van-icon-envelop-o:before{content:"\\F050"}.van-icon-exchange:before{content:"\\F051"}.van-icon-expand-o:before{content:"\\F052"}.van-icon-expand:before{content:"\\F053"}.van-icon-eye-o:before{content:"\\F054"}.van-icon-eye:before{content:"\\F055"}.van-icon-fail:before{content:"\\F056"}.van-icon-failure:before{content:"\\F057"}.van-icon-filter-o:before{content:"\\F058"}.van-icon-fire-o:before{content:"\\F059"}.van-icon-fire:before{content:"\\F05A"}.van-icon-flag-o:before{content:"\\F05B"}.van-icon-flower-o:before{content:"\\F05C"}.van-icon-font-o:before{content:"\\F0EC"}.van-icon-font:before{content:"\\F0EB"}.van-icon-free-postage:before{content:"\\F05D"}.van-icon-friends-o:before{content:"\\F05E"}.van-icon-friends:before{content:"\\F05F"}.van-icon-gem-o:before{content:"\\F060"}.van-icon-gem:before{content:"\\F061"}.van-icon-gift-card-o:before{content:"\\F062"}.van-icon-gift-card:before{content:"\\F063"}.van-icon-gift-o:before{content:"\\F064"}.van-icon-gift:before{content:"\\F065"}.van-icon-gold-coin-o:before{content:"\\F066"}.van-icon-gold-coin:before{content:"\\F067"}.van-icon-good-job-o:before{content:"\\F068"}.van-icon-good-job:before{content:"\\F069"}.van-icon-goods-collect-o:before{content:"\\F06A"}.van-icon-goods-collect:before{content:"\\F06B"}.van-icon-graphic:before{content:"\\F06C"}.van-icon-home-o:before{content:"\\F06D"}.van-icon-hot-o:before{content:"\\F06E"}.van-icon-hot-sale-o:before{content:"\\F06F"}.van-icon-hot-sale:before{content:"\\F070"}.van-icon-hot:before{content:"\\F071"}.van-icon-hotel-o:before{content:"\\F072"}.van-icon-idcard:before{content:"\\F073"}.van-icon-info-o:before{content:"\\F074"}.van-icon-info:before{content:"\\F075"}.van-icon-invition:before{content:"\\F076"}.van-icon-label-o:before{content:"\\F077"}.van-icon-label:before{content:"\\F078"}.van-icon-like-o:before{content:"\\F079"}.van-icon-like:before{content:"\\F07A"}.van-icon-live:before{content:"\\F07B"}.van-icon-location-o:before{content:"\\F07C"}.van-icon-location:before{content:"\\F07D"}.van-icon-lock:before{content:"\\F07E"}.van-icon-logistics:before{content:"\\F07F"}.van-icon-manager-o:before{content:"\\F080"}.van-icon-manager:before{content:"\\F081"}.van-icon-map-marked:before{content:"\\F082"}.van-icon-medal-o:before{content:"\\F083"}.van-icon-medal:before{content:"\\F084"}.van-icon-minus:before{content:"\\F0E8"}.van-icon-more-o:before{content:"\\F085"}.van-icon-more:before{content:"\\F086"}.van-icon-music-o:before{content:"\\F087"}.van-icon-music:before{content:"\\F088"}.van-icon-new-arrival-o:before{content:"\\F089"}.van-icon-new-arrival:before{content:"\\F08A"}.van-icon-new-o:before{content:"\\F08B"}.van-icon-new:before{content:"\\F08C"}.van-icon-newspaper-o:before{content:"\\F08D"}.van-icon-notes-o:before{content:"\\F08E"}.van-icon-orders-o:before{content:"\\F08F"}.van-icon-other-pay:before{content:"\\F090"}.van-icon-paid:before{content:"\\F091"}.van-icon-passed:before{content:"\\F092"}.van-icon-pause-circle-o:before{content:"\\F093"}.van-icon-pause-circle:before{content:"\\F094"}.van-icon-pause:before{content:"\\F095"}.van-icon-peer-pay:before{content:"\\F096"}.van-icon-pending-payment:before{content:"\\F097"}.van-icon-phone-circle-o:before{content:"\\F098"}.van-icon-phone-circle:before{content:"\\F099"}.van-icon-phone-o:before{content:"\\F09A"}.van-icon-phone:before{content:"\\F09B"}.van-icon-photo-fail:before{content:"\\F0E5"}.van-icon-photo-o:before{content:"\\F09C"}.van-icon-photo:before{content:"\\F09D"}.van-icon-photograph:before{content:"\\F09E"}.van-icon-play-circle-o:before{content:"\\F09F"}.van-icon-play-circle:before{content:"\\F0A0"}.van-icon-play:before{content:"\\F0A1"}.van-icon-plus:before{content:"\\F0A2"}.van-icon-point-gift-o:before{content:"\\F0A3"}.van-icon-point-gift:before{content:"\\F0A4"}.van-icon-points:before{content:"\\F0A5"}.van-icon-printer:before{content:"\\F0A6"}.van-icon-qr-invalid:before{content:"\\F0A7"}.van-icon-qr:before{content:"\\F0A8"}.van-icon-question-o:before{content:"\\F0A9"}.van-icon-question:before{content:"\\F0AA"}.van-icon-records:before{content:"\\F0AB"}.van-icon-refund-o:before{content:"\\F0AC"}.van-icon-replay:before{content:"\\F0AD"}.van-icon-revoke:before{content:"\\F0ED"}.van-icon-scan:before{content:"\\F0AE"}.van-icon-search:before{content:"\\F0AF"}.van-icon-send-gift-o:before{content:"\\F0B0"}.van-icon-send-gift:before{content:"\\F0B1"}.van-icon-service-o:before{content:"\\F0B2"}.van-icon-service:before{content:"\\F0B3"}.van-icon-setting-o:before{content:"\\F0B4"}.van-icon-setting:before{content:"\\F0B5"}.van-icon-share-o:before{content:"\\F0E7"}.van-icon-share:before{content:"\\F0B6"}.van-icon-shop-collect-o:before{content:"\\F0B7"}.van-icon-shop-collect:before{content:"\\F0B8"}.van-icon-shop-o:before{content:"\\F0B9"}.van-icon-shop:before{content:"\\F0BA"}.van-icon-shopping-cart-o:before{content:"\\F0BB"}.van-icon-shopping-cart:before{content:"\\F0BC"}.van-icon-shrink:before{content:"\\F0BD"}.van-icon-sign:before{content:"\\F0BE"}.van-icon-smile-comment-o:before{content:"\\F0BF"}.van-icon-smile-comment:before{content:"\\F0C0"}.van-icon-smile-o:before{content:"\\F0C1"}.van-icon-smile:before{content:"\\F0C2"}.van-icon-sort:before{content:"\\F0EA"}.van-icon-star-o:before{content:"\\F0C3"}.van-icon-star:before{content:"\\F0C4"}.van-icon-stop-circle-o:before{content:"\\F0C5"}.van-icon-stop-circle:before{content:"\\F0C6"}.van-icon-stop:before{content:"\\F0C7"}.van-icon-success:before{content:"\\F0C8"}.van-icon-thumb-circle-o:before{content:"\\F0C9"}.van-icon-thumb-circle:before{content:"\\F0CA"}.van-icon-todo-list-o:before{content:"\\F0CB"}.van-icon-todo-list:before{content:"\\F0CC"}.van-icon-tosend:before{content:"\\F0CD"}.van-icon-tv-o:before{content:"\\F0CE"}.van-icon-umbrella-circle:before{content:"\\F0CF"}.van-icon-underway-o:before{content:"\\F0D0"}.van-icon-underway:before{content:"\\F0D1"}.van-icon-upgrade:before{content:"\\F0D2"}.van-icon-user-circle-o:before{content:"\\F0D3"}.van-icon-user-o:before{content:"\\F0D4"}.van-icon-video-o:before{content:"\\F0D5"}.van-icon-video:before{content:"\\F0D6"}.van-icon-vip-card-o:before{content:"\\F0D7"}.van-icon-vip-card:before{content:"\\F0D8"}.van-icon-volume-o:before{content:"\\F0D9"}.van-icon-volume:before{content:"\\F0DA"}.van-icon-wap-home-o:before{content:"\\F0DB"}.van-icon-wap-home:before{content:"\\F0DC"}.van-icon-wap-nav:before{content:"\\F0DD"}.van-icon-warn-o:before{content:"\\F0DE"}.van-icon-warning-o:before{content:"\\F0DF"}.van-icon-warning:before{content:"\\F0E0"}.van-icon-weapp-nav:before{content:"\\F0E1"}.van-icon-wechat-pay:before{content:"\\F0E2"}.van-icon-wechat:before{content:"\\F0EE"}.van-icon-youzan-shield:before{content:"\\F0E3"}.van-icon__image{width:1em;height:1em;object-fit:contain}',""])},b778:function(t,e,n){"use strict";e.__esModule=!0,e.context=void 0;var i={zIndex:2e3,lockCount:0,stack:[],find:function(t){return this.stack.filter((function(e){return e.vm===t}))[0]}};e.context=i},b8e3:function(t,e){t.exports=!0},b988:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.default=void 0;var o=i(n("2638")),r=n("e5f6"),a=n("dc8a"),s=(0,r.createNamespace)("loading"),l=s[0],c=s[1];function u(t,e){if("spinner"===e.type){for(var n=[],i=0;i<12;i++)n.push(t("i"));return n}return t("svg",{class:c("circular"),attrs:{viewBox:"25 25 50 50"}},[t("circle",{attrs:{cx:"50",cy:"50",r:"20",fill:"none"}})])}function h(t,e,n){if(n.default){var i,o={fontSize:(0,r.addUnit)(e.textSize),color:null!=(i=e.textColor)?i:e.color};return t("span",{class:c("text"),style:o},[n.default()])}}function d(t,e,n,i){var s=e.color,l=e.size,d=e.type,f={color:s};if(l){var A=(0,r.addUnit)(l);f.width=A,f.height=A}return t("div",(0,o.default)([{class:c([d,{vertical:e.vertical}])},(0,a.inherit)(i,!0)]),[t("span",{class:c("spinner",d),style:f},[u(t,e)]),h(t,e,n)])}d.props={color:String,size:[Number,String],vertical:Boolean,textSize:[Number,String],textColor:String,type:{type:String,default:"circular"}};var f=l(d);e.default=f},bc3a:function(t,e,n){t.exports=n("cee4")},be09:function(t,e,n){(function(e){var n;n="undefined"!==typeof window?window:"undefined"!==typeof e?e:"undefined"!==typeof self?self:{},t.exports=n}).call(this,n("c8ba"))},be13:function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},bf0b:function(t,e,n){var i=n("355d"),o=n("aebd"),r=n("36c3"),a=n("1bc3"),s=n("07e3"),l=n("794b"),c=Object.getOwnPropertyDescriptor;e.f=n("8e60")?c:function(t,e){if(t=r(t),e=a(e,!0),l)try{return c(t,e)}catch(n){}if(s(t,e))return o(!i.f.call(t,e),t[e])}},bf74:function(t,e){var n={}.toString;t.exports=Array.isArray||function(t){return"[object Array]"==n.call(t)}},bfbf:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.updateOverlay=h,e.openOverlay=d,e.closeOverlay=f,e.removeOverlay=A;var o=i(n("a559")),r=i(n("9fdc")),a=n("b778"),s=n("dc8a"),l=n("f83e"),c={className:"",customStyle:{}};function u(t){return(0,s.mount)(r.default,{on:{click:function(){t.$emit("click-overlay"),t.closeOnClickOverlay&&(t.onClickOverlay?t.onClickOverlay():t.close())}}})}function h(t){var e=a.context.find(t);if(e){var n=t.$el,i=e.config,r=e.overlay;n&&n.parentNode&&n.parentNode.insertBefore(r.$el,n),(0,o.default)(r,c,i,{show:!0})}}function d(t,e){var n=a.context.find(t);if(n)n.config=e;else{var i=u(t);a.context.stack.push({vm:t,config:e,overlay:i})}h(t)}function f(t){var e=a.context.find(t);e&&(e.overlay.show=!1)}function A(t){var e=a.context.find(t);e&&(0,l.removeNode)(e.overlay.$el)}},c1df:function(t,e,n){(function(t){var e;//! moment.js
  31 +(function(e,n){t.exports=n()})("undefined"!==typeof self&&self,(function(){return function(t){var e={};function n(i){if(e[i])return e[i].exports;var r=e[i]={i:i,l:!1,exports:{}};return t[i].call(r.exports,r,r.exports,n),r.l=!0,r.exports}return n.m=t,n.c=e,n.d=function(t,e,i){n.o(t,e)||Object.defineProperty(t,e,{configurable:!1,enumerable:!0,get:i})},n.n=function(t){var e=t&&t.__esModule?function(){return t["default"]}:function(){return t};return n.d(e,"a",e),e},n.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},n.p="",n(n.s=109)}([function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(17),r=n(18),o=n(19),a=n(45),s=n(46),l=n(47),u=n(48),c=n(49),h=n(12),d=n(32),f=n(33),p=n(31),v=n(1),m={Scope:v.Scope,create:v.create,find:v.find,query:v.query,register:v.register,Container:i.default,Format:r.default,Leaf:o.default,Embed:u.default,Scroll:a.default,Block:l.default,Inline:s.default,Text:c.default,Attributor:{Attribute:h.default,Class:d.default,Style:f.default,Store:p.default}};e.default=m},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=function(t){function e(e){var n=this;return e="[Parchment] "+e,n=t.call(this,e)||this,n.message=e,n.name=n.constructor.name,n}return i(e,t),e}(Error);e.ParchmentError=r;var o,a={},s={},l={},u={};function c(t,e){var n=d(t);if(null==n)throw new r("Unable to create "+t+" blot");var i=n,o=t instanceof Node||t["nodeType"]===Node.TEXT_NODE?t:i.create(e);return new i(o,e)}function h(t,n){return void 0===n&&(n=!1),null==t?null:null!=t[e.DATA_KEY]?t[e.DATA_KEY].blot:n?h(t.parentNode,n):null}function d(t,e){var n;if(void 0===e&&(e=o.ANY),"string"===typeof t)n=u[t]||a[t];else if(t instanceof Text||t["nodeType"]===Node.TEXT_NODE)n=u["text"];else if("number"===typeof t)t&o.LEVEL&o.BLOCK?n=u["block"]:t&o.LEVEL&o.INLINE&&(n=u["inline"]);else if(t instanceof HTMLElement){var i=(t.getAttribute("class")||"").split(/\s+/);for(var r in i)if(n=s[i[r]],n)break;n=n||l[t.tagName]}return null==n?null:e&o.LEVEL&n.scope&&e&o.TYPE&n.scope?n:null}function f(){for(var t=[],e=0;e<arguments.length;e++)t[e]=arguments[e];if(t.length>1)return t.map((function(t){return f(t)}));var n=t[0];if("string"!==typeof n.blotName&&"string"!==typeof n.attrName)throw new r("Invalid definition");if("abstract"===n.blotName)throw new r("Cannot register abstract class");if(u[n.blotName||n.attrName]=n,"string"===typeof n.keyName)a[n.keyName]=n;else if(null!=n.className&&(s[n.className]=n),null!=n.tagName){Array.isArray(n.tagName)?n.tagName=n.tagName.map((function(t){return t.toUpperCase()})):n.tagName=n.tagName.toUpperCase();var i=Array.isArray(n.tagName)?n.tagName:[n.tagName];i.forEach((function(t){null!=l[t]&&null!=n.className||(l[t]=n)}))}return n}e.DATA_KEY="__blot",function(t){t[t["TYPE"]=3]="TYPE",t[t["LEVEL"]=12]="LEVEL",t[t["ATTRIBUTE"]=13]="ATTRIBUTE",t[t["BLOT"]=14]="BLOT",t[t["INLINE"]=7]="INLINE",t[t["BLOCK"]=11]="BLOCK",t[t["BLOCK_BLOT"]=10]="BLOCK_BLOT",t[t["INLINE_BLOT"]=6]="INLINE_BLOT",t[t["BLOCK_ATTRIBUTE"]=9]="BLOCK_ATTRIBUTE",t[t["INLINE_ATTRIBUTE"]=5]="INLINE_ATTRIBUTE",t[t["ANY"]=15]="ANY"}(o=e.Scope||(e.Scope={})),e.create=c,e.find=h,e.query=d,e.register=f},function(t,e,n){var i=n(51),r=n(11),o=n(3),a=n(20),s=String.fromCharCode(0),l=function(t){Array.isArray(t)?this.ops=t:null!=t&&Array.isArray(t.ops)?this.ops=t.ops:this.ops=[]};l.prototype.insert=function(t,e){var n={};return 0===t.length?this:(n.insert=t,null!=e&&"object"===typeof e&&Object.keys(e).length>0&&(n.attributes=e),this.push(n))},l.prototype["delete"]=function(t){return t<=0?this:this.push({delete:t})},l.prototype.retain=function(t,e){if(t<=0)return this;var n={retain:t};return null!=e&&"object"===typeof e&&Object.keys(e).length>0&&(n.attributes=e),this.push(n)},l.prototype.push=function(t){var e=this.ops.length,n=this.ops[e-1];if(t=o(!0,{},t),"object"===typeof n){if("number"===typeof t["delete"]&&"number"===typeof n["delete"])return this.ops[e-1]={delete:n["delete"]+t["delete"]},this;if("number"===typeof n["delete"]&&null!=t.insert&&(e-=1,n=this.ops[e-1],"object"!==typeof n))return this.ops.unshift(t),this;if(r(t.attributes,n.attributes)){if("string"===typeof t.insert&&"string"===typeof n.insert)return this.ops[e-1]={insert:n.insert+t.insert},"object"===typeof t.attributes&&(this.ops[e-1].attributes=t.attributes),this;if("number"===typeof t.retain&&"number"===typeof n.retain)return this.ops[e-1]={retain:n.retain+t.retain},"object"===typeof t.attributes&&(this.ops[e-1].attributes=t.attributes),this}}return e===this.ops.length?this.ops.push(t):this.ops.splice(e,0,t),this},l.prototype.chop=function(){var t=this.ops[this.ops.length-1];return t&&t.retain&&!t.attributes&&this.ops.pop(),this},l.prototype.filter=function(t){return this.ops.filter(t)},l.prototype.forEach=function(t){this.ops.forEach(t)},l.prototype.map=function(t){return this.ops.map(t)},l.prototype.partition=function(t){var e=[],n=[];return this.forEach((function(i){var r=t(i)?e:n;r.push(i)})),[e,n]},l.prototype.reduce=function(t,e){return this.ops.reduce(t,e)},l.prototype.changeLength=function(){return this.reduce((function(t,e){return e.insert?t+a.length(e):e.delete?t-e.delete:t}),0)},l.prototype.length=function(){return this.reduce((function(t,e){return t+a.length(e)}),0)},l.prototype.slice=function(t,e){t=t||0,"number"!==typeof e&&(e=1/0);var n=[],i=a.iterator(this.ops),r=0;while(r<e&&i.hasNext()){var o;r<t?o=i.next(t-r):(o=i.next(e-r),n.push(o)),r+=a.length(o)}return new l(n)},l.prototype.compose=function(t){var e=a.iterator(this.ops),n=a.iterator(t.ops),i=[],o=n.peek();if(null!=o&&"number"===typeof o.retain&&null==o.attributes){var s=o.retain;while("insert"===e.peekType()&&e.peekLength()<=s)s-=e.peekLength(),i.push(e.next());o.retain-s>0&&n.next(o.retain-s)}var u=new l(i);while(e.hasNext()||n.hasNext())if("insert"===n.peekType())u.push(n.next());else if("delete"===e.peekType())u.push(e.next());else{var c=Math.min(e.peekLength(),n.peekLength()),h=e.next(c),d=n.next(c);if("number"===typeof d.retain){var f={};"number"===typeof h.retain?f.retain=c:f.insert=h.insert;var p=a.attributes.compose(h.attributes,d.attributes,"number"===typeof h.retain);if(p&&(f.attributes=p),u.push(f),!n.hasNext()&&r(u.ops[u.ops.length-1],f)){var v=new l(e.rest());return u.concat(v).chop()}}else"number"===typeof d["delete"]&&"number"===typeof h.retain&&u.push(d)}return u.chop()},l.prototype.concat=function(t){var e=new l(this.ops.slice());return t.ops.length>0&&(e.push(t.ops[0]),e.ops=e.ops.concat(t.ops.slice(1))),e},l.prototype.diff=function(t,e){if(this.ops===t.ops)return new l;var n=[this,t].map((function(e){return e.map((function(n){if(null!=n.insert)return"string"===typeof n.insert?n.insert:s;var i=e===t?"on":"with";throw new Error("diff() called "+i+" non-document")})).join("")})),o=new l,u=i(n[0],n[1],e),c=a.iterator(this.ops),h=a.iterator(t.ops);return u.forEach((function(t){var e=t[1].length;while(e>0){var n=0;switch(t[0]){case i.INSERT:n=Math.min(h.peekLength(),e),o.push(h.next(n));break;case i.DELETE:n=Math.min(e,c.peekLength()),c.next(n),o["delete"](n);break;case i.EQUAL:n=Math.min(c.peekLength(),h.peekLength(),e);var s=c.next(n),l=h.next(n);r(s.insert,l.insert)?o.retain(n,a.attributes.diff(s.attributes,l.attributes)):o.push(l)["delete"](n);break}e-=n}})),o.chop()},l.prototype.eachLine=function(t,e){e=e||"\n";var n=a.iterator(this.ops),i=new l,r=0;while(n.hasNext()){if("insert"!==n.peekType())return;var o=n.peek(),s=a.length(o)-n.peekLength(),u="string"===typeof o.insert?o.insert.indexOf(e,s)-s:-1;if(u<0)i.push(n.next());else if(u>0)i.push(n.next(u));else{if(!1===t(i,n.next(1).attributes||{},r))return;r+=1,i=new l}}i.length()>0&&t(i,{},r)},l.prototype.transform=function(t,e){if(e=!!e,"number"===typeof t)return this.transformPosition(t,e);var n=a.iterator(this.ops),i=a.iterator(t.ops),r=new l;while(n.hasNext()||i.hasNext())if("insert"!==n.peekType()||!e&&"insert"===i.peekType())if("insert"===i.peekType())r.push(i.next());else{var o=Math.min(n.peekLength(),i.peekLength()),s=n.next(o),u=i.next(o);if(s["delete"])continue;u["delete"]?r.push(u):r.retain(o,a.attributes.transform(s.attributes,u.attributes,e))}else r.retain(a.length(n.next()));return r.chop()},l.prototype.transformPosition=function(t,e){e=!!e;var n=a.iterator(this.ops),i=0;while(n.hasNext()&&i<=t){var r=n.peekLength(),o=n.peekType();n.next(),"delete"!==o?("insert"===o&&(i<t||!e)&&(t+=r),i+=r):t-=Math.min(r,t-i)}return t},t.exports=l},function(t,e){"use strict";var n=Object.prototype.hasOwnProperty,i=Object.prototype.toString,r=Object.defineProperty,o=Object.getOwnPropertyDescriptor,a=function(t){return"function"===typeof Array.isArray?Array.isArray(t):"[object Array]"===i.call(t)},s=function(t){if(!t||"[object Object]"!==i.call(t))return!1;var e,r=n.call(t,"constructor"),o=t.constructor&&t.constructor.prototype&&n.call(t.constructor.prototype,"isPrototypeOf");if(t.constructor&&!r&&!o)return!1;for(e in t);return"undefined"===typeof e||n.call(t,e)},l=function(t,e){r&&"__proto__"===e.name?r(t,e.name,{enumerable:!0,configurable:!0,value:e.newValue,writable:!0}):t[e.name]=e.newValue},u=function(t,e){if("__proto__"===e){if(!n.call(t,e))return;if(o)return o(t,e).value}return t[e]};t.exports=function t(){var e,n,i,r,o,c,h=arguments[0],d=1,f=arguments.length,p=!1;for("boolean"===typeof h&&(p=h,h=arguments[1]||{},d=2),(null==h||"object"!==typeof h&&"function"!==typeof h)&&(h={});d<f;++d)if(e=arguments[d],null!=e)for(n in e)i=u(h,n),r=u(e,n),h!==r&&(p&&r&&(s(r)||(o=a(r)))?(o?(o=!1,c=i&&a(i)?i:[]):c=i&&s(i)?i:{},l(h,{name:n,newValue:t(p,c,r)})):"undefined"!==typeof r&&l(h,{name:n,newValue:r}));return h}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BlockEmbed=e.bubbleFormats=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(3),a=g(o),s=n(2),l=g(s),u=n(0),c=g(u),h=n(16),d=g(h),f=n(6),p=g(f),v=n(7),m=g(v);function g(t){return t&&t.__esModule?t:{default:t}}function y(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function _(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function b(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var w=1,A=function(t){function e(){return y(this,e),_(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return b(e,t),i(e,[{key:"attach",value:function(){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"attach",this).call(this),this.attributes=new c.default.Attributor.Store(this.domNode)}},{key:"delta",value:function(){return(new l.default).insert(this.value(),(0,a.default)(this.formats(),this.attributes.values()))}},{key:"format",value:function(t,e){var n=c.default.query(t,c.default.Scope.BLOCK_ATTRIBUTE);null!=n&&this.attributes.attribute(n,e)}},{key:"formatAt",value:function(t,e,n,i){this.format(n,i)}},{key:"insertAt",value:function(t,n,i){if("string"===typeof n&&n.endsWith("\n")){var o=c.default.create(x.blotName);this.parent.insertBefore(o,0===t?this:this.next),o.insertAt(0,n.slice(0,-1))}else r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i)}}]),e}(c.default.Embed);A.scope=c.default.Scope.BLOCK_BLOT;var x=function(t){function e(t){y(this,e);var n=_(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return n.cache={},n}return b(e,t),i(e,[{key:"delta",value:function(){return null==this.cache.delta&&(this.cache.delta=this.descendants(c.default.Leaf).reduce((function(t,e){return 0===e.length()?t:t.insert(e.value(),k(e))}),new l.default).insert("\n",k(this))),this.cache.delta}},{key:"deleteAt",value:function(t,n){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"deleteAt",this).call(this,t,n),this.cache={}}},{key:"formatAt",value:function(t,n,i,o){n<=0||(c.default.query(i,c.default.Scope.BLOCK)?t+n===this.length()&&this.format(i,o):r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,Math.min(n,this.length()-t-1),i,o),this.cache={})}},{key:"insertAt",value:function(t,n,i){if(null!=i)return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i);if(0!==n.length){var o=n.split("\n"),a=o.shift();a.length>0&&(t<this.length()-1||null==this.children.tail?r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,Math.min(t,this.length()-1),a):this.children.tail.insertAt(this.children.tail.length(),a),this.cache={});var s=this;o.reduce((function(t,e){return s=s.split(t,!0),s.insertAt(0,e),e.length}),t+a.length)}}},{key:"insertBefore",value:function(t,n){var i=this.children.head;r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n),i instanceof d.default&&i.remove(),this.cache={}}},{key:"length",value:function(){return null==this.cache.length&&(this.cache.length=r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"length",this).call(this)+w),this.cache.length}},{key:"moveChildren",value:function(t,n){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"moveChildren",this).call(this,t,n),this.cache={}}},{key:"optimize",value:function(t){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.cache={}}},{key:"path",value:function(t){return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"path",this).call(this,t,!0)}},{key:"removeChild",value:function(t){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"removeChild",this).call(this,t),this.cache={}}},{key:"split",value:function(t){var n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(n&&(0===t||t>=this.length()-w)){var i=this.clone();return 0===t?(this.parent.insertBefore(i,this),this):(this.parent.insertBefore(i,this.next),i)}var o=r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"split",this).call(this,t,n);return this.cache={},o}}]),e}(c.default.Block);function k(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return null==t?e:("function"===typeof t.formats&&(e=(0,a.default)(e,t.formats())),null==t.parent||"scroll"==t.parent.blotName||t.parent.statics.scope!==t.statics.scope?e:k(t.parent,e))}x.blotName="block",x.tagName="P",x.defaultChild="break",x.allowedChildren=[p.default,c.default.Embed,m.default],e.bubbleFormats=k,e.BlockEmbed=A,e.default=x},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.overload=e.expandConfig=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},r=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();n(50);var a=n(2),s=k(a),l=n(14),u=k(l),c=n(8),h=k(c),d=n(9),f=k(d),p=n(0),v=k(p),m=n(15),g=k(m),y=n(3),_=k(y),b=n(10),w=k(b),A=n(34),x=k(A);function k(t){return t&&t.__esModule?t:{default:t}}function j(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function C(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var T=(0,w.default)("quill"),E=function(){function t(e){var n=this,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(C(this,t),this.options=S(e,i),this.container=this.options.container,null==this.container)return T.error("Invalid Quill container",e);this.options.debug&&t.debug(this.options.debug);var r=this.container.innerHTML.trim();this.container.classList.add("ql-container"),this.container.innerHTML="",this.container.__quill=this,this.root=this.addContainer("ql-editor"),this.root.classList.add("ql-blank"),this.root.setAttribute("data-gramm",!1),this.scrollingContainer=this.options.scrollingContainer||this.root,this.emitter=new h.default,this.scroll=v.default.create(this.root,{emitter:this.emitter,whitelist:this.options.formats}),this.editor=new u.default(this.scroll),this.selection=new g.default(this.scroll,this.emitter),this.theme=new this.options.theme(this,this.options),this.keyboard=this.theme.addModule("keyboard"),this.clipboard=this.theme.addModule("clipboard"),this.history=this.theme.addModule("history"),this.theme.init(),this.emitter.on(h.default.events.EDITOR_CHANGE,(function(t){t===h.default.events.TEXT_CHANGE&&n.root.classList.toggle("ql-blank",n.editor.isBlank())})),this.emitter.on(h.default.events.SCROLL_UPDATE,(function(t,e){var i=n.selection.lastRange,r=i&&0===i.length?i.index:void 0;O.call(n,(function(){return n.editor.update(null,e,r)}),t)}));var o=this.clipboard.convert("<div class='ql-editor' style=\"white-space: normal;\">"+r+"<p><br></p></div>");this.setContents(o),this.history.clear(),this.options.placeholder&&this.root.setAttribute("data-placeholder",this.options.placeholder),this.options.readOnly&&this.disable()}return o(t,null,[{key:"debug",value:function(t){!0===t&&(t="log"),w.default.level(t)}},{key:"find",value:function(t){return t.__quill||v.default.find(t)}},{key:"import",value:function(t){return null==this.imports[t]&&T.error("Cannot import "+t+". Are you sure it was registered?"),this.imports[t]}},{key:"register",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]&&arguments[2];if("string"!==typeof t){var r=t.attrName||t.blotName;"string"===typeof r?this.register("formats/"+r,t,e):Object.keys(t).forEach((function(i){n.register(i,t[i],e)}))}else null==this.imports[t]||i||T.warn("Overwriting "+t+" with",e),this.imports[t]=e,(t.startsWith("blots/")||t.startsWith("formats/"))&&"abstract"!==e.blotName?v.default.register(e):t.startsWith("modules")&&"function"===typeof e.register&&e.register()}}]),o(t,[{key:"addContainer",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;if("string"===typeof t){var n=t;t=document.createElement("div"),t.classList.add(n)}return this.container.insertBefore(t,e),t}},{key:"blur",value:function(){this.selection.setRange(null)}},{key:"deleteText",value:function(t,e,n){var i=this,o=q(t,e,n),a=r(o,4);return t=a[0],e=a[1],n=a[3],O.call(this,(function(){return i.editor.deleteText(t,e)}),n,t,-1*e)}},{key:"disable",value:function(){this.enable(!1)}},{key:"enable",value:function(){var t=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.scroll.enable(t),this.container.classList.toggle("ql-disabled",!t)}},{key:"focus",value:function(){var t=this.scrollingContainer.scrollTop;this.selection.focus(),this.scrollingContainer.scrollTop=t,this.scrollIntoView()}},{key:"format",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:h.default.sources.API;return O.call(this,(function(){var i=n.getSelection(!0),r=new s.default;if(null==i)return r;if(v.default.query(t,v.default.Scope.BLOCK))r=n.editor.formatLine(i.index,i.length,j({},t,e));else{if(0===i.length)return n.selection.format(t,e),r;r=n.editor.formatText(i.index,i.length,j({},t,e))}return n.setSelection(i,h.default.sources.SILENT),r}),i)}},{key:"formatLine",value:function(t,e,n,i,o){var a=this,s=void 0,l=q(t,e,n,i,o),u=r(l,4);return t=u[0],e=u[1],s=u[2],o=u[3],O.call(this,(function(){return a.editor.formatLine(t,e,s)}),o,t,0)}},{key:"formatText",value:function(t,e,n,i,o){var a=this,s=void 0,l=q(t,e,n,i,o),u=r(l,4);return t=u[0],e=u[1],s=u[2],o=u[3],O.call(this,(function(){return a.editor.formatText(t,e,s)}),o,t,0)}},{key:"getBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=void 0;n="number"===typeof t?this.selection.getBounds(t,e):this.selection.getBounds(t.index,t.length);var i=this.container.getBoundingClientRect();return{bottom:n.bottom-i.top,height:n.height,left:n.left-i.left,right:n.right-i.left,top:n.top-i.top,width:n.width}}},{key:"getContents",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.getLength()-t,n=q(t,e),i=r(n,2);return t=i[0],e=i[1],this.editor.getContents(t,e)}},{key:"getFormat",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.getSelection(!0),e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;return"number"===typeof t?this.editor.getFormat(t,e):this.editor.getFormat(t.index,t.length)}},{key:"getIndex",value:function(t){return t.offset(this.scroll)}},{key:"getLength",value:function(){return this.scroll.length()}},{key:"getLeaf",value:function(t){return this.scroll.leaf(t)}},{key:"getLine",value:function(t){return this.scroll.line(t)}},{key:"getLines",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Number.MAX_VALUE;return"number"!==typeof t?this.scroll.lines(t.index,t.length):this.scroll.lines(t,e)}},{key:"getModule",value:function(t){return this.theme.modules[t]}},{key:"getSelection",value:function(){var t=arguments.length>0&&void 0!==arguments[0]&&arguments[0];return t&&this.focus(),this.update(),this.selection.getRange()[0]}},{key:"getText",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.getLength()-t,n=q(t,e),i=r(n,2);return t=i[0],e=i[1],this.editor.getText(t,e)}},{key:"hasFocus",value:function(){return this.selection.hasFocus()}},{key:"insertEmbed",value:function(e,n,i){var r=this,o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:t.sources.API;return O.call(this,(function(){return r.editor.insertEmbed(e,n,i)}),o,e)}},{key:"insertText",value:function(t,e,n,i,o){var a=this,s=void 0,l=q(t,0,n,i,o),u=r(l,4);return t=u[0],s=u[2],o=u[3],O.call(this,(function(){return a.editor.insertText(t,e,s)}),o,t,e.length)}},{key:"isEnabled",value:function(){return!this.container.classList.contains("ql-disabled")}},{key:"off",value:function(){return this.emitter.off.apply(this.emitter,arguments)}},{key:"on",value:function(){return this.emitter.on.apply(this.emitter,arguments)}},{key:"once",value:function(){return this.emitter.once.apply(this.emitter,arguments)}},{key:"pasteHTML",value:function(t,e,n){this.clipboard.dangerouslyPasteHTML(t,e,n)}},{key:"removeFormat",value:function(t,e,n){var i=this,o=q(t,e,n),a=r(o,4);return t=a[0],e=a[1],n=a[3],O.call(this,(function(){return i.editor.removeFormat(t,e)}),n,t)}},{key:"scrollIntoView",value:function(){this.selection.scrollIntoView(this.scrollingContainer)}},{key:"setContents",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API;return O.call(this,(function(){t=new s.default(t);var n=e.getLength(),i=e.editor.deleteText(0,n),r=e.editor.applyDelta(t),o=r.ops[r.ops.length-1];null!=o&&"string"===typeof o.insert&&"\n"===o.insert[o.insert.length-1]&&(e.editor.deleteText(e.getLength()-1,1),r.delete(1));var a=i.compose(r);return a}),n)}},{key:"setSelection",value:function(e,n,i){if(null==e)this.selection.setRange(null,n||t.sources.API);else{var o=q(e,n,i),a=r(o,4);e=a[0],n=a[1],i=a[3],this.selection.setRange(new m.Range(e,n),i),i!==h.default.sources.SILENT&&this.selection.scrollIntoView(this.scrollingContainer)}}},{key:"setText",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API,n=(new s.default).insert(t);return this.setContents(n,e)}},{key:"update",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:h.default.sources.USER,e=this.scroll.update(t);return this.selection.update(t),e}},{key:"updateContents",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.default.sources.API;return O.call(this,(function(){return t=new s.default(t),e.editor.applyDelta(t,n)}),n,!0)}}]),t}();function S(t,e){if(e=(0,_.default)(!0,{container:t,modules:{clipboard:!0,keyboard:!0,history:!0}},e),e.theme&&e.theme!==E.DEFAULTS.theme){if(e.theme=E.import("themes/"+e.theme),null==e.theme)throw new Error("Invalid theme "+e.theme+". Did you register it?")}else e.theme=x.default;var n=(0,_.default)(!0,{},e.theme.DEFAULTS);[n,e].forEach((function(t){t.modules=t.modules||{},Object.keys(t.modules).forEach((function(e){!0===t.modules[e]&&(t.modules[e]={})}))}));var i=Object.keys(n.modules).concat(Object.keys(e.modules)),r=i.reduce((function(t,e){var n=E.import("modules/"+e);return null==n?T.error("Cannot load "+e+" module. Are you sure you registered it?"):t[e]=n.DEFAULTS||{},t}),{});return null!=e.modules&&e.modules.toolbar&&e.modules.toolbar.constructor!==Object&&(e.modules.toolbar={container:e.modules.toolbar}),e=(0,_.default)(!0,{},E.DEFAULTS,{modules:r},n,e),["bounds","container","scrollingContainer"].forEach((function(t){"string"===typeof e[t]&&(e[t]=document.querySelector(e[t]))})),e.modules=Object.keys(e.modules).reduce((function(t,n){return e.modules[n]&&(t[n]=e.modules[n]),t}),{}),e}function O(t,e,n,i){if(this.options.strict&&!this.isEnabled()&&e===h.default.sources.USER)return new s.default;var r=null==n?null:this.getSelection(),o=this.editor.delta,a=t();if(null!=r&&(!0===n&&(n=r.index),null==i?r=N(r,a,e):0!==i&&(r=N(r,n,i,e)),this.setSelection(r,h.default.sources.SILENT)),a.length()>0){var l,u,c=[h.default.events.TEXT_CHANGE,a,o,e];if((l=this.emitter).emit.apply(l,[h.default.events.EDITOR_CHANGE].concat(c)),e!==h.default.sources.SILENT)(u=this.emitter).emit.apply(u,c)}return a}function q(t,e,n,r,o){var a={};return"number"===typeof t.index&&"number"===typeof t.length?"number"!==typeof e?(o=r,r=n,n=e,e=t.length,t=t.index):(e=t.length,t=t.index):"number"!==typeof e&&(o=r,r=n,n=e,e=0),"object"===("undefined"===typeof n?"undefined":i(n))?(a=n,o=r):"string"===typeof n&&(null!=r?a[n]=r:o=n),o=o||h.default.sources.API,[t,e,a,o]}function N(t,e,n,i){if(null==t)return null;var o=void 0,a=void 0;if(e instanceof s.default){var l=[t.index,t.index+t.length].map((function(t){return e.transformPosition(t,i!==h.default.sources.USER)})),u=r(l,2);o=u[0],a=u[1]}else{var c=[t.index,t.index+t.length].map((function(t){return t<e||t===e&&i===h.default.sources.USER?t:n>=0?t+n:Math.max(e,t+n)})),d=r(c,2);o=d[0],a=d[1]}return new m.Range(o,a-o)}E.DEFAULTS={bounds:null,formats:null,modules:{},placeholder:"",readOnly:!1,scrollingContainer:null,strict:!0,theme:"default"},E.events=h.default.events,E.sources=h.default.sources,E.version="1.3.7",E.imports={delta:s.default,parchment:v.default,"core/module":f.default,"core/theme":x.default},e.expandConfig=S,e.overload=q,e.default=E},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(7),a=u(o),s=n(0),l=u(s);function u(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f=function(t){function e(){return c(this,e),h(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return d(e,t),i(e,[{key:"formatAt",value:function(t,n,i,o){if(e.compare(this.statics.blotName,i)<0&&l.default.query(i,l.default.Scope.BLOT)){var a=this.isolate(t,n);o&&a.wrap(i,o)}else r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,n,i,o)}},{key:"optimize",value:function(t){if(r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.parent instanceof e&&e.compare(this.statics.blotName,this.parent.statics.blotName)>0){var n=this.parent.isolate(this.offset(),this.length());this.moveChildren(n),n.wrap(this)}}}],[{key:"compare",value:function(t,n){var i=e.order.indexOf(t),r=e.order.indexOf(n);return i>=0||r>=0?i-r:t===n?0:t<n?-1:1}}]),e}(l.default.Inline);f.allowedChildren=[f,l.default.Embed,a.default],f.order=["cursor","inline","underline","strike","italic","bold","script","link","code"],e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(r.default.Text);e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(54),a=u(o),s=n(10),l=u(s);function u(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f=(0,l.default)("quill:events"),p=["selectionchange","mousedown","mouseup","click"];p.forEach((function(t){document.addEventListener(t,(function(){for(var t=arguments.length,e=Array(t),n=0;n<t;n++)e[n]=arguments[n];[].slice.call(document.querySelectorAll(".ql-container")).forEach((function(t){var n;t.__quill&&t.__quill.emitter&&(n=t.__quill.emitter).handleDOM.apply(n,e)}))}))}));var v=function(t){function e(){c(this,e);var t=h(this,(e.__proto__||Object.getPrototypeOf(e)).call(this));return t.listeners={},t.on("error",f.error),t}return d(e,t),i(e,[{key:"emit",value:function(){f.log.apply(f,arguments),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"emit",this).apply(this,arguments)}},{key:"handleDOM",value:function(t){for(var e=arguments.length,n=Array(e>1?e-1:0),i=1;i<e;i++)n[i-1]=arguments[i];(this.listeners[t.type]||[]).forEach((function(e){var i=e.node,r=e.handler;(t.target===i||i.contains(t.target))&&r.apply(void 0,[t].concat(n))}))}},{key:"listenDOM",value:function(t,e,n){this.listeners[t]||(this.listeners[t]=[]),this.listeners[t].push({node:e,handler:n})}}]),e}(a.default);v.events={EDITOR_CHANGE:"editor-change",SCROLL_BEFORE_UPDATE:"scroll-before-update",SCROLL_OPTIMIZE:"scroll-optimize",SCROLL_UPDATE:"scroll-update",SELECTION_CHANGE:"selection-change",TEXT_CHANGE:"text-change"},v.sources={API:"api",SILENT:"silent",USER:"user"},e.default=v},function(t,e,n){"use strict";function i(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}Object.defineProperty(e,"__esModule",{value:!0});var r=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};i(this,t),this.quill=e,this.options=n};r.DEFAULTS={},e.default=r},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=["error","warn","log","info"],r="warn";function o(t){if(i.indexOf(t)<=i.indexOf(r)){for(var e,n=arguments.length,o=Array(n>1?n-1:0),a=1;a<n;a++)o[a-1]=arguments[a];(e=console)[t].apply(e,o)}}function a(t){return i.reduce((function(e,n){return e[n]=o.bind(console,n,t),e}),{})}o.level=a.level=function(t){r=t},e.default=a},function(t,e,n){var i=Array.prototype.slice,r=n(52),o=n(53),a=t.exports=function(t,e,n){return n||(n={}),t===e||(t instanceof Date&&e instanceof Date?t.getTime()===e.getTime():!t||!e||"object"!=typeof t&&"object"!=typeof e?n.strict?t===e:t==e:u(t,e,n))};function s(t){return null===t||void 0===t}function l(t){return!(!t||"object"!==typeof t||"number"!==typeof t.length)&&("function"===typeof t.copy&&"function"===typeof t.slice&&!(t.length>0&&"number"!==typeof t[0]))}function u(t,e,n){var u,c;if(s(t)||s(e))return!1;if(t.prototype!==e.prototype)return!1;if(o(t))return!!o(e)&&(t=i.call(t),e=i.call(e),a(t,e,n));if(l(t)){if(!l(e))return!1;if(t.length!==e.length)return!1;for(u=0;u<t.length;u++)if(t[u]!==e[u])return!1;return!0}try{var h=r(t),d=r(e)}catch(f){return!1}if(h.length!=d.length)return!1;for(h.sort(),d.sort(),u=h.length-1;u>=0;u--)if(h[u]!=d[u])return!1;for(u=h.length-1;u>=0;u--)if(c=h[u],!a(t[c],e[c],n))return!1;return typeof t===typeof e}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),r=function(){function t(t,e,n){void 0===n&&(n={}),this.attrName=t,this.keyName=e;var r=i.Scope.TYPE&i.Scope.ATTRIBUTE;null!=n.scope?this.scope=n.scope&i.Scope.LEVEL|r:this.scope=i.Scope.ATTRIBUTE,null!=n.whitelist&&(this.whitelist=n.whitelist)}return t.keys=function(t){return[].map.call(t.attributes,(function(t){return t.name}))},t.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(t.setAttribute(this.keyName,e),!0)},t.prototype.canAdd=function(t,e){var n=i.query(t,i.Scope.BLOT&(this.scope|i.Scope.TYPE));return null!=n&&(null==this.whitelist||("string"===typeof e?this.whitelist.indexOf(e.replace(/["']/g,""))>-1:this.whitelist.indexOf(e)>-1))},t.prototype.remove=function(t){t.removeAttribute(this.keyName)},t.prototype.value=function(t){var e=t.getAttribute(this.keyName);return this.canAdd(t,e)&&e?e:""},t}();e.default=r},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.Code=void 0;var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},a=n(2),s=m(a),l=n(0),u=m(l),c=n(4),h=m(c),d=n(6),f=m(d),p=n(7),v=m(p);function m(t){return t&&t.__esModule?t:{default:t}}function g(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function y(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function _(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var b=function(t){function e(){return g(this,e),y(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return _(e,t),e}(f.default);b.blotName="code",b.tagName="CODE";var w=function(t){function e(){return g(this,e),y(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return _(e,t),r(e,[{key:"delta",value:function(){var t=this,e=this.domNode.textContent;return e.endsWith("\n")&&(e=e.slice(0,-1)),e.split("\n").reduce((function(e,n){return e.insert(n).insert("\n",t.formats())}),new s.default)}},{key:"format",value:function(t,n){if(t!==this.statics.blotName||!n){var r=this.descendant(v.default,this.length()-1),a=i(r,1),s=a[0];null!=s&&s.deleteAt(s.length()-1,1),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}},{key:"formatAt",value:function(t,n,i,r){if(0!==n&&null!=u.default.query(i,u.default.Scope.BLOCK)&&(i!==this.statics.blotName||r!==this.statics.formats(this.domNode))){var o=this.newlineIndex(t);if(!(o<0||o>=t+n)){var a=this.newlineIndex(t,!0)+1,s=o-a+1,l=this.isolate(a,s),c=l.next;l.format(i,r),c instanceof e&&c.formatAt(0,t-a+n-s,i,r)}}}},{key:"insertAt",value:function(t,e,n){if(null==n){var r=this.descendant(v.default,t),o=i(r,2),a=o[0],s=o[1];a.insertAt(s,e)}}},{key:"length",value:function(){var t=this.domNode.textContent.length;return this.domNode.textContent.endsWith("\n")?t:t+1}},{key:"newlineIndex",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(e)return this.domNode.textContent.slice(0,t).lastIndexOf("\n");var n=this.domNode.textContent.slice(t).indexOf("\n");return n>-1?t+n:-1}},{key:"optimize",value:function(t){this.domNode.textContent.endsWith("\n")||this.appendChild(u.default.create("text","\n")),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t);var n=this.next;null!=n&&n.prev===this&&n.statics.blotName===this.statics.blotName&&this.statics.formats(this.domNode)===n.statics.formats(n.domNode)&&(n.optimize(t),n.moveChildren(this),n.remove())}},{key:"replace",value:function(t){o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replace",this).call(this,t),[].slice.call(this.domNode.querySelectorAll("*")).forEach((function(t){var e=u.default.find(t);null==e?t.parentNode.removeChild(t):e instanceof u.default.Embed?e.remove():e.unwrap()}))}}],[{key:"create",value:function(t){var n=o(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return n.setAttribute("spellcheck",!1),n}},{key:"formats",value:function(){return!0}}]),e}(h.default);w.blotName="code-block",w.tagName="PRE",w.TAB=" ",e.Code=b,e.default=w},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},r=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(2),s=C(a),l=n(20),u=C(l),c=n(0),h=C(c),d=n(13),f=C(d),p=n(24),v=C(p),m=n(4),g=C(m),y=n(16),_=C(y),b=n(21),w=C(b),A=n(11),x=C(A),k=n(3),j=C(k);function C(t){return t&&t.__esModule?t:{default:t}}function T(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function E(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var S=/^[ -~]*$/,O=function(){function t(e){E(this,t),this.scroll=e,this.delta=this.getDelta()}return o(t,[{key:"applyDelta",value:function(t){var e=this,n=!1;this.scroll.update();var o=this.scroll.length();return this.scroll.batchStart(),t=N(t),t.reduce((function(t,a){var s=a.retain||a.delete||a.insert.length||1,l=a.attributes||{};if(null!=a.insert){if("string"===typeof a.insert){var c=a.insert;c.endsWith("\n")&&n&&(n=!1,c=c.slice(0,-1)),t>=o&&!c.endsWith("\n")&&(n=!0),e.scroll.insertAt(t,c);var d=e.scroll.line(t),f=r(d,2),p=f[0],v=f[1],y=(0,j.default)({},(0,m.bubbleFormats)(p));if(p instanceof g.default){var _=p.descendant(h.default.Leaf,v),b=r(_,1),w=b[0];y=(0,j.default)(y,(0,m.bubbleFormats)(w))}l=u.default.attributes.diff(y,l)||{}}else if("object"===i(a.insert)){var A=Object.keys(a.insert)[0];if(null==A)return t;e.scroll.insertAt(t,A,a.insert[A])}o+=s}return Object.keys(l).forEach((function(n){e.scroll.formatAt(t,s,n,l[n])})),t+s}),0),t.reduce((function(t,n){return"number"===typeof n.delete?(e.scroll.deleteAt(t,n.delete),t):t+(n.retain||n.insert.length||1)}),0),this.scroll.batchEnd(),this.update(t)}},{key:"deleteText",value:function(t,e){return this.scroll.deleteAt(t,e),this.update((new s.default).retain(t).delete(e))}},{key:"formatLine",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return this.scroll.update(),Object.keys(i).forEach((function(r){if(null==n.scroll.whitelist||n.scroll.whitelist[r]){var o=n.scroll.lines(t,Math.max(e,1)),a=e;o.forEach((function(e){var o=e.length();if(e instanceof f.default){var s=t-e.offset(n.scroll),l=e.newlineIndex(s+a)-s+1;e.formatAt(s,l,r,i[r])}else e.format(r,i[r]);a-=o}))}})),this.scroll.optimize(),this.update((new s.default).retain(t).retain(e,(0,w.default)(i)))}},{key:"formatText",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return Object.keys(i).forEach((function(r){n.scroll.formatAt(t,e,r,i[r])})),this.update((new s.default).retain(t).retain(e,(0,w.default)(i)))}},{key:"getContents",value:function(t,e){return this.delta.slice(t,t+e)}},{key:"getDelta",value:function(){return this.scroll.lines().reduce((function(t,e){return t.concat(e.delta())}),new s.default)}},{key:"getFormat",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=[],i=[];0===e?this.scroll.path(t).forEach((function(t){var e=r(t,1),o=e[0];o instanceof g.default?n.push(o):o instanceof h.default.Leaf&&i.push(o)})):(n=this.scroll.lines(t,e),i=this.scroll.descendants(h.default.Leaf,t,e));var o=[n,i].map((function(t){if(0===t.length)return{};var e=(0,m.bubbleFormats)(t.shift());while(Object.keys(e).length>0){var n=t.shift();if(null==n)return e;e=q((0,m.bubbleFormats)(n),e)}return e}));return j.default.apply(j.default,o)}},{key:"getText",value:function(t,e){return this.getContents(t,e).filter((function(t){return"string"===typeof t.insert})).map((function(t){return t.insert})).join("")}},{key:"insertEmbed",value:function(t,e,n){return this.scroll.insertAt(t,e,n),this.update((new s.default).retain(t).insert(T({},e,n)))}},{key:"insertText",value:function(t,e){var n=this,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return e=e.replace(/\r\n/g,"\n").replace(/\r/g,"\n"),this.scroll.insertAt(t,e),Object.keys(i).forEach((function(r){n.scroll.formatAt(t,e.length,r,i[r])})),this.update((new s.default).retain(t).insert(e,(0,w.default)(i)))}},{key:"isBlank",value:function(){if(0==this.scroll.children.length)return!0;if(this.scroll.children.length>1)return!1;var t=this.scroll.children.head;return t.statics.blotName===g.default.blotName&&(!(t.children.length>1)&&t.children.head instanceof _.default)}},{key:"removeFormat",value:function(t,e){var n=this.getText(t,e),i=this.scroll.line(t+e),o=r(i,2),a=o[0],l=o[1],u=0,c=new s.default;null!=a&&(u=a instanceof f.default?a.newlineIndex(l)-l+1:a.length()-l,c=a.delta().slice(l,l+u-1).insert("\n"));var h=this.getContents(t,e+u),d=h.diff((new s.default).insert(n).concat(c)),p=(new s.default).retain(t).concat(d);return this.applyDelta(p)}},{key:"update",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0,i=this.delta;if(1===e.length&&"characterData"===e[0].type&&e[0].target.data.match(S)&&h.default.find(e[0].target)){var r=h.default.find(e[0].target),o=(0,m.bubbleFormats)(r),a=r.offset(this.scroll),l=e[0].oldValue.replace(v.default.CONTENTS,""),u=(new s.default).insert(l),c=(new s.default).insert(r.value()),d=(new s.default).retain(a).concat(u.diff(c,n));t=d.reduce((function(t,e){return e.insert?t.insert(e.insert,o):t.push(e)}),new s.default),this.delta=i.compose(t)}else this.delta=this.getDelta(),t&&(0,x.default)(i.compose(t),this.delta)||(t=i.diff(this.delta,n));return t}}]),t}();function q(t,e){return Object.keys(e).reduce((function(n,i){return null==t[i]||(e[i]===t[i]?n[i]=e[i]:Array.isArray(e[i])?e[i].indexOf(t[i])<0&&(n[i]=e[i].concat([t[i]])):n[i]=[e[i],t[i]]),n}),{})}function N(t){return t.reduce((function(t,e){if(1===e.insert){var n=(0,w.default)(e.attributes);return delete n["image"],t.insert({image:e.attributes.image},n)}if(null==e.attributes||!0!==e.attributes.list&&!0!==e.attributes.bullet||(e=(0,w.default)(e),e.attributes.list?e.attributes.list="ordered":(e.attributes.list="bullet",delete e.attributes.bullet)),"string"===typeof e.insert){var i=e.insert.replace(/\r\n/g,"\n").replace(/\r/g,"\n");return t.insert(i,e.attributes)}return t.push(e)}),new s.default)}e.default=O},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.Range=void 0;var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(0),a=v(o),s=n(21),l=v(s),u=n(11),c=v(u),h=n(8),d=v(h),f=n(10),p=v(f);function v(t){return t&&t.__esModule?t:{default:t}}function m(t){if(Array.isArray(t)){for(var e=0,n=Array(t.length);e<t.length;e++)n[e]=t[e];return n}return Array.from(t)}function g(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var y=(0,p.default)("quill:selection"),_=function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;g(this,t),this.index=e,this.length=n},b=function(){function t(e,n){var i=this;g(this,t),this.emitter=n,this.scroll=e,this.composing=!1,this.mouseDown=!1,this.root=this.scroll.domNode,this.cursor=a.default.create("cursor",this),this.lastRange=this.savedRange=new _(0,0),this.handleComposition(),this.handleDragging(),this.emitter.listenDOM("selectionchange",document,(function(){i.mouseDown||setTimeout(i.update.bind(i,d.default.sources.USER),1)})),this.emitter.on(d.default.events.EDITOR_CHANGE,(function(t,e){t===d.default.events.TEXT_CHANGE&&e.length()>0&&i.update(d.default.sources.SILENT)})),this.emitter.on(d.default.events.SCROLL_BEFORE_UPDATE,(function(){if(i.hasFocus()){var t=i.getNativeRange();null!=t&&t.start.node!==i.cursor.textNode&&i.emitter.once(d.default.events.SCROLL_UPDATE,(function(){try{i.setNativeRange(t.start.node,t.start.offset,t.end.node,t.end.offset)}catch(e){}}))}})),this.emitter.on(d.default.events.SCROLL_OPTIMIZE,(function(t,e){if(e.range){var n=e.range,r=n.startNode,o=n.startOffset,a=n.endNode,s=n.endOffset;i.setNativeRange(r,o,a,s)}})),this.update(d.default.sources.SILENT)}return r(t,[{key:"handleComposition",value:function(){var t=this;this.root.addEventListener("compositionstart",(function(){t.composing=!0})),this.root.addEventListener("compositionend",(function(){if(t.composing=!1,t.cursor.parent){var e=t.cursor.restore();if(!e)return;setTimeout((function(){t.setNativeRange(e.startNode,e.startOffset,e.endNode,e.endOffset)}),1)}}))}},{key:"handleDragging",value:function(){var t=this;this.emitter.listenDOM("mousedown",document.body,(function(){t.mouseDown=!0})),this.emitter.listenDOM("mouseup",document.body,(function(){t.mouseDown=!1,t.update(d.default.sources.USER)}))}},{key:"focus",value:function(){this.hasFocus()||(this.root.focus(),this.setRange(this.savedRange))}},{key:"format",value:function(t,e){if(null==this.scroll.whitelist||this.scroll.whitelist[t]){this.scroll.update();var n=this.getNativeRange();if(null!=n&&n.native.collapsed&&!a.default.query(t,a.default.Scope.BLOCK)){if(n.start.node!==this.cursor.textNode){var i=a.default.find(n.start.node,!1);if(null==i)return;if(i instanceof a.default.Leaf){var r=i.split(n.start.offset);i.parent.insertBefore(this.cursor,r)}else i.insertBefore(this.cursor,n.start.node);this.cursor.attach()}this.cursor.format(t,e),this.scroll.optimize(),this.setNativeRange(this.cursor.textNode,this.cursor.textNode.data.length),this.update()}}}},{key:"getBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=this.scroll.length();t=Math.min(t,n-1),e=Math.min(t+e,n-1)-t;var r=void 0,o=this.scroll.leaf(t),a=i(o,2),s=a[0],l=a[1];if(null==s)return null;var u=s.position(l,!0),c=i(u,2);r=c[0],l=c[1];var h=document.createRange();if(e>0){h.setStart(r,l);var d=this.scroll.leaf(t+e),f=i(d,2);if(s=f[0],l=f[1],null==s)return null;var p=s.position(l,!0),v=i(p,2);return r=v[0],l=v[1],h.setEnd(r,l),h.getBoundingClientRect()}var m="left",g=void 0;return r instanceof Text?(l<r.data.length?(h.setStart(r,l),h.setEnd(r,l+1)):(h.setStart(r,l-1),h.setEnd(r,l),m="right"),g=h.getBoundingClientRect()):(g=s.domNode.getBoundingClientRect(),l>0&&(m="right")),{bottom:g.top+g.height,height:g.height,left:g[m],right:g[m],top:g.top,width:0}}},{key:"getNativeRange",value:function(){var t=document.getSelection();if(null==t||t.rangeCount<=0)return null;var e=t.getRangeAt(0);if(null==e)return null;var n=this.normalizeNative(e);return y.info("getNativeRange",n),n}},{key:"getRange",value:function(){var t=this.getNativeRange();if(null==t)return[null,null];var e=this.normalizedToRange(t);return[e,t]}},{key:"hasFocus",value:function(){return document.activeElement===this.root}},{key:"normalizedToRange",value:function(t){var e=this,n=[[t.start.node,t.start.offset]];t.native.collapsed||n.push([t.end.node,t.end.offset]);var r=n.map((function(t){var n=i(t,2),r=n[0],o=n[1],s=a.default.find(r,!0),l=s.offset(e.scroll);return 0===o?l:s instanceof a.default.Container?l+s.length():l+s.index(r,o)})),o=Math.min(Math.max.apply(Math,m(r)),this.scroll.length()-1),s=Math.min.apply(Math,[o].concat(m(r)));return new _(s,o-s)}},{key:"normalizeNative",value:function(t){if(!w(this.root,t.startContainer)||!t.collapsed&&!w(this.root,t.endContainer))return null;var e={start:{node:t.startContainer,offset:t.startOffset},end:{node:t.endContainer,offset:t.endOffset},native:t};return[e.start,e.end].forEach((function(t){var e=t.node,n=t.offset;while(!(e instanceof Text)&&e.childNodes.length>0)if(e.childNodes.length>n)e=e.childNodes[n],n=0;else{if(e.childNodes.length!==n)break;e=e.lastChild,n=e instanceof Text?e.data.length:e.childNodes.length+1}t.node=e,t.offset=n})),e}},{key:"rangeToNative",value:function(t){var e=this,n=t.collapsed?[t.index]:[t.index,t.index+t.length],r=[],o=this.scroll.length();return n.forEach((function(t,n){t=Math.min(o-1,t);var a=void 0,s=e.scroll.leaf(t),l=i(s,2),u=l[0],c=l[1],h=u.position(c,0!==n),d=i(h,2);a=d[0],c=d[1],r.push(a,c)})),r.length<2&&(r=r.concat(r)),r}},{key:"scrollIntoView",value:function(t){var e=this.lastRange;if(null!=e){var n=this.getBounds(e.index,e.length);if(null!=n){var r=this.scroll.length()-1,o=this.scroll.line(Math.min(e.index,r)),a=i(o,1),s=a[0],l=s;if(e.length>0){var u=this.scroll.line(Math.min(e.index+e.length,r)),c=i(u,1);l=c[0]}if(null!=s&&null!=l){var h=t.getBoundingClientRect();n.top<h.top?t.scrollTop-=h.top-n.top:n.bottom>h.bottom&&(t.scrollTop+=n.bottom-h.bottom)}}}}},{key:"setNativeRange",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t,i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e,r=arguments.length>4&&void 0!==arguments[4]&&arguments[4];if(y.info("setNativeRange",t,e,n,i),null==t||null!=this.root.parentNode&&null!=t.parentNode&&null!=n.parentNode){var o=document.getSelection();if(null!=o)if(null!=t){this.hasFocus()||this.root.focus();var a=(this.getNativeRange()||{}).native;if(null==a||r||t!==a.startContainer||e!==a.startOffset||n!==a.endContainer||i!==a.endOffset){"BR"==t.tagName&&(e=[].indexOf.call(t.parentNode.childNodes,t),t=t.parentNode),"BR"==n.tagName&&(i=[].indexOf.call(n.parentNode.childNodes,n),n=n.parentNode);var s=document.createRange();s.setStart(t,e),s.setEnd(n,i),o.removeAllRanges(),o.addRange(s)}}else o.removeAllRanges(),this.root.blur(),document.body.focus()}}},{key:"setRange",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:d.default.sources.API;if("string"===typeof e&&(n=e,e=!1),y.info("setRange",t),null!=t){var i=this.rangeToNative(t);this.setNativeRange.apply(this,m(i).concat([e]))}else this.setNativeRange(null);this.update(n)}},{key:"update",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:d.default.sources.USER,e=this.lastRange,n=this.getRange(),r=i(n,2),o=r[0],a=r[1];if(this.lastRange=o,null!=this.lastRange&&(this.savedRange=this.lastRange),!(0,c.default)(e,this.lastRange)){var s;!this.composing&&null!=a&&a.native.collapsed&&a.start.node!==this.cursor.textNode&&this.cursor.restore();var u,h=[d.default.events.SELECTION_CHANGE,(0,l.default)(this.lastRange),(0,l.default)(e),t];if((s=this.emitter).emit.apply(s,[d.default.events.EDITOR_CHANGE].concat(h)),t!==d.default.sources.SILENT)(u=this.emitter).emit.apply(u,h)}}}]),t}();function w(t,e){try{e.parentNode}catch(n){return!1}return e instanceof Text&&(e=e.parentNode),t.contains(e)}e.Range=_,e.default=b},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"insertInto",value:function(t,n){0===t.children.length?r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertInto",this).call(this,t,n):this.remove()}},{key:"length",value:function(){return 0}},{key:"value",value:function(){return""}}],[{key:"value",value:function(){}}]),e}(a.default.Embed);h.blotName="break",h.tagName="BR",e.default=h},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(44),o=n(30),a=n(1),s=function(t){function e(e){var n=t.call(this,e)||this;return n.build(),n}return i(e,t),e.prototype.appendChild=function(t){this.insertBefore(t)},e.prototype.attach=function(){t.prototype.attach.call(this),this.children.forEach((function(t){t.attach()}))},e.prototype.build=function(){var t=this;this.children=new r.default,[].slice.call(this.domNode.childNodes).reverse().forEach((function(e){try{var n=l(e);t.insertBefore(n,t.children.head||void 0)}catch(i){if(i instanceof a.ParchmentError)return;throw i}}))},e.prototype.deleteAt=function(t,e){if(0===t&&e===this.length())return this.remove();this.children.forEachAt(t,e,(function(t,e,n){t.deleteAt(e,n)}))},e.prototype.descendant=function(t,n){var i=this.children.find(n),r=i[0],o=i[1];return null==t.blotName&&t(r)||null!=t.blotName&&r instanceof t?[r,o]:r instanceof e?r.descendant(t,o):[null,-1]},e.prototype.descendants=function(t,n,i){void 0===n&&(n=0),void 0===i&&(i=Number.MAX_VALUE);var r=[],o=i;return this.children.forEachAt(n,i,(function(n,i,a){(null==t.blotName&&t(n)||null!=t.blotName&&n instanceof t)&&r.push(n),n instanceof e&&(r=r.concat(n.descendants(t,i,o))),o-=a})),r},e.prototype.detach=function(){this.children.forEach((function(t){t.detach()})),t.prototype.detach.call(this)},e.prototype.formatAt=function(t,e,n,i){this.children.forEachAt(t,e,(function(t,e,r){t.formatAt(e,r,n,i)}))},e.prototype.insertAt=function(t,e,n){var i=this.children.find(t),r=i[0],o=i[1];if(r)r.insertAt(o,e,n);else{var s=null==n?a.create("text",e):a.create(e,n);this.appendChild(s)}},e.prototype.insertBefore=function(t,e){if(null!=this.statics.allowedChildren&&!this.statics.allowedChildren.some((function(e){return t instanceof e})))throw new a.ParchmentError("Cannot insert "+t.statics.blotName+" into "+this.statics.blotName);t.insertInto(this,e)},e.prototype.length=function(){return this.children.reduce((function(t,e){return t+e.length()}),0)},e.prototype.moveChildren=function(t,e){this.children.forEach((function(n){t.insertBefore(n,e)}))},e.prototype.optimize=function(e){if(t.prototype.optimize.call(this,e),0===this.children.length)if(null!=this.statics.defaultChild){var n=a.create(this.statics.defaultChild);this.appendChild(n),n.optimize(e)}else this.remove()},e.prototype.path=function(t,n){void 0===n&&(n=!1);var i=this.children.find(t,n),r=i[0],o=i[1],a=[[this,t]];return r instanceof e?a.concat(r.path(o,n)):(null!=r&&a.push([r,o]),a)},e.prototype.removeChild=function(t){this.children.remove(t)},e.prototype.replace=function(n){n instanceof e&&n.moveChildren(this),t.prototype.replace.call(this,n)},e.prototype.split=function(t,e){if(void 0===e&&(e=!1),!e){if(0===t)return this;if(t===this.length())return this.next}var n=this.clone();return this.parent.insertBefore(n,this.next),this.children.forEachAt(t,this.length(),(function(t,i,r){t=t.split(i,e),n.appendChild(t)})),n},e.prototype.unwrap=function(){this.moveChildren(this.parent,this.next),this.remove()},e.prototype.update=function(t,e){var n=this,i=[],r=[];t.forEach((function(t){t.target===n.domNode&&"childList"===t.type&&(i.push.apply(i,t.addedNodes),r.push.apply(r,t.removedNodes))})),r.forEach((function(t){if(!(null!=t.parentNode&&"IFRAME"!==t.tagName&&document.body.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_CONTAINED_BY)){var e=a.find(t);null!=e&&(null!=e.domNode.parentNode&&e.domNode.parentNode!==n.domNode||e.detach())}})),i.filter((function(t){return t.parentNode==n.domNode})).sort((function(t,e){return t===e?0:t.compareDocumentPosition(e)&Node.DOCUMENT_POSITION_FOLLOWING?1:-1})).forEach((function(t){var e=null;null!=t.nextSibling&&(e=a.find(t.nextSibling));var i=l(t);i.next==e&&null!=i.next||(null!=i.parent&&i.parent.removeChild(n),n.insertBefore(i,e||void 0))}))},e}(o.default);function l(t){var e=a.find(t);if(null==e)try{e=a.create(t)}catch(n){e=a.create(a.Scope.INLINE),[].slice.call(t.childNodes).forEach((function(t){e.domNode.appendChild(t)})),t.parentNode&&t.parentNode.replaceChild(e.domNode,t),e.attach()}return e}e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(12),o=n(31),a=n(17),s=n(1),l=function(t){function e(e){var n=t.call(this,e)||this;return n.attributes=new o.default(n.domNode),n}return i(e,t),e.formats=function(t){return"string"===typeof this.tagName||(Array.isArray(this.tagName)?t.tagName.toLowerCase():void 0)},e.prototype.format=function(t,e){var n=s.query(t);n instanceof r.default?this.attributes.attribute(n,e):e&&(null==n||t===this.statics.blotName&&this.formats()[t]===e||this.replaceWith(t,e))},e.prototype.formats=function(){var t=this.attributes.values(),e=this.statics.formats(this.domNode);return null!=e&&(t[this.statics.blotName]=e),t},e.prototype.replaceWith=function(e,n){var i=t.prototype.replaceWith.call(this,e,n);return this.attributes.copy(i),i},e.prototype.update=function(e,n){var i=this;t.prototype.update.call(this,e,n),e.some((function(t){return t.target===i.domNode&&"attributes"===t.type}))&&this.attributes.build()},e.prototype.wrap=function(n,i){var r=t.prototype.wrap.call(this,n,i);return r instanceof e&&r.statics.scope===this.statics.scope&&this.attributes.move(r),r},e}(a.default);e.default=l},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(30),o=n(1),a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.value=function(t){return!0},e.prototype.index=function(t,e){return this.domNode===t||this.domNode.compareDocumentPosition(t)&Node.DOCUMENT_POSITION_CONTAINED_BY?Math.min(e,1):-1},e.prototype.position=function(t,e){var n=[].indexOf.call(this.parent.domNode.childNodes,this.domNode);return t>0&&(n+=1),[this.parent.domNode,n]},e.prototype.value=function(){var t;return t={},t[this.statics.blotName]=this.statics.value(this.domNode)||!0,t},e.scope=o.Scope.INLINE_BLOT,e}(r.default);e.default=a},function(t,e,n){var i=n(11),r=n(3),o={attributes:{compose:function(t,e,n){"object"!==typeof t&&(t={}),"object"!==typeof e&&(e={});var i=r(!0,{},e);for(var o in n||(i=Object.keys(i).reduce((function(t,e){return null!=i[e]&&(t[e]=i[e]),t}),{})),t)void 0!==t[o]&&void 0===e[o]&&(i[o]=t[o]);return Object.keys(i).length>0?i:void 0},diff:function(t,e){"object"!==typeof t&&(t={}),"object"!==typeof e&&(e={});var n=Object.keys(t).concat(Object.keys(e)).reduce((function(n,r){return i(t[r],e[r])||(n[r]=void 0===e[r]?null:e[r]),n}),{});return Object.keys(n).length>0?n:void 0},transform:function(t,e,n){if("object"!==typeof t)return e;if("object"===typeof e){if(!n)return e;var i=Object.keys(e).reduce((function(n,i){return void 0===t[i]&&(n[i]=e[i]),n}),{});return Object.keys(i).length>0?i:void 0}}},iterator:function(t){return new a(t)},length:function(t){return"number"===typeof t["delete"]?t["delete"]:"number"===typeof t.retain?t.retain:"string"===typeof t.insert?t.insert.length:1}};function a(t){this.ops=t,this.index=0,this.offset=0}a.prototype.hasNext=function(){return this.peekLength()<1/0},a.prototype.next=function(t){t||(t=1/0);var e=this.ops[this.index];if(e){var n=this.offset,i=o.length(e);if(t>=i-n?(t=i-n,this.index+=1,this.offset=0):this.offset+=t,"number"===typeof e["delete"])return{delete:t};var r={};return e.attributes&&(r.attributes=e.attributes),"number"===typeof e.retain?r.retain=t:"string"===typeof e.insert?r.insert=e.insert.substr(n,t):r.insert=e.insert,r}return{retain:1/0}},a.prototype.peek=function(){return this.ops[this.index]},a.prototype.peekLength=function(){return this.ops[this.index]?o.length(this.ops[this.index])-this.offset:1/0},a.prototype.peekType=function(){return this.ops[this.index]?"number"===typeof this.ops[this.index]["delete"]?"delete":"number"===typeof this.ops[this.index].retain?"retain":"insert":"retain"},a.prototype.rest=function(){if(this.hasNext()){if(0===this.offset)return this.ops.slice(this.index);var t=this.offset,e=this.index,n=this.next(),i=this.ops.slice(this.index);return this.offset=t,this.index=e,[n].concat(i)}return[]},t.exports=o},function(t,n){var i=function(){"use strict";function t(t,e){return null!=e&&t instanceof e}var n,i,r;try{n=Map}catch(h){n=function(){}}try{i=Set}catch(h){i=function(){}}try{r=Promise}catch(h){r=function(){}}function o(a,s,l,u,h){"object"===typeof s&&(l=s.depth,u=s.prototype,h=s.includeNonEnumerable,s=s.circular);var d=[],f=[],p="undefined"!=typeof e;function v(a,l){if(null===a)return null;if(0===l)return a;var m,g;if("object"!=typeof a)return a;if(t(a,n))m=new n;else if(t(a,i))m=new i;else if(t(a,r))m=new r((function(t,e){a.then((function(e){t(v(e,l-1))}),(function(t){e(v(t,l-1))}))}));else if(o.__isArray(a))m=[];else if(o.__isRegExp(a))m=new RegExp(a.source,c(a)),a.lastIndex&&(m.lastIndex=a.lastIndex);else if(o.__isDate(a))m=new Date(a.getTime());else{if(p&&e.isBuffer(a))return m=e.allocUnsafe?e.allocUnsafe(a.length):new e(a.length),a.copy(m),m;t(a,Error)?m=Object.create(a):"undefined"==typeof u?(g=Object.getPrototypeOf(a),m=Object.create(g)):(m=Object.create(u),g=u)}if(s){var y=d.indexOf(a);if(-1!=y)return f[y];d.push(a),f.push(m)}for(var _ in t(a,n)&&a.forEach((function(t,e){var n=v(e,l-1),i=v(t,l-1);m.set(n,i)})),t(a,i)&&a.forEach((function(t){var e=v(t,l-1);m.add(e)})),a){var b;g&&(b=Object.getOwnPropertyDescriptor(g,_)),b&&null==b.set||(m[_]=v(a[_],l-1))}if(Object.getOwnPropertySymbols){var w=Object.getOwnPropertySymbols(a);for(_=0;_<w.length;_++){var A=w[_],x=Object.getOwnPropertyDescriptor(a,A);(!x||x.enumerable||h)&&(m[A]=v(a[A],l-1),x.enumerable||Object.defineProperty(m,A,{enumerable:!1}))}}if(h){var k=Object.getOwnPropertyNames(a);for(_=0;_<k.length;_++){var j=k[_];x=Object.getOwnPropertyDescriptor(a,j);x&&x.enumerable||(m[j]=v(a[j],l-1),Object.defineProperty(m,j,{enumerable:!1}))}}return m}return"undefined"==typeof s&&(s=!0),"undefined"==typeof l&&(l=1/0),v(a,l)}function a(t){return Object.prototype.toString.call(t)}function s(t){return"object"===typeof t&&"[object Date]"===a(t)}function l(t){return"object"===typeof t&&"[object Array]"===a(t)}function u(t){return"object"===typeof t&&"[object RegExp]"===a(t)}function c(t){var e="";return t.global&&(e+="g"),t.ignoreCase&&(e+="i"),t.multiline&&(e+="m"),e}return o.clonePrototype=function(t){if(null===t)return null;var e=function(){};return e.prototype=t,new e},o.__objToStr=a,o.__isDate=s,o.__isArray=l,o.__isRegExp=u,o.__getRegExpFlags=c,o}();"object"===typeof t&&t.exports&&(t.exports=i)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},a=n(0),s=y(a),l=n(8),u=y(l),c=n(4),h=y(c),d=n(16),f=y(d),p=n(13),v=y(p),m=n(25),g=y(m);function y(t){return t&&t.__esModule?t:{default:t}}function _(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function b(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function w(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}function A(t){return t instanceof h.default||t instanceof c.BlockEmbed}var x=function(t){function e(t,n){_(this,e);var i=b(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.emitter=n.emitter,Array.isArray(n.whitelist)&&(i.whitelist=n.whitelist.reduce((function(t,e){return t[e]=!0,t}),{})),i.domNode.addEventListener("DOMNodeInserted",(function(){})),i.optimize(),i.enable(),i}return w(e,t),r(e,[{key:"batchStart",value:function(){this.batch=!0}},{key:"batchEnd",value:function(){this.batch=!1,this.optimize()}},{key:"deleteAt",value:function(t,n){var r=this.line(t),a=i(r,2),s=a[0],l=a[1],u=this.line(t+n),h=i(u,1),d=h[0];if(o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"deleteAt",this).call(this,t,n),null!=d&&s!==d&&l>0){if(s instanceof c.BlockEmbed||d instanceof c.BlockEmbed)return void this.optimize();if(s instanceof v.default){var p=s.newlineIndex(s.length(),!0);if(p>-1&&(s=s.split(p+1),s===d))return void this.optimize()}else if(d instanceof v.default){var m=d.newlineIndex(0);m>-1&&d.split(m+1)}var g=d.children.head instanceof f.default?null:d.children.head;s.moveChildren(d,g),s.remove()}this.optimize()}},{key:"enable",value:function(){var t=!(arguments.length>0&&void 0!==arguments[0])||arguments[0];this.domNode.setAttribute("contenteditable",t)}},{key:"formatAt",value:function(t,n,i,r){(null==this.whitelist||this.whitelist[i])&&(o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"formatAt",this).call(this,t,n,i,r),this.optimize())}},{key:"insertAt",value:function(t,n,i){if(null==i||null==this.whitelist||this.whitelist[n]){if(t>=this.length())if(null==i||null==s.default.query(n,s.default.Scope.BLOCK)){var r=s.default.create(this.statics.defaultChild);this.appendChild(r),null==i&&n.endsWith("\n")&&(n=n.slice(0,-1)),r.insertAt(0,n,i)}else{var a=s.default.create(n,i);this.appendChild(a)}else o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertAt",this).call(this,t,n,i);this.optimize()}}},{key:"insertBefore",value:function(t,n){if(t.statics.scope===s.default.Scope.INLINE_BLOT){var i=s.default.create(this.statics.defaultChild);i.appendChild(t),t=i}o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n)}},{key:"leaf",value:function(t){return this.path(t).pop()||[null,-1]}},{key:"line",value:function(t){return t===this.length()?this.line(t-1):this.descendant(A,t)}},{key:"lines",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:Number.MAX_VALUE,n=function t(e,n,i){var r=[],o=i;return e.children.forEachAt(n,i,(function(e,n,i){A(e)?r.push(e):e instanceof s.default.Container&&(r=r.concat(t(e,n,o))),o-=i})),r};return n(this,t,e)}},{key:"optimize",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};!0!==this.batch&&(o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t,n),t.length>0&&this.emitter.emit(u.default.events.SCROLL_OPTIMIZE,t,n))}},{key:"path",value:function(t){return o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"path",this).call(this,t).slice(1)}},{key:"update",value:function(t){if(!0!==this.batch){var n=u.default.sources.USER;"string"===typeof t&&(n=t),Array.isArray(t)||(t=this.observer.takeRecords()),t.length>0&&this.emitter.emit(u.default.events.SCROLL_BEFORE_UPDATE,n,t),o(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"update",this).call(this,t.concat([])),t.length>0&&this.emitter.emit(u.default.events.SCROLL_UPDATE,n,t)}}}]),e}(s.default.Scroll);x.blotName="scroll",x.className="ql-editor",x.tagName="DIV",x.defaultChild="block",x.allowedChildren=[h.default,c.BlockEmbed,g.default],e.default=x},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.SHORTKEY=e.default=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},r=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(21),s=k(a),l=n(11),u=k(l),c=n(3),h=k(c),d=n(2),f=k(d),p=n(20),v=k(p),m=n(0),g=k(m),y=n(5),_=k(y),b=n(10),w=k(b),A=n(9),x=k(A);function k(t){return t&&t.__esModule?t:{default:t}}function j(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function C(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function T(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function E(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var S=(0,w.default)("quill:keyboard"),O=/Mac/i.test(navigator.platform)?"metaKey":"ctrlKey",q=function(t){function e(t,n){C(this,e);var i=T(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.bindings={},Object.keys(i.options.bindings).forEach((function(e){("list autofill"!==e||null==t.scroll.whitelist||t.scroll.whitelist["list"])&&i.options.bindings[e]&&i.addBinding(i.options.bindings[e])})),i.addBinding({key:e.keys.ENTER,shiftKey:null},L),i.addBinding({key:e.keys.ENTER,metaKey:null,ctrlKey:null,altKey:null},(function(){})),/Firefox/i.test(navigator.userAgent)?(i.addBinding({key:e.keys.BACKSPACE},{collapsed:!0},D),i.addBinding({key:e.keys.DELETE},{collapsed:!0},M)):(i.addBinding({key:e.keys.BACKSPACE},{collapsed:!0,prefix:/^.?$/},D),i.addBinding({key:e.keys.DELETE},{collapsed:!0,suffix:/^.?$/},M)),i.addBinding({key:e.keys.BACKSPACE},{collapsed:!1},P),i.addBinding({key:e.keys.DELETE},{collapsed:!1},P),i.addBinding({key:e.keys.BACKSPACE,altKey:null,ctrlKey:null,metaKey:null,shiftKey:null},{collapsed:!0,offset:0},D),i.listen(),i}return E(e,t),o(e,null,[{key:"match",value:function(t,e){return e=R(e),!["altKey","ctrlKey","metaKey","shiftKey"].some((function(n){return!!e[n]!==t[n]&&null!==e[n]}))&&e.key===(t.which||t.keyCode)}}]),o(e,[{key:"addBinding",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=R(t);if(null==i||null==i.key)return S.warn("Attempted to add invalid keyboard binding",i);"function"===typeof e&&(e={handler:e}),"function"===typeof n&&(n={handler:n}),i=(0,h.default)(i,e,n),this.bindings[i.key]=this.bindings[i.key]||[],this.bindings[i.key].push(i)}},{key:"listen",value:function(){var t=this;this.quill.root.addEventListener("keydown",(function(n){if(!n.defaultPrevented){var o=n.which||n.keyCode,a=(t.bindings[o]||[]).filter((function(t){return e.match(n,t)}));if(0!==a.length){var s=t.quill.getSelection();if(null!=s&&t.quill.hasFocus()){var l=t.quill.getLine(s.index),c=r(l,2),h=c[0],d=c[1],f=t.quill.getLeaf(s.index),p=r(f,2),v=p[0],m=p[1],y=0===s.length?[v,m]:t.quill.getLeaf(s.index+s.length),_=r(y,2),b=_[0],w=_[1],A=v instanceof g.default.Text?v.value().slice(0,m):"",x=b instanceof g.default.Text?b.value().slice(w):"",k={collapsed:0===s.length,empty:0===s.length&&h.length()<=1,format:t.quill.getFormat(s),offset:d,prefix:A,suffix:x},j=a.some((function(e){if(null!=e.collapsed&&e.collapsed!==k.collapsed)return!1;if(null!=e.empty&&e.empty!==k.empty)return!1;if(null!=e.offset&&e.offset!==k.offset)return!1;if(Array.isArray(e.format)){if(e.format.every((function(t){return null==k.format[t]})))return!1}else if("object"===i(e.format)&&!Object.keys(e.format).every((function(t){return!0===e.format[t]?null!=k.format[t]:!1===e.format[t]?null==k.format[t]:(0,u.default)(e.format[t],k.format[t])})))return!1;return!(null!=e.prefix&&!e.prefix.test(k.prefix))&&(!(null!=e.suffix&&!e.suffix.test(k.suffix))&&!0!==e.handler.call(t,s,k))}));j&&n.preventDefault()}}}}))}}]),e}(x.default);function N(t,e){var n,i=t===q.keys.LEFT?"prefix":"suffix";return n={key:t,shiftKey:e,altKey:null},j(n,i,/^$/),j(n,"handler",(function(n){var i=n.index;t===q.keys.RIGHT&&(i+=n.length+1);var o=this.quill.getLeaf(i),a=r(o,1),s=a[0];return!(s instanceof g.default.Embed)||(t===q.keys.LEFT?e?this.quill.setSelection(n.index-1,n.length+1,_.default.sources.USER):this.quill.setSelection(n.index-1,_.default.sources.USER):e?this.quill.setSelection(n.index,n.length+1,_.default.sources.USER):this.quill.setSelection(n.index+n.length+1,_.default.sources.USER),!1)})),n}function D(t,e){if(!(0===t.index||this.quill.getLength()<=1)){var n=this.quill.getLine(t.index),i=r(n,1),o=i[0],a={};if(0===e.offset){var s=this.quill.getLine(t.index-1),l=r(s,1),u=l[0];if(null!=u&&u.length()>1){var c=o.formats(),h=this.quill.getFormat(t.index-1,1);a=v.default.attributes.diff(c,h)||{}}}var d=/[\uD800-\uDBFF][\uDC00-\uDFFF]$/.test(e.prefix)?2:1;this.quill.deleteText(t.index-d,d,_.default.sources.USER),Object.keys(a).length>0&&this.quill.formatLine(t.index-d,d,a,_.default.sources.USER),this.quill.focus()}}function M(t,e){var n=/^[\uD800-\uDBFF][\uDC00-\uDFFF]/.test(e.suffix)?2:1;if(!(t.index>=this.quill.getLength()-n)){var i={},o=0,a=this.quill.getLine(t.index),s=r(a,1),l=s[0];if(e.offset>=l.length()-1){var u=this.quill.getLine(t.index+1),c=r(u,1),h=c[0];if(h){var d=l.formats(),f=this.quill.getFormat(t.index,1);i=v.default.attributes.diff(d,f)||{},o=h.length()}}this.quill.deleteText(t.index,n,_.default.sources.USER),Object.keys(i).length>0&&this.quill.formatLine(t.index+o-1,n,i,_.default.sources.USER)}}function P(t){var e=this.quill.getLines(t),n={};if(e.length>1){var i=e[0].formats(),r=e[e.length-1].formats();n=v.default.attributes.diff(r,i)||{}}this.quill.deleteText(t,_.default.sources.USER),Object.keys(n).length>0&&this.quill.formatLine(t.index,1,n,_.default.sources.USER),this.quill.setSelection(t.index,_.default.sources.SILENT),this.quill.focus()}function L(t,e){var n=this;t.length>0&&this.quill.scroll.deleteAt(t.index,t.length);var i=Object.keys(e.format).reduce((function(t,n){return g.default.query(n,g.default.Scope.BLOCK)&&!Array.isArray(e.format[n])&&(t[n]=e.format[n]),t}),{});this.quill.insertText(t.index,"\n",i,_.default.sources.USER),this.quill.setSelection(t.index+1,_.default.sources.SILENT),this.quill.focus(),Object.keys(e.format).forEach((function(t){null==i[t]&&(Array.isArray(e.format[t])||"link"!==t&&n.quill.format(t,e.format[t],_.default.sources.USER))}))}function B(t){return{key:q.keys.TAB,shiftKey:!t,format:{"code-block":!0},handler:function(e){var n=g.default.query("code-block"),i=e.index,o=e.length,a=this.quill.scroll.descendant(n,i),s=r(a,2),l=s[0],u=s[1];if(null!=l){var c=this.quill.getIndex(l),h=l.newlineIndex(u,!0)+1,d=l.newlineIndex(c+u+o),f=l.domNode.textContent.slice(h,d).split("\n");u=0,f.forEach((function(e,r){t?(l.insertAt(h+u,n.TAB),u+=n.TAB.length,0===r?i+=n.TAB.length:o+=n.TAB.length):e.startsWith(n.TAB)&&(l.deleteAt(h+u,n.TAB.length),u-=n.TAB.length,0===r?i-=n.TAB.length:o-=n.TAB.length),u+=e.length+1})),this.quill.update(_.default.sources.USER),this.quill.setSelection(i,o,_.default.sources.SILENT)}}}}function I(t){return{key:t[0].toUpperCase(),shortKey:!0,handler:function(e,n){this.quill.format(t,!n.format[t],_.default.sources.USER)}}}function R(t){if("string"===typeof t||"number"===typeof t)return R({key:t});if("object"===("undefined"===typeof t?"undefined":i(t))&&(t=(0,s.default)(t,!1)),"string"===typeof t.key)if(null!=q.keys[t.key.toUpperCase()])t.key=q.keys[t.key.toUpperCase()];else{if(1!==t.key.length)return null;t.key=t.key.toUpperCase().charCodeAt(0)}return t.shortKey&&(t[O]=t.shortKey,delete t.shortKey),t}q.keys={BACKSPACE:8,TAB:9,ENTER:13,ESCAPE:27,LEFT:37,UP:38,RIGHT:39,DOWN:40,DELETE:46},q.DEFAULTS={bindings:{bold:I("bold"),italic:I("italic"),underline:I("underline"),indent:{key:q.keys.TAB,format:["blockquote","indent","list"],handler:function(t,e){if(e.collapsed&&0!==e.offset)return!0;this.quill.format("indent","+1",_.default.sources.USER)}},outdent:{key:q.keys.TAB,shiftKey:!0,format:["blockquote","indent","list"],handler:function(t,e){if(e.collapsed&&0!==e.offset)return!0;this.quill.format("indent","-1",_.default.sources.USER)}},"outdent backspace":{key:q.keys.BACKSPACE,collapsed:!0,shiftKey:null,metaKey:null,ctrlKey:null,altKey:null,format:["indent","list"],offset:0,handler:function(t,e){null!=e.format.indent?this.quill.format("indent","-1",_.default.sources.USER):null!=e.format.list&&this.quill.format("list",!1,_.default.sources.USER)}},"indent code-block":B(!0),"outdent code-block":B(!1),"remove tab":{key:q.keys.TAB,shiftKey:!0,collapsed:!0,prefix:/\t$/,handler:function(t){this.quill.deleteText(t.index-1,1,_.default.sources.USER)}},tab:{key:q.keys.TAB,handler:function(t){this.quill.history.cutoff();var e=(new f.default).retain(t.index).delete(t.length).insert("\t");this.quill.updateContents(e,_.default.sources.USER),this.quill.history.cutoff(),this.quill.setSelection(t.index+1,_.default.sources.SILENT)}},"list empty enter":{key:q.keys.ENTER,collapsed:!0,format:["list"],empty:!0,handler:function(t,e){this.quill.format("list",!1,_.default.sources.USER),e.format.indent&&this.quill.format("indent",!1,_.default.sources.USER)}},"checklist enter":{key:q.keys.ENTER,collapsed:!0,format:{list:"checked"},handler:function(t){var e=this.quill.getLine(t.index),n=r(e,2),i=n[0],o=n[1],a=(0,h.default)({},i.formats(),{list:"checked"}),s=(new f.default).retain(t.index).insert("\n",a).retain(i.length()-o-1).retain(1,{list:"unchecked"});this.quill.updateContents(s,_.default.sources.USER),this.quill.setSelection(t.index+1,_.default.sources.SILENT),this.quill.scrollIntoView()}},"header enter":{key:q.keys.ENTER,collapsed:!0,format:["header"],suffix:/^$/,handler:function(t,e){var n=this.quill.getLine(t.index),i=r(n,2),o=i[0],a=i[1],s=(new f.default).retain(t.index).insert("\n",e.format).retain(o.length()-a-1).retain(1,{header:null});this.quill.updateContents(s,_.default.sources.USER),this.quill.setSelection(t.index+1,_.default.sources.SILENT),this.quill.scrollIntoView()}},"list autofill":{key:" ",collapsed:!0,format:{list:!1},prefix:/^\s*?(\d+\.|-|\*|\[ ?\]|\[x\])$/,handler:function(t,e){var n=e.prefix.length,i=this.quill.getLine(t.index),o=r(i,2),a=o[0],s=o[1];if(s>n)return!0;var l=void 0;switch(e.prefix.trim()){case"[]":case"[ ]":l="unchecked";break;case"[x]":l="checked";break;case"-":case"*":l="bullet";break;default:l="ordered"}this.quill.insertText(t.index," ",_.default.sources.USER),this.quill.history.cutoff();var u=(new f.default).retain(t.index-s).delete(n+1).retain(a.length()-2-s).retain(1,{list:l});this.quill.updateContents(u,_.default.sources.USER),this.quill.history.cutoff(),this.quill.setSelection(t.index-n,_.default.sources.SILENT)}},"code exit":{key:q.keys.ENTER,collapsed:!0,format:["code-block"],prefix:/\n\n$/,suffix:/^\s+$/,handler:function(t){var e=this.quill.getLine(t.index),n=r(e,2),i=n[0],o=n[1],a=(new f.default).retain(t.index+i.length()-o-2).retain(1,{"code-block":null}).delete(1);this.quill.updateContents(a,_.default.sources.USER)}},"embed left":N(q.keys.LEFT,!1),"embed left shift":N(q.keys.LEFT,!0),"embed right":N(q.keys.RIGHT,!1),"embed right shift":N(q.keys.RIGHT,!0)}},e.default=q,e.SHORTKEY=O},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(0),s=c(a),l=n(7),u=c(l);function c(t){return t&&t.__esModule?t:{default:t}}function h(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function d(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function f(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var p=function(t){function e(t,n){h(this,e);var i=d(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.selection=n,i.textNode=document.createTextNode(e.CONTENTS),i.domNode.appendChild(i.textNode),i._length=0,i}return f(e,t),o(e,null,[{key:"value",value:function(){}}]),o(e,[{key:"detach",value:function(){null!=this.parent&&this.parent.removeChild(this)}},{key:"format",value:function(t,n){if(0!==this._length)return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n);var i=this,o=0;while(null!=i&&i.statics.scope!==s.default.Scope.BLOCK_BLOT)o+=i.offset(i.parent),i=i.parent;null!=i&&(this._length=e.CONTENTS.length,i.optimize(),i.formatAt(o,e.CONTENTS.length,t,n),this._length=0)}},{key:"index",value:function(t,n){return t===this.textNode?0:r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"index",this).call(this,t,n)}},{key:"length",value:function(){return this._length}},{key:"position",value:function(){return[this.textNode,this.textNode.data.length]}},{key:"remove",value:function(){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"remove",this).call(this),this.parent=null}},{key:"restore",value:function(){if(!this.selection.composing&&null!=this.parent){var t=this.textNode,n=this.selection.getNativeRange(),r=void 0,o=void 0,a=void 0;if(null!=n&&n.start.node===t&&n.end.node===t){var l=[t,n.start.offset,n.end.offset];r=l[0],o=l[1],a=l[2]}while(null!=this.domNode.lastChild&&this.domNode.lastChild!==this.textNode)this.domNode.parentNode.insertBefore(this.domNode.lastChild,this.domNode);if(this.textNode.data!==e.CONTENTS){var c=this.textNode.data.split(e.CONTENTS).join("");this.next instanceof u.default?(r=this.next.domNode,this.next.insertAt(0,c),this.textNode.data=e.CONTENTS):(this.textNode.data=c,this.parent.insertBefore(s.default.create(this.textNode),this),this.textNode=document.createTextNode(e.CONTENTS),this.domNode.appendChild(this.textNode))}if(this.remove(),null!=o){var h=[o,a].map((function(t){return Math.max(0,Math.min(r.data.length,t-1))})),d=i(h,2);return o=d[0],a=d[1],{startNode:r,startOffset:o,endNode:r,endOffset:a}}}}},{key:"update",value:function(t,e){var n=this;if(t.some((function(t){return"characterData"===t.type&&t.target===n.textNode}))){var i=this.restore();i&&(e.range=i)}}},{key:"value",value:function(){return""}}]),e}(s.default.Embed);p.blotName="cursor",p.className="ql-cursor",p.tagName="span",p.CONTENTS="\ufeff",e.default=p},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),r=s(i),o=n(4),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),e}(r.default.Container);h.allowedChildren=[a.default,o.BlockEmbed,h],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.ColorStyle=e.ColorClass=e.ColorAttributor=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"value",value:function(t){var n=r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t);return n.startsWith("rgb(")?(n=n.replace(/^[^\d]+/,"").replace(/[^\d]+$/,""),"#"+n.split(",").map((function(t){return("00"+parseInt(t).toString(16)).slice(-2)})).join("")):n}}]),e}(a.default.Attributor.Style),d=new a.default.Attributor.Class("color","ql-color",{scope:a.default.Scope.INLINE}),f=new h("color","color",{scope:a.default.Scope.INLINE});e.ColorAttributor=h,e.ColorClass=d,e.ColorStyle=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.sanitize=e.default=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(6),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"format",value:function(t,n){if(t!==this.statics.blotName||!n)return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n);n=this.constructor.sanitize(n),this.domNode.setAttribute("href",n)}}],[{key:"create",value:function(t){var n=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return t=this.sanitize(t),n.setAttribute("href",t),n.setAttribute("rel","noopener noreferrer"),n.setAttribute("target","_blank"),n}},{key:"formats",value:function(t){return t.getAttribute("href")}},{key:"sanitize",value:function(t){return d(t,this.PROTOCOL_WHITELIST)?t:this.SANITIZED_URL}}]),e}(a.default);function d(t,e){var n=document.createElement("a");n.href=t;var i=n.href.slice(0,n.href.indexOf(":"));return e.indexOf(i)>-1}h.blotName="link",h.tagName="A",h.SANITIZED_URL="about:blank",h.PROTOCOL_WHITELIST=["http","https","mailto","tel"],e.default=h,e.sanitize=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(23),a=u(o),s=n(107),l=u(s);function u(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var h=0;function d(t,e){t.setAttribute(e,!("true"===t.getAttribute(e)))}var f=function(){function t(e){var n=this;c(this,t),this.select=e,this.container=document.createElement("span"),this.buildPicker(),this.select.style.display="none",this.select.parentNode.insertBefore(this.container,this.select),this.label.addEventListener("mousedown",(function(){n.togglePicker()})),this.label.addEventListener("keydown",(function(t){switch(t.keyCode){case a.default.keys.ENTER:n.togglePicker();break;case a.default.keys.ESCAPE:n.escape(),t.preventDefault();break;default:}})),this.select.addEventListener("change",this.update.bind(this))}return r(t,[{key:"togglePicker",value:function(){this.container.classList.toggle("ql-expanded"),d(this.label,"aria-expanded"),d(this.options,"aria-hidden")}},{key:"buildItem",value:function(t){var e=this,n=document.createElement("span");return n.tabIndex="0",n.setAttribute("role","button"),n.classList.add("ql-picker-item"),t.hasAttribute("value")&&n.setAttribute("data-value",t.getAttribute("value")),t.textContent&&n.setAttribute("data-label",t.textContent),n.addEventListener("click",(function(){e.selectItem(n,!0)})),n.addEventListener("keydown",(function(t){switch(t.keyCode){case a.default.keys.ENTER:e.selectItem(n,!0),t.preventDefault();break;case a.default.keys.ESCAPE:e.escape(),t.preventDefault();break;default:}})),n}},{key:"buildLabel",value:function(){var t=document.createElement("span");return t.classList.add("ql-picker-label"),t.innerHTML=l.default,t.tabIndex="0",t.setAttribute("role","button"),t.setAttribute("aria-expanded","false"),this.container.appendChild(t),t}},{key:"buildOptions",value:function(){var t=this,e=document.createElement("span");e.classList.add("ql-picker-options"),e.setAttribute("aria-hidden","true"),e.tabIndex="-1",e.id="ql-picker-options-"+h,h+=1,this.label.setAttribute("aria-controls",e.id),this.options=e,[].slice.call(this.select.options).forEach((function(n){var i=t.buildItem(n);e.appendChild(i),!0===n.selected&&t.selectItem(i)})),this.container.appendChild(e)}},{key:"buildPicker",value:function(){var t=this;[].slice.call(this.select.attributes).forEach((function(e){t.container.setAttribute(e.name,e.value)})),this.container.classList.add("ql-picker"),this.label=this.buildLabel(),this.buildOptions()}},{key:"escape",value:function(){var t=this;this.close(),setTimeout((function(){return t.label.focus()}),1)}},{key:"close",value:function(){this.container.classList.remove("ql-expanded"),this.label.setAttribute("aria-expanded","false"),this.options.setAttribute("aria-hidden","true")}},{key:"selectItem",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=this.container.querySelector(".ql-selected");if(t!==n&&(null!=n&&n.classList.remove("ql-selected"),null!=t&&(t.classList.add("ql-selected"),this.select.selectedIndex=[].indexOf.call(t.parentNode.children,t),t.hasAttribute("data-value")?this.label.setAttribute("data-value",t.getAttribute("data-value")):this.label.removeAttribute("data-value"),t.hasAttribute("data-label")?this.label.setAttribute("data-label",t.getAttribute("data-label")):this.label.removeAttribute("data-label"),e))){if("function"===typeof Event)this.select.dispatchEvent(new Event("change"));else if("object"===("undefined"===typeof Event?"undefined":i(Event))){var r=document.createEvent("Event");r.initEvent("change",!0,!0),this.select.dispatchEvent(r)}this.close()}}},{key:"update",value:function(){var t=void 0;if(this.select.selectedIndex>-1){var e=this.container.querySelector(".ql-picker-options").children[this.select.selectedIndex];t=this.select.options[this.select.selectedIndex],this.selectItem(e)}else this.selectItem(null);var n=null!=t&&t!==this.select.querySelector("option[selected]");this.label.classList.toggle("ql-active",n)}}]),t}();e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(0),r=S(i),o=n(5),a=S(o),s=n(4),l=S(s),u=n(16),c=S(u),h=n(25),d=S(h),f=n(24),p=S(f),v=n(35),m=S(v),g=n(6),y=S(g),_=n(22),b=S(_),w=n(7),A=S(w),x=n(55),k=S(x),j=n(42),C=S(j),T=n(23),E=S(T);function S(t){return t&&t.__esModule?t:{default:t}}a.default.register({"blots/block":l.default,"blots/block/embed":s.BlockEmbed,"blots/break":c.default,"blots/container":d.default,"blots/cursor":p.default,"blots/embed":m.default,"blots/inline":y.default,"blots/scroll":b.default,"blots/text":A.default,"modules/clipboard":k.default,"modules/history":C.default,"modules/keyboard":E.default}),r.default.register(l.default,c.default,p.default,y.default,b.default,A.default),e.default=a.default},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),r=function(){function t(t){this.domNode=t,this.domNode[i.DATA_KEY]={blot:this}}return Object.defineProperty(t.prototype,"statics",{get:function(){return this.constructor},enumerable:!0,configurable:!0}),t.create=function(t){if(null==this.tagName)throw new i.ParchmentError("Blot definition missing tagName");var e;return Array.isArray(this.tagName)?("string"===typeof t&&(t=t.toUpperCase(),parseInt(t).toString()===t&&(t=parseInt(t))),e="number"===typeof t?document.createElement(this.tagName[t-1]):this.tagName.indexOf(t)>-1?document.createElement(t):document.createElement(this.tagName[0])):e=document.createElement(this.tagName),this.className&&e.classList.add(this.className),e},t.prototype.attach=function(){null!=this.parent&&(this.scroll=this.parent.scroll)},t.prototype.clone=function(){var t=this.domNode.cloneNode(!1);return i.create(t)},t.prototype.detach=function(){null!=this.parent&&this.parent.removeChild(this),delete this.domNode[i.DATA_KEY]},t.prototype.deleteAt=function(t,e){var n=this.isolate(t,e);n.remove()},t.prototype.formatAt=function(t,e,n,r){var o=this.isolate(t,e);if(null!=i.query(n,i.Scope.BLOT)&&r)o.wrap(n,r);else if(null!=i.query(n,i.Scope.ATTRIBUTE)){var a=i.create(this.statics.scope);o.wrap(a),a.format(n,r)}},t.prototype.insertAt=function(t,e,n){var r=null==n?i.create("text",e):i.create(e,n),o=this.split(t);this.parent.insertBefore(r,o)},t.prototype.insertInto=function(t,e){void 0===e&&(e=null),null!=this.parent&&this.parent.children.remove(this);var n=null;t.children.insertBefore(this,e),null!=e&&(n=e.domNode),this.domNode.parentNode==t.domNode&&this.domNode.nextSibling==n||t.domNode.insertBefore(this.domNode,n),this.parent=t,this.attach()},t.prototype.isolate=function(t,e){var n=this.split(t);return n.split(e),n},t.prototype.length=function(){return 1},t.prototype.offset=function(t){return void 0===t&&(t=this.parent),null==this.parent||this==t?0:this.parent.children.offset(this)+this.parent.offset(t)},t.prototype.optimize=function(t){null!=this.domNode[i.DATA_KEY]&&delete this.domNode[i.DATA_KEY].mutations},t.prototype.remove=function(){null!=this.domNode.parentNode&&this.domNode.parentNode.removeChild(this.domNode),this.detach()},t.prototype.replace=function(t){null!=t.parent&&(t.parent.insertBefore(this,t.next),t.remove())},t.prototype.replaceWith=function(t,e){var n="string"===typeof t?i.create(t,e):t;return n.replace(this),n},t.prototype.split=function(t,e){return 0===t?this:this.next},t.prototype.update=function(t,e){},t.prototype.wrap=function(t,e){var n="string"===typeof t?i.create(t,e):t;return null!=this.parent&&this.parent.insertBefore(n,this.next),n.appendChild(this),n},t.blotName="abstract",t}();e.default=r},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(12),r=n(32),o=n(33),a=n(1),s=function(){function t(t){this.attributes={},this.domNode=t,this.build()}return t.prototype.attribute=function(t,e){e?t.add(this.domNode,e)&&(null!=t.value(this.domNode)?this.attributes[t.attrName]=t:delete this.attributes[t.attrName]):(t.remove(this.domNode),delete this.attributes[t.attrName])},t.prototype.build=function(){var t=this;this.attributes={};var e=i.default.keys(this.domNode),n=r.default.keys(this.domNode),s=o.default.keys(this.domNode);e.concat(n).concat(s).forEach((function(e){var n=a.query(e,a.Scope.ATTRIBUTE);n instanceof i.default&&(t.attributes[n.attrName]=n)}))},t.prototype.copy=function(t){var e=this;Object.keys(this.attributes).forEach((function(n){var i=e.attributes[n].value(e.domNode);t.format(n,i)}))},t.prototype.move=function(t){var e=this;this.copy(t),Object.keys(this.attributes).forEach((function(t){e.attributes[t].remove(e.domNode)})),this.attributes={}},t.prototype.values=function(){var t=this;return Object.keys(this.attributes).reduce((function(e,n){return e[n]=t.attributes[n].value(t.domNode),e}),{})},t}();e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(12);function o(t,e){var n=t.getAttribute("class")||"";return n.split(/\s+/).filter((function(t){return 0===t.indexOf(e+"-")}))}var a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.keys=function(t){return(t.getAttribute("class")||"").split(/\s+/).map((function(t){return t.split("-").slice(0,-1).join("-")}))},e.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(this.remove(t),t.classList.add(this.keyName+"-"+e),!0)},e.prototype.remove=function(t){var e=o(t,this.keyName);e.forEach((function(e){t.classList.remove(e)})),0===t.classList.length&&t.removeAttribute("class")},e.prototype.value=function(t){var e=o(t,this.keyName)[0]||"",n=e.slice(this.keyName.length+1);return this.canAdd(t,n)?n:""},e}(r.default);e.default=a},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(12);function o(t){var e=t.split("-"),n=e.slice(1).map((function(t){return t[0].toUpperCase()+t.slice(1)})).join("");return e[0]+n}var a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.keys=function(t){return(t.getAttribute("style")||"").split(";").map((function(t){var e=t.split(":");return e[0].trim()}))},e.prototype.add=function(t,e){return!!this.canAdd(t,e)&&(t.style[o(this.keyName)]=e,!0)},e.prototype.remove=function(t){t.style[o(this.keyName)]="",t.getAttribute("style")||t.removeAttribute("style")},e.prototype.value=function(t){var e=t.style[o(this.keyName)];return this.canAdd(t,e)?e:""},e}(r.default);e.default=a},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=function(){function t(e,n){r(this,t),this.quill=e,this.options=n,this.modules={}}return i(t,[{key:"init",value:function(){var t=this;Object.keys(this.options.modules).forEach((function(e){null==t.modules[e]&&t.addModule(e)}))}},{key:"addModule",value:function(t){var e=this.quill.constructor.import("modules/"+t);return this.modules[t]=new e(this.quill,this.options.modules[t]||{}),this.modules[t]}}]),t}();o.DEFAULTS={modules:{}},o.themes={default:o},e.default=o},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=u(o),s=n(7),l=u(s);function u(t){return t&&t.__esModule?t:{default:t}}function c(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function h(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function d(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var f="\ufeff",p=function(t){function e(t){c(this,e);var n=h(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return n.contentNode=document.createElement("span"),n.contentNode.setAttribute("contenteditable",!1),[].slice.call(n.domNode.childNodes).forEach((function(t){n.contentNode.appendChild(t)})),n.leftGuard=document.createTextNode(f),n.rightGuard=document.createTextNode(f),n.domNode.appendChild(n.leftGuard),n.domNode.appendChild(n.contentNode),n.domNode.appendChild(n.rightGuard),n}return d(e,t),i(e,[{key:"index",value:function(t,n){return t===this.leftGuard?0:t===this.rightGuard?1:r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"index",this).call(this,t,n)}},{key:"restore",value:function(t){var e=void 0,n=void 0,i=t.data.split(f).join("");if(t===this.leftGuard)if(this.prev instanceof l.default){var r=this.prev.length();this.prev.insertAt(r,i),e={startNode:this.prev.domNode,startOffset:r+i.length}}else n=document.createTextNode(i),this.parent.insertBefore(a.default.create(n),this),e={startNode:n,startOffset:i.length};else t===this.rightGuard&&(this.next instanceof l.default?(this.next.insertAt(0,i),e={startNode:this.next.domNode,startOffset:i.length}):(n=document.createTextNode(i),this.parent.insertBefore(a.default.create(n),this.next),e={startNode:n,startOffset:i.length}));return t.data=f,e}},{key:"update",value:function(t,e){var n=this;t.forEach((function(t){if("characterData"===t.type&&(t.target===n.leftGuard||t.target===n.rightGuard)){var i=n.restore(t.target);i&&(e.range=i)}}))}}]),e}(a.default.Embed);e.default=p},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.AlignStyle=e.AlignClass=e.AlignAttribute=void 0;var i=n(0),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}var a={scope:r.default.Scope.BLOCK,whitelist:["right","center","justify"]},s=new r.default.Attributor.Attribute("align","align",a),l=new r.default.Attributor.Class("align","ql-align",a),u=new r.default.Attributor.Style("align","text-align",a);e.AlignAttribute=s,e.AlignClass=l,e.AlignStyle=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.BackgroundStyle=e.BackgroundClass=void 0;var i=n(0),r=a(i),o=n(26);function a(t){return t&&t.__esModule?t:{default:t}}var s=new r.default.Attributor.Class("background","ql-bg",{scope:r.default.Scope.INLINE}),l=new o.ColorAttributor("background","background-color",{scope:r.default.Scope.INLINE});e.BackgroundClass=s,e.BackgroundStyle=l},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.DirectionStyle=e.DirectionClass=e.DirectionAttribute=void 0;var i=n(0),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}var a={scope:r.default.Scope.BLOCK,whitelist:["rtl"]},s=new r.default.Attributor.Attribute("direction","dir",a),l=new r.default.Attributor.Class("direction","ql-direction",a),u=new r.default.Attributor.Style("direction","direction",a);e.DirectionAttribute=s,e.DirectionClass=l,e.DirectionStyle=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.FontClass=e.FontStyle=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h={scope:a.default.Scope.INLINE,whitelist:["serif","monospace"]},d=new a.default.Attributor.Class("font","ql-font",h),f=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"value",value:function(t){return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t).replace(/["']/g,"")}}]),e}(a.default.Attributor.Style),p=new f("font","font-family",h);e.FontStyle=p,e.FontClass=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.SizeStyle=e.SizeClass=void 0;var i=n(0),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}var a=new r.default.Attributor.Class("size","ql-size",{scope:r.default.Scope.INLINE,whitelist:["small","large","huge"]}),s=new r.default.Attributor.Style("size","font-size",{scope:r.default.Scope.INLINE,whitelist:["10px","18px","32px"]});e.SizeClass=a,e.SizeStyle=s},function(t,e,n){"use strict";t.exports={align:{"":n(76),center:n(77),right:n(78),justify:n(79)},background:n(80),blockquote:n(81),bold:n(82),clean:n(83),code:n(58),"code-block":n(58),color:n(84),direction:{"":n(85),rtl:n(86)},float:{center:n(87),full:n(88),left:n(89),right:n(90)},formula:n(91),header:{1:n(92),2:n(93)},italic:n(94),image:n(95),indent:{"+1":n(96),"-1":n(97)},link:n(98),list:{ordered:n(99),bullet:n(100),check:n(101)},script:{sub:n(102),super:n(103)},strike:n(104),underline:n(105),video:n(106)}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.getLastChangeIndex=e.default=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(0),o=c(r),a=n(5),s=c(a),l=n(9),u=c(l);function c(t){return t&&t.__esModule?t:{default:t}}function h(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function d(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function f(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var p=function(t){function e(t,n){h(this,e);var i=d(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.lastRecorded=0,i.ignoreChange=!1,i.clear(),i.quill.on(s.default.events.EDITOR_CHANGE,(function(t,e,n,r){t!==s.default.events.TEXT_CHANGE||i.ignoreChange||(i.options.userOnly&&r!==s.default.sources.USER?i.transform(e):i.record(e,n))})),i.quill.keyboard.addBinding({key:"Z",shortKey:!0},i.undo.bind(i)),i.quill.keyboard.addBinding({key:"Z",shortKey:!0,shiftKey:!0},i.redo.bind(i)),/Win/i.test(navigator.platform)&&i.quill.keyboard.addBinding({key:"Y",shortKey:!0},i.redo.bind(i)),i}return f(e,t),i(e,[{key:"change",value:function(t,e){if(0!==this.stack[t].length){var n=this.stack[t].pop();this.stack[e].push(n),this.lastRecorded=0,this.ignoreChange=!0,this.quill.updateContents(n[t],s.default.sources.USER),this.ignoreChange=!1;var i=m(n[t]);this.quill.setSelection(i)}}},{key:"clear",value:function(){this.stack={undo:[],redo:[]}}},{key:"cutoff",value:function(){this.lastRecorded=0}},{key:"record",value:function(t,e){if(0!==t.ops.length){this.stack.redo=[];var n=this.quill.getContents().diff(e),i=Date.now();if(this.lastRecorded+this.options.delay>i&&this.stack.undo.length>0){var r=this.stack.undo.pop();n=n.compose(r.undo),t=r.redo.compose(t)}else this.lastRecorded=i;this.stack.undo.push({redo:t,undo:n}),this.stack.undo.length>this.options.maxStack&&this.stack.undo.shift()}}},{key:"redo",value:function(){this.change("redo","undo")}},{key:"transform",value:function(t){this.stack.undo.forEach((function(e){e.undo=t.transform(e.undo,!0),e.redo=t.transform(e.redo,!0)})),this.stack.redo.forEach((function(e){e.undo=t.transform(e.undo,!0),e.redo=t.transform(e.redo,!0)}))}},{key:"undo",value:function(){this.change("undo","redo")}}]),e}(u.default);function v(t){var e=t.ops[t.ops.length-1];return null!=e&&(null!=e.insert?"string"===typeof e.insert&&e.insert.endsWith("\n"):null!=e.attributes&&Object.keys(e.attributes).some((function(t){return null!=o.default.query(t,o.default.Scope.BLOCK)})))}function m(t){var e=t.reduce((function(t,e){return t+=e.delete||0,t}),0),n=t.length()-e;return v(t)&&(n-=1),n}p.DEFAULTS={delay:1e3,maxStack:100,userOnly:!1},e.default=p,e.getLastChangeIndex=m},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BaseTooltip=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(3),a=x(o),s=n(2),l=x(s),u=n(8),c=x(u),h=n(23),d=x(h),f=n(34),p=x(f),v=n(59),m=x(v),g=n(60),y=x(g),_=n(28),b=x(_),w=n(61),A=x(w);function x(t){return t&&t.__esModule?t:{default:t}}function k(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function j(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function C(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var T=[!1,"center","right","justify"],E=["#000000","#e60000","#ff9900","#ffff00","#008a00","#0066cc","#9933ff","#ffffff","#facccc","#ffebcc","#ffffcc","#cce8cc","#cce0f5","#ebd6ff","#bbbbbb","#f06666","#ffc266","#ffff66","#66b966","#66a3e0","#c285ff","#888888","#a10000","#b26b00","#b2b200","#006100","#0047b2","#6b24b2","#444444","#5c0000","#663d00","#666600","#003700","#002966","#3d1466"],S=[!1,"serif","monospace"],O=["1","2","3",!1],q=["small",!1,"large","huge"],N=function(t){function e(t,n){k(this,e);var i=j(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n)),r=function e(n){if(!document.body.contains(t.root))return document.body.removeEventListener("click",e);null==i.tooltip||i.tooltip.root.contains(n.target)||document.activeElement===i.tooltip.textbox||i.quill.hasFocus()||i.tooltip.hide(),null!=i.pickers&&i.pickers.forEach((function(t){t.container.contains(n.target)||t.close()}))};return t.emitter.listenDOM("click",document.body,r),i}return C(e,t),i(e,[{key:"addModule",value:function(t){var n=r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"addModule",this).call(this,t);return"toolbar"===t&&this.extendToolbar(n),n}},{key:"buildButtons",value:function(t,e){t.forEach((function(t){var n=t.getAttribute("class")||"";n.split(/\s+/).forEach((function(n){if(n.startsWith("ql-")&&(n=n.slice("ql-".length),null!=e[n]))if("direction"===n)t.innerHTML=e[n][""]+e[n]["rtl"];else if("string"===typeof e[n])t.innerHTML=e[n];else{var i=t.value||"";null!=i&&e[n][i]&&(t.innerHTML=e[n][i])}}))}))}},{key:"buildPickers",value:function(t,e){var n=this;this.pickers=t.map((function(t){if(t.classList.contains("ql-align"))return null==t.querySelector("option")&&P(t,T),new y.default(t,e.align);if(t.classList.contains("ql-background")||t.classList.contains("ql-color")){var n=t.classList.contains("ql-background")?"background":"color";return null==t.querySelector("option")&&P(t,E,"background"===n?"#ffffff":"#000000"),new m.default(t,e[n])}return null==t.querySelector("option")&&(t.classList.contains("ql-font")?P(t,S):t.classList.contains("ql-header")?P(t,O):t.classList.contains("ql-size")&&P(t,q)),new b.default(t)}));var i=function(){n.pickers.forEach((function(t){t.update()}))};this.quill.on(c.default.events.EDITOR_CHANGE,i)}}]),e}(p.default);N.DEFAULTS=(0,a.default)(!0,{},p.default.DEFAULTS,{modules:{toolbar:{handlers:{formula:function(){this.quill.theme.tooltip.edit("formula")},image:function(){var t=this,e=this.container.querySelector("input.ql-image[type=file]");null==e&&(e=document.createElement("input"),e.setAttribute("type","file"),e.setAttribute("accept","image/png, image/gif, image/jpeg, image/bmp, image/x-icon"),e.classList.add("ql-image"),e.addEventListener("change",(function(){if(null!=e.files&&null!=e.files[0]){var n=new FileReader;n.onload=function(n){var i=t.quill.getSelection(!0);t.quill.updateContents((new l.default).retain(i.index).delete(i.length).insert({image:n.target.result}),c.default.sources.USER),t.quill.setSelection(i.index+1,c.default.sources.SILENT),e.value=""},n.readAsDataURL(e.files[0])}})),this.container.appendChild(e)),e.click()},video:function(){this.quill.theme.tooltip.edit("video")}}}}});var D=function(t){function e(t,n){k(this,e);var i=j(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.textbox=i.root.querySelector('input[type="text"]'),i.listen(),i}return C(e,t),i(e,[{key:"listen",value:function(){var t=this;this.textbox.addEventListener("keydown",(function(e){d.default.match(e,"enter")?(t.save(),e.preventDefault()):d.default.match(e,"escape")&&(t.cancel(),e.preventDefault())}))}},{key:"cancel",value:function(){this.hide()}},{key:"edit",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"link",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:null;this.root.classList.remove("ql-hidden"),this.root.classList.add("ql-editing"),null!=e?this.textbox.value=e:t!==this.root.getAttribute("data-mode")&&(this.textbox.value=""),this.position(this.quill.getBounds(this.quill.selection.savedRange)),this.textbox.select(),this.textbox.setAttribute("placeholder",this.textbox.getAttribute("data-"+t)||""),this.root.setAttribute("data-mode",t)}},{key:"restoreFocus",value:function(){var t=this.quill.scrollingContainer.scrollTop;this.quill.focus(),this.quill.scrollingContainer.scrollTop=t}},{key:"save",value:function(){var t=this.textbox.value;switch(this.root.getAttribute("data-mode")){case"link":var e=this.quill.root.scrollTop;this.linkRange?(this.quill.formatText(this.linkRange,"link",t,c.default.sources.USER),delete this.linkRange):(this.restoreFocus(),this.quill.format("link",t,c.default.sources.USER)),this.quill.root.scrollTop=e;break;case"video":t=M(t);case"formula":if(!t)break;var n=this.quill.getSelection(!0);if(null!=n){var i=n.index+n.length;this.quill.insertEmbed(i,this.root.getAttribute("data-mode"),t,c.default.sources.USER),"formula"===this.root.getAttribute("data-mode")&&this.quill.insertText(i+1," ",c.default.sources.USER),this.quill.setSelection(i+2,c.default.sources.USER)}break;default:}this.textbox.value="",this.hide()}}]),e}(A.default);function M(t){var e=t.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtube\.com\/watch.*v=([a-zA-Z0-9_-]+)/)||t.match(/^(?:(https?):\/\/)?(?:(?:www|m)\.)?youtu\.be\/([a-zA-Z0-9_-]+)/);return e?(e[1]||"https")+"://www.youtube.com/embed/"+e[2]+"?showinfo=0":(e=t.match(/^(?:(https?):\/\/)?(?:www\.)?vimeo\.com\/(\d+)/))?(e[1]||"https")+"://player.vimeo.com/video/"+e[2]+"/":t}function P(t,e){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];e.forEach((function(e){var i=document.createElement("option");e===n?i.setAttribute("selected","selected"):i.setAttribute("value",e),t.appendChild(i)}))}e.BaseTooltip=D,e.default=N},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(){this.head=this.tail=null,this.length=0}return t.prototype.append=function(){for(var t=[],e=0;e<arguments.length;e++)t[e]=arguments[e];this.insertBefore(t[0],null),t.length>1&&this.append.apply(this,t.slice(1))},t.prototype.contains=function(t){var e,n=this.iterator();while(e=n())if(e===t)return!0;return!1},t.prototype.insertBefore=function(t,e){t&&(t.next=e,null!=e?(t.prev=e.prev,null!=e.prev&&(e.prev.next=t),e.prev=t,e===this.head&&(this.head=t)):null!=this.tail?(this.tail.next=t,t.prev=this.tail,this.tail=t):(t.prev=null,this.head=this.tail=t),this.length+=1)},t.prototype.offset=function(t){var e=0,n=this.head;while(null!=n){if(n===t)return e;e+=n.length(),n=n.next}return-1},t.prototype.remove=function(t){this.contains(t)&&(null!=t.prev&&(t.prev.next=t.next),null!=t.next&&(t.next.prev=t.prev),t===this.head&&(this.head=t.next),t===this.tail&&(this.tail=t.prev),this.length-=1)},t.prototype.iterator=function(t){return void 0===t&&(t=this.head),function(){var e=t;return null!=t&&(t=t.next),e}},t.prototype.find=function(t,e){void 0===e&&(e=!1);var n,i=this.iterator();while(n=i()){var r=n.length();if(t<r||e&&t===r&&(null==n.next||0!==n.next.length()))return[n,t];t-=r}return[null,0]},t.prototype.forEach=function(t){var e,n=this.iterator();while(e=n())t(e)},t.prototype.forEachAt=function(t,e,n){if(!(e<=0)){var i,r=this.find(t),o=r[0],a=r[1],s=t-a,l=this.iterator(o);while((i=l())&&s<t+e){var u=i.length();t>s?n(i,t-s,Math.min(e,s+u-t)):n(i,0,Math.min(u,t+e-s)),s+=u}}},t.prototype.map=function(t){return this.reduce((function(e,n){return e.push(t(n)),e}),[])},t.prototype.reduce=function(t,e){var n,i=this.iterator();while(n=i())e=t(e,n);return e},t}();e.default=i},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(17),o=n(1),a={attributes:!0,characterData:!0,characterDataOldValue:!0,childList:!0,subtree:!0},s=100,l=function(t){function e(e){var n=t.call(this,e)||this;return n.scroll=n,n.observer=new MutationObserver((function(t){n.update(t)})),n.observer.observe(n.domNode,a),n.attach(),n}return i(e,t),e.prototype.detach=function(){t.prototype.detach.call(this),this.observer.disconnect()},e.prototype.deleteAt=function(e,n){this.update(),0===e&&n===this.length()?this.children.forEach((function(t){t.remove()})):t.prototype.deleteAt.call(this,e,n)},e.prototype.formatAt=function(e,n,i,r){this.update(),t.prototype.formatAt.call(this,e,n,i,r)},e.prototype.insertAt=function(e,n,i){this.update(),t.prototype.insertAt.call(this,e,n,i)},e.prototype.optimize=function(e,n){var i=this;void 0===e&&(e=[]),void 0===n&&(n={}),t.prototype.optimize.call(this,n);var a=[].slice.call(this.observer.takeRecords());while(a.length>0)e.push(a.pop());for(var l=function(t,e){void 0===e&&(e=!0),null!=t&&t!==i&&null!=t.domNode.parentNode&&(null==t.domNode[o.DATA_KEY].mutations&&(t.domNode[o.DATA_KEY].mutations=[]),e&&l(t.parent))},u=function(t){null!=t.domNode[o.DATA_KEY]&&null!=t.domNode[o.DATA_KEY].mutations&&(t instanceof r.default&&t.children.forEach(u),t.optimize(n))},c=e,h=0;c.length>0;h+=1){if(h>=s)throw new Error("[Parchment] Maximum optimize iterations reached");c.forEach((function(t){var e=o.find(t.target,!0);null!=e&&(e.domNode===t.target&&("childList"===t.type?(l(o.find(t.previousSibling,!1)),[].forEach.call(t.addedNodes,(function(t){var e=o.find(t,!1);l(e,!1),e instanceof r.default&&e.children.forEach((function(t){l(t,!1)}))}))):"attributes"===t.type&&l(e.prev)),l(e))})),this.children.forEach(u),c=[].slice.call(this.observer.takeRecords()),a=c.slice();while(a.length>0)e.push(a.pop())}},e.prototype.update=function(e,n){var i=this;void 0===n&&(n={}),e=e||this.observer.takeRecords(),e.map((function(t){var e=o.find(t.target,!0);return null==e?null:null==e.domNode[o.DATA_KEY].mutations?(e.domNode[o.DATA_KEY].mutations=[t],e):(e.domNode[o.DATA_KEY].mutations.push(t),null)})).forEach((function(t){null!=t&&t!==i&&null!=t.domNode[o.DATA_KEY]&&t.update(t.domNode[o.DATA_KEY].mutations||[],n)})),null!=this.domNode[o.DATA_KEY].mutations&&t.prototype.update.call(this,this.domNode[o.DATA_KEY].mutations,n),this.optimize(e,n)},e.blotName="scroll",e.defaultChild="block",e.scope=o.Scope.BLOCK_BLOT,e.tagName="DIV",e}(r.default);e.default=l},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(18),o=n(1);function a(t,e){if(Object.keys(t).length!==Object.keys(e).length)return!1;for(var n in t)if(t[n]!==e[n])return!1;return!0}var s=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(n){if(n.tagName!==e.tagName)return t.formats.call(this,n)},e.prototype.format=function(n,i){var o=this;n!==this.statics.blotName||i?t.prototype.format.call(this,n,i):(this.children.forEach((function(t){t instanceof r.default||(t=t.wrap(e.blotName,!0)),o.attributes.copy(t)})),this.unwrap())},e.prototype.formatAt=function(e,n,i,r){if(null!=this.formats()[i]||o.query(i,o.Scope.ATTRIBUTE)){var a=this.isolate(e,n);a.format(i,r)}else t.prototype.formatAt.call(this,e,n,i,r)},e.prototype.optimize=function(n){t.prototype.optimize.call(this,n);var i=this.formats();if(0===Object.keys(i).length)return this.unwrap();var r=this.next;r instanceof e&&r.prev===this&&a(i,r.formats())&&(r.moveChildren(this),r.remove())},e.blotName="inline",e.scope=o.Scope.INLINE_BLOT,e.tagName="SPAN",e}(r.default);e.default=s},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(18),o=n(1),a=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(n){var i=o.query(e.blotName).tagName;if(n.tagName!==i)return t.formats.call(this,n)},e.prototype.format=function(n,i){null!=o.query(n,o.Scope.BLOCK)&&(n!==this.statics.blotName||i?t.prototype.format.call(this,n,i):this.replaceWith(e.blotName))},e.prototype.formatAt=function(e,n,i,r){null!=o.query(i,o.Scope.BLOCK)?this.format(i,r):t.prototype.formatAt.call(this,e,n,i,r)},e.prototype.insertAt=function(e,n,i){if(null==i||null!=o.query(n,o.Scope.INLINE))t.prototype.insertAt.call(this,e,n,i);else{var r=this.split(e),a=o.create(n,i);r.parent.insertBefore(a,r)}},e.prototype.update=function(e,n){navigator.userAgent.match(/Trident/)?this.build():t.prototype.update.call(this,e,n)},e.blotName="block",e.scope=o.Scope.BLOCK_BLOT,e.tagName="P",e}(r.default);e.default=a},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(19),o=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return i(e,t),e.formats=function(t){},e.prototype.format=function(e,n){t.prototype.formatAt.call(this,0,this.length(),e,n)},e.prototype.formatAt=function(e,n,i,r){0===e&&n===this.length()?this.format(i,r):t.prototype.formatAt.call(this,e,n,i,r)},e.prototype.formats=function(){return this.statics.formats(this.domNode)},e}(r.default);e.default=o},function(t,e,n){"use strict";var i=this&&this.__extends||function(){var t=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)e.hasOwnProperty(n)&&(t[n]=e[n])};return function(e,n){function i(){this.constructor=e}t(e,n),e.prototype=null===n?Object.create(n):(i.prototype=n.prototype,new i)}}();Object.defineProperty(e,"__esModule",{value:!0});var r=n(19),o=n(1),a=function(t){function e(e){var n=t.call(this,e)||this;return n.text=n.statics.value(n.domNode),n}return i(e,t),e.create=function(t){return document.createTextNode(t)},e.value=function(t){var e=t.data;return e["normalize"]&&(e=e["normalize"]()),e},e.prototype.deleteAt=function(t,e){this.domNode.data=this.text=this.text.slice(0,t)+this.text.slice(t+e)},e.prototype.index=function(t,e){return this.domNode===t?e:-1},e.prototype.insertAt=function(e,n,i){null==i?(this.text=this.text.slice(0,e)+n+this.text.slice(e),this.domNode.data=this.text):t.prototype.insertAt.call(this,e,n,i)},e.prototype.length=function(){return this.text.length},e.prototype.optimize=function(n){t.prototype.optimize.call(this,n),this.text=this.statics.value(this.domNode),0===this.text.length?this.remove():this.next instanceof e&&this.next.prev===this&&(this.insertAt(this.length(),this.next.value()),this.next.remove())},e.prototype.position=function(t,e){return void 0===e&&(e=!1),[this.domNode,t]},e.prototype.split=function(t,e){if(void 0===e&&(e=!1),!e){if(0===t)return this;if(t===this.length())return this.next}var n=o.create(this.domNode.splitText(t));return this.parent.insertBefore(n,this.next),this.text=this.statics.value(this.domNode),n},e.prototype.update=function(t,e){var n=this;t.some((function(t){return"characterData"===t.type&&t.target===n.domNode}))&&(this.text=this.statics.value(this.domNode))},e.prototype.value=function(){return this.text},e.blotName="text",e.scope=o.Scope.INLINE_BLOT,e}(r.default);e.default=a},function(t,e,n){"use strict";var i=document.createElement("div");if(i.classList.toggle("test-class",!1),i.classList.contains("test-class")){var r=DOMTokenList.prototype.toggle;DOMTokenList.prototype.toggle=function(t,e){return arguments.length>1&&!this.contains(t)===!e?e:r.call(this,t)}}String.prototype.startsWith||(String.prototype.startsWith=function(t,e){return e=e||0,this.substr(e,t.length)===t}),String.prototype.endsWith||(String.prototype.endsWith=function(t,e){var n=this.toString();("number"!==typeof e||!isFinite(e)||Math.floor(e)!==e||e>n.length)&&(e=n.length),e-=t.length;var i=n.indexOf(t,e);return-1!==i&&i===e}),Array.prototype.find||Object.defineProperty(Array.prototype,"find",{value:function(t){if(null===this)throw new TypeError("Array.prototype.find called on null or undefined");if("function"!==typeof t)throw new TypeError("predicate must be a function");for(var e,n=Object(this),i=n.length>>>0,r=arguments[1],o=0;o<i;o++)if(e=n[o],t.call(r,e,o,n))return e}}),document.addEventListener("DOMContentLoaded",(function(){document.execCommand("enableObjectResizing",!1,!1),document.execCommand("autoUrlDetect",!1,!1)}))},function(t,e){var n=-1,i=1,r=0;function o(t,e,n){if(t==e)return t?[[r,t]]:[];(n<0||t.length<n)&&(n=null);var i=u(t,e),o=t.substring(0,i);t=t.substring(i),e=e.substring(i),i=c(t,e);var s=t.substring(t.length-i);t=t.substring(0,t.length-i),e=e.substring(0,e.length-i);var l=a(t,e);return o&&l.unshift([r,o]),s&&l.push([r,s]),d(l),null!=n&&(l=v(l,n)),l=m(l),l}function a(t,e){var a;if(!t)return[[i,e]];if(!e)return[[n,t]];var l=t.length>e.length?t:e,u=t.length>e.length?e:t,c=l.indexOf(u);if(-1!=c)return a=[[i,l.substring(0,c)],[r,u],[i,l.substring(c+u.length)]],t.length>e.length&&(a[0][0]=a[2][0]=n),a;if(1==u.length)return[[n,t],[i,e]];var d=h(t,e);if(d){var f=d[0],p=d[1],v=d[2],m=d[3],g=d[4],y=o(f,v),_=o(p,m);return y.concat([[r,g]],_)}return s(t,e)}function s(t,e){for(var r=t.length,o=e.length,a=Math.ceil((r+o)/2),s=a,u=2*a,c=new Array(u),h=new Array(u),d=0;d<u;d++)c[d]=-1,h[d]=-1;c[s+1]=0,h[s+1]=0;for(var f=r-o,p=f%2!=0,v=0,m=0,g=0,y=0,_=0;_<a;_++){for(var b=-_+v;b<=_-m;b+=2){var w=s+b;T=b==-_||b!=_&&c[w-1]<c[w+1]?c[w+1]:c[w-1]+1;var A=T-b;while(T<r&&A<o&&t.charAt(T)==e.charAt(A))T++,A++;if(c[w]=T,T>r)m+=2;else if(A>o)v+=2;else if(p){var x=s+f-b;if(x>=0&&x<u&&-1!=h[x]){var k=r-h[x];if(T>=k)return l(t,e,T,A)}}}for(var j=-_+g;j<=_-y;j+=2){x=s+j;k=j==-_||j!=_&&h[x-1]<h[x+1]?h[x+1]:h[x-1]+1;var C=k-j;while(k<r&&C<o&&t.charAt(r-k-1)==e.charAt(o-C-1))k++,C++;if(h[x]=k,k>r)y+=2;else if(C>o)g+=2;else if(!p){w=s+f-j;if(w>=0&&w<u&&-1!=c[w]){var T=c[w];A=s+T-w;if(k=r-k,T>=k)return l(t,e,T,A)}}}}return[[n,t],[i,e]]}function l(t,e,n,i){var r=t.substring(0,n),a=e.substring(0,i),s=t.substring(n),l=e.substring(i),u=o(r,a),c=o(s,l);return u.concat(c)}function u(t,e){if(!t||!e||t.charAt(0)!=e.charAt(0))return 0;var n=0,i=Math.min(t.length,e.length),r=i,o=0;while(n<r)t.substring(o,r)==e.substring(o,r)?(n=r,o=n):i=r,r=Math.floor((i-n)/2+n);return r}function c(t,e){if(!t||!e||t.charAt(t.length-1)!=e.charAt(e.length-1))return 0;var n=0,i=Math.min(t.length,e.length),r=i,o=0;while(n<r)t.substring(t.length-r,t.length-o)==e.substring(e.length-r,e.length-o)?(n=r,o=n):i=r,r=Math.floor((i-n)/2+n);return r}function h(t,e){var n=t.length>e.length?t:e,i=t.length>e.length?e:t;if(n.length<4||2*i.length<n.length)return null;function r(t,e,n){var i,r,o,a,s=t.substring(n,n+Math.floor(t.length/4)),l=-1,h="";while(-1!=(l=e.indexOf(s,l+1))){var d=u(t.substring(n),e.substring(l)),f=c(t.substring(0,n),e.substring(0,l));h.length<f+d&&(h=e.substring(l-f,l)+e.substring(l,l+d),i=t.substring(0,n-f),r=t.substring(n+d),o=e.substring(0,l-f),a=e.substring(l+d))}return 2*h.length>=t.length?[i,r,o,a,h]:null}var o,a,s,l,h,d=r(n,i,Math.ceil(n.length/4)),f=r(n,i,Math.ceil(n.length/2));if(!d&&!f)return null;o=f?d&&d[4].length>f[4].length?d:f:d,t.length>e.length?(a=o[0],s=o[1],l=o[2],h=o[3]):(l=o[0],h=o[1],a=o[2],s=o[3]);var p=o[4];return[a,s,l,h,p]}function d(t){t.push([r,""]);var e,o=0,a=0,s=0,l="",h="";while(o<t.length)switch(t[o][0]){case i:s++,h+=t[o][1],o++;break;case n:a++,l+=t[o][1],o++;break;case r:a+s>1?(0!==a&&0!==s&&(e=u(h,l),0!==e&&(o-a-s>0&&t[o-a-s-1][0]==r?t[o-a-s-1][1]+=h.substring(0,e):(t.splice(0,0,[r,h.substring(0,e)]),o++),h=h.substring(e),l=l.substring(e)),e=c(h,l),0!==e&&(t[o][1]=h.substring(h.length-e)+t[o][1],h=h.substring(0,h.length-e),l=l.substring(0,l.length-e))),0===a?t.splice(o-s,a+s,[i,h]):0===s?t.splice(o-a,a+s,[n,l]):t.splice(o-a-s,a+s,[n,l],[i,h]),o=o-a-s+(a?1:0)+(s?1:0)+1):0!==o&&t[o-1][0]==r?(t[o-1][1]+=t[o][1],t.splice(o,1)):o++,s=0,a=0,l="",h="";break}""===t[t.length-1][1]&&t.pop();var f=!1;o=1;while(o<t.length-1)t[o-1][0]==r&&t[o+1][0]==r&&(t[o][1].substring(t[o][1].length-t[o-1][1].length)==t[o-1][1]?(t[o][1]=t[o-1][1]+t[o][1].substring(0,t[o][1].length-t[o-1][1].length),t[o+1][1]=t[o-1][1]+t[o+1][1],t.splice(o-1,1),f=!0):t[o][1].substring(0,t[o+1][1].length)==t[o+1][1]&&(t[o-1][1]+=t[o+1][1],t[o][1]=t[o][1].substring(t[o+1][1].length)+t[o+1][1],t.splice(o+1,1),f=!0)),o++;f&&d(t)}var f=o;function p(t,e){if(0===e)return[r,t];for(var i=0,o=0;o<t.length;o++){var a=t[o];if(a[0]===n||a[0]===r){var s=i+a[1].length;if(e===s)return[o+1,t];if(e<s){t=t.slice();var l=e-i,u=[a[0],a[1].slice(0,l)],c=[a[0],a[1].slice(l)];return t.splice(o,1,u,c),[o+1,t]}i=s}}throw new Error("cursor_pos is out of bounds!")}function v(t,e){var n=p(t,e),i=n[1],o=n[0],a=i[o],s=i[o+1];if(null==a)return t;if(a[0]!==r)return t;if(null!=s&&a[1]+s[1]===s[1]+a[1])return i.splice(o,2,s,a),g(i,o,2);if(null!=s&&0===s[1].indexOf(a[1])){i.splice(o,2,[s[0],a[1]],[0,a[1]]);var l=s[1].slice(a[1].length);return l.length>0&&i.splice(o+2,0,[s[0],l]),g(i,o,3)}return t}function m(t){for(var e=!1,o=function(t){return t.charCodeAt(0)>=56320&&t.charCodeAt(0)<=57343},a=function(t){return t.charCodeAt(t.length-1)>=55296&&t.charCodeAt(t.length-1)<=56319},s=2;s<t.length;s+=1)t[s-2][0]===r&&a(t[s-2][1])&&t[s-1][0]===n&&o(t[s-1][1])&&t[s][0]===i&&o(t[s][1])&&(e=!0,t[s-1][1]=t[s-2][1].slice(-1)+t[s-1][1],t[s][1]=t[s-2][1].slice(-1)+t[s][1],t[s-2][1]=t[s-2][1].slice(0,-1));if(!e)return t;var l=[];for(s=0;s<t.length;s+=1)t[s][1].length>0&&l.push(t[s]);return l}function g(t,e,n){for(var i=e+n-1;i>=0&&i>=e-1;i--)if(i+1<t.length){var r=t[i],o=t[i+1];r[0]===o[1]&&t.splice(i,2,[r[0],r[1]+o[1]])}return t}f.INSERT=i,f.DELETE=n,f.EQUAL=r,t.exports=f},function(t,e){function n(t){var e=[];for(var n in t)e.push(n);return e}e=t.exports="function"===typeof Object.keys?Object.keys:n,e.shim=n},function(t,e){var n="[object Arguments]"==function(){return Object.prototype.toString.call(arguments)}();function i(t){return"[object Arguments]"==Object.prototype.toString.call(t)}function r(t){return t&&"object"==typeof t&&"number"==typeof t.length&&Object.prototype.hasOwnProperty.call(t,"callee")&&!Object.prototype.propertyIsEnumerable.call(t,"callee")||!1}e=t.exports=n?i:r,e.supported=i,e.unsupported=r},function(t,e){"use strict";var n=Object.prototype.hasOwnProperty,i="~";function r(){}function o(t,e,n){this.fn=t,this.context=e,this.once=n||!1}function a(){this._events=new r,this._eventsCount=0}Object.create&&(r.prototype=Object.create(null),(new r).__proto__||(i=!1)),a.prototype.eventNames=function(){var t,e,r=[];if(0===this._eventsCount)return r;for(e in t=this._events)n.call(t,e)&&r.push(i?e.slice(1):e);return Object.getOwnPropertySymbols?r.concat(Object.getOwnPropertySymbols(t)):r},a.prototype.listeners=function(t,e){var n=i?i+t:t,r=this._events[n];if(e)return!!r;if(!r)return[];if(r.fn)return[r.fn];for(var o=0,a=r.length,s=new Array(a);o<a;o++)s[o]=r[o].fn;return s},a.prototype.emit=function(t,e,n,r,o,a){var s=i?i+t:t;if(!this._events[s])return!1;var l,u,c=this._events[s],h=arguments.length;if(c.fn){switch(c.once&&this.removeListener(t,c.fn,void 0,!0),h){case 1:return c.fn.call(c.context),!0;case 2:return c.fn.call(c.context,e),!0;case 3:return c.fn.call(c.context,e,n),!0;case 4:return c.fn.call(c.context,e,n,r),!0;case 5:return c.fn.call(c.context,e,n,r,o),!0;case 6:return c.fn.call(c.context,e,n,r,o,a),!0}for(u=1,l=new Array(h-1);u<h;u++)l[u-1]=arguments[u];c.fn.apply(c.context,l)}else{var d,f=c.length;for(u=0;u<f;u++)switch(c[u].once&&this.removeListener(t,c[u].fn,void 0,!0),h){case 1:c[u].fn.call(c[u].context);break;case 2:c[u].fn.call(c[u].context,e);break;case 3:c[u].fn.call(c[u].context,e,n);break;case 4:c[u].fn.call(c[u].context,e,n,r);break;default:if(!l)for(d=1,l=new Array(h-1);d<h;d++)l[d-1]=arguments[d];c[u].fn.apply(c[u].context,l)}}return!0},a.prototype.on=function(t,e,n){var r=new o(e,n||this),a=i?i+t:t;return this._events[a]?this._events[a].fn?this._events[a]=[this._events[a],r]:this._events[a].push(r):(this._events[a]=r,this._eventsCount++),this},a.prototype.once=function(t,e,n){var r=new o(e,n||this,!0),a=i?i+t:t;return this._events[a]?this._events[a].fn?this._events[a]=[this._events[a],r]:this._events[a].push(r):(this._events[a]=r,this._eventsCount++),this},a.prototype.removeListener=function(t,e,n,o){var a=i?i+t:t;if(!this._events[a])return this;if(!e)return 0===--this._eventsCount?this._events=new r:delete this._events[a],this;var s=this._events[a];if(s.fn)s.fn!==e||o&&!s.once||n&&s.context!==n||(0===--this._eventsCount?this._events=new r:delete this._events[a]);else{for(var l=0,u=[],c=s.length;l<c;l++)(s[l].fn!==e||o&&!s[l].once||n&&s[l].context!==n)&&u.push(s[l]);u.length?this._events[a]=1===u.length?u[0]:u:0===--this._eventsCount?this._events=new r:delete this._events[a]}return this},a.prototype.removeAllListeners=function(t){var e;return t?(e=i?i+t:t,this._events[e]&&(0===--this._eventsCount?this._events=new r:delete this._events[e])):(this._events=new r,this._eventsCount=0),this},a.prototype.off=a.prototype.removeListener,a.prototype.addListener=a.prototype.on,a.prototype.setMaxListeners=function(){return this},a.prefixed=i,a.EventEmitter=a,"undefined"!==typeof t&&(t.exports=a)},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.matchText=e.matchSpacing=e.matchNewline=e.matchBlot=e.matchAttributor=e.default=void 0;var i="function"===typeof Symbol&&"symbol"===typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"===typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},r=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(3),s=C(a),l=n(2),u=C(l),c=n(0),h=C(c),d=n(5),f=C(d),p=n(10),v=C(p),m=n(9),g=C(m),y=n(36),_=n(37),b=n(13),w=C(b),A=n(26),x=n(38),k=n(39),j=n(40);function C(t){return t&&t.__esModule?t:{default:t}}function T(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function E(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function S(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function O(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var q=(0,v.default)("quill:clipboard"),N="__ql-matcher",D=[[Node.TEXT_NODE,J],[Node.TEXT_NODE,Q],["br",U],[Node.ELEMENT_NODE,Q],[Node.ELEMENT_NODE,H],[Node.ELEMENT_NODE,Z],[Node.ELEMENT_NODE,Y],[Node.ELEMENT_NODE,K],["li",G],["b",V.bind(V,"bold")],["i",V.bind(V,"italic")],["style",W]],M=[y.AlignAttribute,x.DirectionAttribute].reduce((function(t,e){return t[e.keyName]=e,t}),{}),P=[y.AlignStyle,_.BackgroundStyle,A.ColorStyle,x.DirectionStyle,k.FontStyle,j.SizeStyle].reduce((function(t,e){return t[e.keyName]=e,t}),{}),L=function(t){function e(t,n){E(this,e);var i=S(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.root.addEventListener("paste",i.onPaste.bind(i)),i.container=i.quill.addContainer("ql-clipboard"),i.container.setAttribute("contenteditable",!0),i.container.setAttribute("tabindex",-1),i.matchers=[],D.concat(i.options.matchers).forEach((function(t){var e=r(t,2),o=e[0],a=e[1];(n.matchVisual||a!==Z)&&i.addMatcher(o,a)})),i}return O(e,t),o(e,[{key:"addMatcher",value:function(t,e){this.matchers.push([t,e])}},{key:"convert",value:function(t){if("string"===typeof t)return this.container.innerHTML=t.replace(/\>\r?\n +\</g,"><"),this.convert();var e=this.quill.getFormat(this.quill.selection.savedRange.index);if(e[w.default.blotName]){var n=this.container.innerText;return this.container.innerHTML="",(new u.default).insert(n,T({},w.default.blotName,e[w.default.blotName]))}var i=this.prepareMatching(),o=r(i,2),a=o[0],s=o[1],l=z(this.container,a,s);return R(l,"\n")&&null==l.ops[l.ops.length-1].attributes&&(l=l.compose((new u.default).retain(l.length()-1).delete(1))),q.log("convert",this.container.innerHTML,l),this.container.innerHTML="",l}},{key:"dangerouslyPasteHTML",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:f.default.sources.API;if("string"===typeof t)this.quill.setContents(this.convert(t),e),this.quill.setSelection(0,f.default.sources.SILENT);else{var i=this.convert(e);this.quill.updateContents((new u.default).retain(t).concat(i),n),this.quill.setSelection(t+i.length(),f.default.sources.SILENT)}}},{key:"onPaste",value:function(t){var e=this;if(!t.defaultPrevented&&this.quill.isEnabled()){var n=this.quill.getSelection(),i=(new u.default).retain(n.index),r=this.quill.scrollingContainer.scrollTop;this.container.focus(),this.quill.selection.update(f.default.sources.SILENT),setTimeout((function(){i=i.concat(e.convert()).delete(n.length),e.quill.updateContents(i,f.default.sources.USER),e.quill.setSelection(i.length()-n.length,f.default.sources.SILENT),e.quill.scrollingContainer.scrollTop=r,e.quill.focus()}),1)}}},{key:"prepareMatching",value:function(){var t=this,e=[],n=[];return this.matchers.forEach((function(i){var o=r(i,2),a=o[0],s=o[1];switch(a){case Node.TEXT_NODE:n.push(s);break;case Node.ELEMENT_NODE:e.push(s);break;default:[].forEach.call(t.container.querySelectorAll(a),(function(t){t[N]=t[N]||[],t[N].push(s)}));break}})),[e,n]}}]),e}(g.default);function B(t,e,n){return"object"===("undefined"===typeof e?"undefined":i(e))?Object.keys(e).reduce((function(t,n){return B(t,n,e[n])}),t):t.reduce((function(t,i){return i.attributes&&i.attributes[e]?t.push(i):t.insert(i.insert,(0,s.default)({},T({},e,n),i.attributes))}),new u.default)}function I(t){if(t.nodeType!==Node.ELEMENT_NODE)return{};var e="__ql-computed-style";return t[e]||(t[e]=window.getComputedStyle(t))}function R(t,e){for(var n="",i=t.ops.length-1;i>=0&&n.length<e.length;--i){var r=t.ops[i];if("string"!==typeof r.insert)break;n=r.insert+n}return n.slice(-1*e.length)===e}function F(t){if(0===t.childNodes.length)return!1;var e=I(t);return["block","list-item"].indexOf(e.display)>-1}function z(t,e,n){return t.nodeType===t.TEXT_NODE?n.reduce((function(e,n){return n(t,e)}),new u.default):t.nodeType===t.ELEMENT_NODE?[].reduce.call(t.childNodes||[],(function(i,r){var o=z(r,e,n);return r.nodeType===t.ELEMENT_NODE&&(o=e.reduce((function(t,e){return e(r,t)}),o),o=(r[N]||[]).reduce((function(t,e){return e(r,t)}),o)),i.concat(o)}),new u.default):new u.default}function V(t,e,n){return B(n,t,!0)}function Y(t,e){var n=h.default.Attributor.Attribute.keys(t),i=h.default.Attributor.Class.keys(t),r=h.default.Attributor.Style.keys(t),o={};return n.concat(i).concat(r).forEach((function(e){var n=h.default.query(e,h.default.Scope.ATTRIBUTE);null!=n&&(o[n.attrName]=n.value(t),o[n.attrName])||(n=M[e],null==n||n.attrName!==e&&n.keyName!==e||(o[n.attrName]=n.value(t)||void 0),n=P[e],null==n||n.attrName!==e&&n.keyName!==e||(n=P[e],o[n.attrName]=n.value(t)||void 0))})),Object.keys(o).length>0&&(e=B(e,o)),e}function H(t,e){var n=h.default.query(t);if(null==n)return e;if(n.prototype instanceof h.default.Embed){var i={},r=n.value(t);null!=r&&(i[n.blotName]=r,e=(new u.default).insert(i,n.formats(t)))}else"function"===typeof n.formats&&(e=B(e,n.blotName,n.formats(t)));return e}function U(t,e){return R(e,"\n")||e.insert("\n"),e}function W(){return new u.default}function G(t,e){var n=h.default.query(t);if(null==n||"list-item"!==n.blotName||!R(e,"\n"))return e;var i=-1,r=t.parentNode;while(!r.classList.contains("ql-clipboard"))"list"===(h.default.query(r)||{}).blotName&&(i+=1),r=r.parentNode;return i<=0?e:e.compose((new u.default).retain(e.length()-1).retain(1,{indent:i}))}function Q(t,e){return R(e,"\n")||(F(t)||e.length()>0&&t.nextSibling&&F(t.nextSibling))&&e.insert("\n"),e}function Z(t,e){if(F(t)&&null!=t.nextElementSibling&&!R(e,"\n\n")){var n=t.offsetHeight+parseFloat(I(t).marginTop)+parseFloat(I(t).marginBottom);t.nextElementSibling.offsetTop>t.offsetTop+1.5*n&&e.insert("\n")}return e}function K(t,e){var n={},i=t.style||{};return i.fontStyle&&"italic"===I(t).fontStyle&&(n.italic=!0),i.fontWeight&&(I(t).fontWeight.startsWith("bold")||parseInt(I(t).fontWeight)>=700)&&(n.bold=!0),Object.keys(n).length>0&&(e=B(e,n)),parseFloat(i.textIndent||0)>0&&(e=(new u.default).insert("\t").concat(e)),e}function J(t,e){var n=t.data;if("O:P"===t.parentNode.tagName)return e.insert(n.trim());if(0===n.trim().length&&t.parentNode.classList.contains("ql-clipboard"))return e;if(!I(t.parentNode).whiteSpace.startsWith("pre")){var i=function(t,e){return e=e.replace(/[^\u00a0]/g,""),e.length<1&&t?" ":e};n=n.replace(/\r\n/g," ").replace(/\n/g," "),n=n.replace(/\s\s+/g,i.bind(i,!0)),(null==t.previousSibling&&F(t.parentNode)||null!=t.previousSibling&&F(t.previousSibling))&&(n=n.replace(/^\s+/,i.bind(i,!1))),(null==t.nextSibling&&F(t.parentNode)||null!=t.nextSibling&&F(t.nextSibling))&&(n=n.replace(/\s+$/,i.bind(i,!1)))}return e.insert(n)}L.DEFAULTS={matchers:[],matchVisual:!0},e.default=L,e.matchAttributor=Y,e.matchBlot=H,e.matchNewline=Q,e.matchSpacing=Z,e.matchText=J},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(6),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"optimize",value:function(t){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t),this.domNode.tagName!==this.statics.tagName[0]&&this.replaceWith(this.statics.blotName)}}],[{key:"create",value:function(){return r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this)}},{key:"formats",value:function(){return!0}}]),e}(a.default);h.blotName="bold",h.tagName=["STRONG","B"],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.addControls=e.default=void 0;var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(2),a=v(o),s=n(0),l=v(s),u=n(5),c=v(u),h=n(10),d=v(h),f=n(9),p=v(f);function v(t){return t&&t.__esModule?t:{default:t}}function m(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function g(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function y(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function _(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var b=(0,d.default)("quill:toolbar"),w=function(t){function e(t,n){g(this,e);var r,o=y(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));if(Array.isArray(o.options.container)){var a=document.createElement("div");x(a,o.options.container),t.container.parentNode.insertBefore(a,t.container),o.container=a}else"string"===typeof o.options.container?o.container=document.querySelector(o.options.container):o.container=o.options.container;return o.container instanceof HTMLElement?(o.container.classList.add("ql-toolbar"),o.controls=[],o.handlers={},Object.keys(o.options.handlers).forEach((function(t){o.addHandler(t,o.options.handlers[t])})),[].forEach.call(o.container.querySelectorAll("button, select"),(function(t){o.attach(t)})),o.quill.on(c.default.events.EDITOR_CHANGE,(function(t,e){t===c.default.events.SELECTION_CHANGE&&o.update(e)})),o.quill.on(c.default.events.SCROLL_OPTIMIZE,(function(){var t=o.quill.selection.getRange(),e=i(t,1),n=e[0];o.update(n)})),o):(r=b.error("Container required for toolbar",o.options),y(o,r))}return _(e,t),r(e,[{key:"addHandler",value:function(t,e){this.handlers[t]=e}},{key:"attach",value:function(t){var e=this,n=[].find.call(t.classList,(function(t){return 0===t.indexOf("ql-")}));if(n){if(n=n.slice("ql-".length),"BUTTON"===t.tagName&&t.setAttribute("type","button"),null==this.handlers[n]){if(null!=this.quill.scroll.whitelist&&null==this.quill.scroll.whitelist[n])return void b.warn("ignoring attaching to disabled format",n,t);if(null==l.default.query(n))return void b.warn("ignoring attaching to nonexistent format",n,t)}var r="SELECT"===t.tagName?"change":"click";t.addEventListener(r,(function(r){var o=void 0;if("SELECT"===t.tagName){if(t.selectedIndex<0)return;var s=t.options[t.selectedIndex];o=!s.hasAttribute("selected")&&(s.value||!1)}else o=!t.classList.contains("ql-active")&&(t.value||!t.hasAttribute("value")),r.preventDefault();e.quill.focus();var u=e.quill.selection.getRange(),h=i(u,1),d=h[0];if(null!=e.handlers[n])e.handlers[n].call(e,o);else if(l.default.query(n).prototype instanceof l.default.Embed){if(o=prompt("Enter "+n),!o)return;e.quill.updateContents((new a.default).retain(d.index).delete(d.length).insert(m({},n,o)),c.default.sources.USER)}else e.quill.format(n,o,c.default.sources.USER);e.update(d)})),this.controls.push([n,t])}}},{key:"update",value:function(t){var e=null==t?{}:this.quill.getFormat(t);this.controls.forEach((function(n){var r=i(n,2),o=r[0],a=r[1];if("SELECT"===a.tagName){var s=void 0;if(null==t)s=null;else if(null==e[o])s=a.querySelector("option[selected]");else if(!Array.isArray(e[o])){var l=e[o];"string"===typeof l&&(l=l.replace(/\"/g,'\\"')),s=a.querySelector('option[value="'+l+'"]')}null==s?(a.value="",a.selectedIndex=-1):s.selected=!0}else if(null==t)a.classList.remove("ql-active");else if(a.hasAttribute("value")){var u=e[o]===a.getAttribute("value")||null!=e[o]&&e[o].toString()===a.getAttribute("value")||null==e[o]&&!a.getAttribute("value");a.classList.toggle("ql-active",u)}else a.classList.toggle("ql-active",null!=e[o])}))}}]),e}(p.default);function A(t,e,n){var i=document.createElement("button");i.setAttribute("type","button"),i.classList.add("ql-"+e),null!=n&&(i.value=n),t.appendChild(i)}function x(t,e){Array.isArray(e[0])||(e=[e]),e.forEach((function(e){var n=document.createElement("span");n.classList.add("ql-formats"),e.forEach((function(t){if("string"===typeof t)A(n,t);else{var e=Object.keys(t)[0],i=t[e];Array.isArray(i)?k(n,e,i):A(n,e,i)}})),t.appendChild(n)}))}function k(t,e,n){var i=document.createElement("select");i.classList.add("ql-"+e),n.forEach((function(t){var e=document.createElement("option");!1!==t?e.setAttribute("value",t):e.setAttribute("selected","selected"),i.appendChild(e)})),t.appendChild(i)}w.DEFAULTS={},w.DEFAULTS={container:null,handlers:{clean:function(){var t=this,e=this.quill.getSelection();if(null!=e)if(0==e.length){var n=this.quill.getFormat();Object.keys(n).forEach((function(e){null!=l.default.query(e,l.default.Scope.INLINE)&&t.quill.format(e,!1)}))}else this.quill.removeFormat(e,c.default.sources.USER)},direction:function(t){var e=this.quill.getFormat()["align"];"rtl"===t&&null==e?this.quill.format("align","right",c.default.sources.USER):t||"right"!==e||this.quill.format("align",!1,c.default.sources.USER),this.quill.format("direction",t,c.default.sources.USER)},indent:function(t){var e=this.quill.getSelection(),n=this.quill.getFormat(e),i=parseInt(n.indent||0);if("+1"===t||"-1"===t){var r="+1"===t?1:-1;"rtl"===n.direction&&(r*=-1),this.quill.format("indent",i+r,c.default.sources.USER)}},link:function(t){!0===t&&(t=prompt("Enter link URL:")),this.quill.format("link",t,c.default.sources.USER)},list:function(t){var e=this.quill.getSelection(),n=this.quill.getFormat(e);"check"===t?"checked"===n["list"]||"unchecked"===n["list"]?this.quill.format("list",!1,c.default.sources.USER):this.quill.format("list","unchecked",c.default.sources.USER):this.quill.format("list",t,c.default.sources.USER)}}},e.default=w,e.addControls=x},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polyline class="ql-even ql-stroke" points="5 7 3 9 5 11"></polyline> <polyline class="ql-even ql-stroke" points="13 7 15 9 13 11"></polyline> <line class=ql-stroke x1=10 x2=8 y1=5 y2=13></line> </svg>'},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(28),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(t,n){l(this,e);var i=u(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.label.innerHTML=n,i.container.classList.add("ql-color-picker"),[].slice.call(i.container.querySelectorAll(".ql-picker-item"),0,7).forEach((function(t){t.classList.add("ql-primary")})),i}return c(e,t),i(e,[{key:"buildItem",value:function(t){var n=r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"buildItem",this).call(this,t);return n.style.backgroundColor=t.getAttribute("value")||"",n}},{key:"selectItem",value:function(t,n){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"selectItem",this).call(this,t,n);var i=this.label.querySelector(".ql-color-label"),o=t&&t.getAttribute("data-value")||"";i&&("line"===i.tagName?i.style.stroke=o:i.style.fill=o)}}]),e}(a.default);e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(28),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(t,n){l(this,e);var i=u(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t));return i.container.classList.add("ql-icon-picker"),[].forEach.call(i.container.querySelectorAll(".ql-picker-item"),(function(t){t.innerHTML=n[t.getAttribute("data-value")||""]})),i.defaultItem=i.container.querySelector(".ql-selected"),i.selectItem(i.defaultItem),i}return c(e,t),i(e,[{key:"selectItem",value:function(t,n){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"selectItem",this).call(this,t,n),t=t||this.defaultItem,this.label.innerHTML=t.innerHTML}}]),e}(a.default);e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}();function r(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var o=function(){function t(e,n){var i=this;r(this,t),this.quill=e,this.boundsContainer=n||document.body,this.root=e.addContainer("ql-tooltip"),this.root.innerHTML=this.constructor.TEMPLATE,this.quill.root===this.quill.scrollingContainer&&this.quill.root.addEventListener("scroll",(function(){i.root.style.marginTop=-1*i.quill.root.scrollTop+"px"})),this.hide()}return i(t,[{key:"hide",value:function(){this.root.classList.add("ql-hidden")}},{key:"position",value:function(t){var e=t.left+t.width/2-this.root.offsetWidth/2,n=t.bottom+this.quill.root.scrollTop;this.root.style.left=e+"px",this.root.style.top=n+"px",this.root.classList.remove("ql-flip");var i=this.boundsContainer.getBoundingClientRect(),r=this.root.getBoundingClientRect(),o=0;if(r.right>i.right&&(o=i.right-r.right,this.root.style.left=e+o+"px"),r.left<i.left&&(o=i.left-r.left,this.root.style.left=e+o+"px"),r.bottom>i.bottom){var a=r.bottom-r.top,s=t.bottom-t.top+a;this.root.style.top=n-s+"px",this.root.classList.add("ql-flip")}return o}},{key:"show",value:function(){this.root.classList.remove("ql-editing"),this.root.classList.remove("ql-hidden")}}]),t}();e.default=o},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){var n=[],i=!0,r=!1,o=void 0;try{for(var a,s=t[Symbol.iterator]();!(i=(a=s.next()).done);i=!0)if(n.push(a.value),e&&n.length===e)break}catch(l){r=!0,o=l}finally{try{!i&&s["return"]&&s["return"]()}finally{if(r)throw o}}return n}return function(e,n){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return t(e,n);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),a=n(3),s=g(a),l=n(8),u=g(l),c=n(43),h=g(c),d=n(27),f=g(d),p=n(15),v=n(41),m=g(v);function g(t){return t&&t.__esModule?t:{default:t}}function y(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function _(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function b(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var w=[[{header:["1","2","3",!1]}],["bold","italic","underline","link"],[{list:"ordered"},{list:"bullet"}],["clean"]],A=function(t){function e(t,n){y(this,e),null!=n.modules.toolbar&&null==n.modules.toolbar.container&&(n.modules.toolbar.container=w);var i=_(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.container.classList.add("ql-snow"),i}return b(e,t),o(e,[{key:"extendToolbar",value:function(t){t.container.classList.add("ql-snow"),this.buildButtons([].slice.call(t.container.querySelectorAll("button")),m.default),this.buildPickers([].slice.call(t.container.querySelectorAll("select")),m.default),this.tooltip=new x(this.quill,this.options.bounds),t.container.querySelector(".ql-link")&&this.quill.keyboard.addBinding({key:"K",shortKey:!0},(function(e,n){t.handlers["link"].call(t,!n.format.link)}))}}]),e}(h.default);A.DEFAULTS=(0,s.default)(!0,{},h.default.DEFAULTS,{modules:{toolbar:{handlers:{link:function(t){if(t){var e=this.quill.getSelection();if(null==e||0==e.length)return;var n=this.quill.getText(e);/^\S+@\S+\.\S+$/.test(n)&&0!==n.indexOf("mailto:")&&(n="mailto:"+n);var i=this.quill.theme.tooltip;i.edit("link",n)}else this.quill.format("link",!1)}}}}});var x=function(t){function e(t,n){y(this,e);var i=_(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.preview=i.root.querySelector("a.ql-preview"),i}return b(e,t),o(e,[{key:"listen",value:function(){var t=this;r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"listen",this).call(this),this.root.querySelector("a.ql-action").addEventListener("click",(function(e){t.root.classList.contains("ql-editing")?t.save():t.edit("link",t.preview.textContent),e.preventDefault()})),this.root.querySelector("a.ql-remove").addEventListener("click",(function(e){if(null!=t.linkRange){var n=t.linkRange;t.restoreFocus(),t.quill.formatText(n,"link",!1,u.default.sources.USER),delete t.linkRange}e.preventDefault(),t.hide()})),this.quill.on(u.default.events.SELECTION_CHANGE,(function(e,n,r){if(null!=e){if(0===e.length&&r===u.default.sources.USER){var o=t.quill.scroll.descendant(f.default,e.index),a=i(o,2),s=a[0],l=a[1];if(null!=s){t.linkRange=new p.Range(e.index-l,s.length());var c=f.default.formats(s.domNode);return t.preview.textContent=c,t.preview.setAttribute("href",c),t.show(),void t.position(t.quill.getBounds(t.linkRange))}}else delete t.linkRange;t.hide()}}))}},{key:"show",value:function(){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"show",this).call(this),this.root.removeAttribute("data-mode")}}]),e}(c.BaseTooltip);x.TEMPLATE=['<a class="ql-preview" rel="noopener noreferrer" target="_blank" href="about:blank"></a>','<input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL">','<a class="ql-action"></a>','<a class="ql-remove"></a>'].join(""),e.default=A},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(29),r=nt(i),o=n(36),a=n(38),s=n(64),l=n(65),u=nt(l),c=n(66),h=nt(c),d=n(67),f=nt(d),p=n(37),v=n(26),m=n(39),g=n(40),y=n(56),_=nt(y),b=n(68),w=nt(b),A=n(27),x=nt(A),k=n(69),j=nt(k),C=n(70),T=nt(C),E=n(71),S=nt(E),O=n(72),q=nt(O),N=n(73),D=nt(N),M=n(13),P=nt(M),L=n(74),B=nt(L),I=n(75),R=nt(I),F=n(57),z=nt(F),V=n(41),Y=nt(V),H=n(28),U=nt(H),W=n(59),G=nt(W),Q=n(60),Z=nt(Q),K=n(61),J=nt(K),X=n(108),$=nt(X),tt=n(62),et=nt(tt);function nt(t){return t&&t.__esModule?t:{default:t}}r.default.register({"attributors/attribute/direction":a.DirectionAttribute,"attributors/class/align":o.AlignClass,"attributors/class/background":p.BackgroundClass,"attributors/class/color":v.ColorClass,"attributors/class/direction":a.DirectionClass,"attributors/class/font":m.FontClass,"attributors/class/size":g.SizeClass,"attributors/style/align":o.AlignStyle,"attributors/style/background":p.BackgroundStyle,"attributors/style/color":v.ColorStyle,"attributors/style/direction":a.DirectionStyle,"attributors/style/font":m.FontStyle,"attributors/style/size":g.SizeStyle},!0),r.default.register({"formats/align":o.AlignClass,"formats/direction":a.DirectionClass,"formats/indent":s.IndentClass,"formats/background":p.BackgroundStyle,"formats/color":v.ColorStyle,"formats/font":m.FontClass,"formats/size":g.SizeClass,"formats/blockquote":u.default,"formats/code-block":P.default,"formats/header":h.default,"formats/list":f.default,"formats/bold":_.default,"formats/code":M.Code,"formats/italic":w.default,"formats/link":x.default,"formats/script":j.default,"formats/strike":T.default,"formats/underline":S.default,"formats/image":q.default,"formats/video":D.default,"formats/list/item":d.ListItem,"modules/formula":B.default,"modules/syntax":R.default,"modules/toolbar":z.default,"themes/bubble":$.default,"themes/snow":et.default,"ui/icons":Y.default,"ui/picker":U.default,"ui/icon-picker":Z.default,"ui/color-picker":G.default,"ui/tooltip":J.default},!0),e.default=r.default},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.IndentClass=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,[{key:"add",value:function(t,n){if("+1"===n||"-1"===n){var i=this.value(t)||0;n="+1"===n?i+1:i-1}return 0===n?(this.remove(t),!0):r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"add",this).call(this,t,n)}},{key:"canAdd",value:function(t,n){return r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"canAdd",this).call(this,t,n)||r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"canAdd",this).call(this,t,parseInt(n))}},{key:"value",value:function(t){return parseInt(r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"value",this).call(this,t))||void 0}}]),e}(a.default.Attributor.Class),d=new h("indent","ql-indent",{scope:a.default.Scope.BLOCK,whitelist:[1,2,3,4,5,6,7,8]});e.IndentClass=d},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(4),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(r.default);u.blotName="blockquote",u.tagName="blockquote",e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=n(4),o=a(r);function a(t){return t&&t.__esModule?t:{default:t}}function s(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function l(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function u(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var c=function(t){function e(){return s(this,e),l(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return u(e,t),i(e,null,[{key:"formats",value:function(t){return this.tagName.indexOf(t.tagName)+1}}]),e}(o.default);c.blotName="header",c.tagName=["H1","H2","H3","H4","H5","H6"],e.default=c},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.ListItem=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=h(o),s=n(4),l=h(s),u=n(25),c=h(u);function h(t){return t&&t.__esModule?t:{default:t}}function d(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function f(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function p(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function v(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var m=function(t){function e(){return f(this,e),p(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return v(e,t),i(e,[{key:"format",value:function(t,n){t!==g.blotName||n?r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n):this.replaceWith(a.default.create(this.statics.scope))}},{key:"remove",value:function(){null==this.prev&&null==this.next?this.parent.remove():r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"remove",this).call(this)}},{key:"replaceWith",value:function(t,n){return this.parent.isolate(this.offset(this.parent),this.length()),t===this.parent.statics.blotName?(this.parent.replaceWith(t,n),this):(this.parent.unwrap(),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replaceWith",this).call(this,t,n))}}],[{key:"formats",value:function(t){return t.tagName===this.tagName?void 0:r(e.__proto__||Object.getPrototypeOf(e),"formats",this).call(this,t)}}]),e}(l.default);m.blotName="list-item",m.tagName="LI";var g=function(t){function e(t){f(this,e);var n=p(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t)),i=function(e){if(e.target.parentNode===t){var i=n.statics.formats(t),r=a.default.find(e.target);"checked"===i?r.format("list","unchecked"):"unchecked"===i&&r.format("list","checked")}};return t.addEventListener("touchstart",i),t.addEventListener("mousedown",i),n}return v(e,t),i(e,null,[{key:"create",value:function(t){var n="ordered"===t?"OL":"UL",i=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,n);return"checked"!==t&&"unchecked"!==t||i.setAttribute("data-checked","checked"===t),i}},{key:"formats",value:function(t){return"OL"===t.tagName?"ordered":"UL"===t.tagName?t.hasAttribute("data-checked")?"true"===t.getAttribute("data-checked")?"checked":"unchecked":"bullet":void 0}}]),i(e,[{key:"format",value:function(t,e){this.children.length>0&&this.children.tail.format(t,e)}},{key:"formats",value:function(){return d({},this.statics.blotName,this.statics.formats(this.domNode))}},{key:"insertBefore",value:function(t,n){if(t instanceof m)r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"insertBefore",this).call(this,t,n);else{var i=null==n?this.length():n.offset(this),o=this.split(i);o.parent.insertBefore(t,o)}}},{key:"optimize",value:function(t){r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"optimize",this).call(this,t);var n=this.next;null!=n&&n.prev===this&&n.statics.blotName===this.statics.blotName&&n.domNode.tagName===this.domNode.tagName&&n.domNode.getAttribute("data-checked")===this.domNode.getAttribute("data-checked")&&(n.moveChildren(this),n.remove())}},{key:"replace",value:function(t){if(t.statics.blotName!==this.statics.blotName){var n=a.default.create(this.statics.defaultChild);t.moveChildren(n),this.appendChild(n)}r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replace",this).call(this,t)}}]),e}(c.default);g.blotName="list",g.scope=a.default.Scope.BLOCK_BLOT,g.tagName=["OL","UL"],g.defaultChild="list-item",g.allowedChildren=[m],e.ListItem=m,e.default=g},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(56),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(r.default);u.blotName="italic",u.tagName=["EM","I"],e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(6),a=s(o);function s(t){return t&&t.__esModule?t:{default:t}}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function u(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function c(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var h=function(t){function e(){return l(this,e),u(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return c(e,t),i(e,null,[{key:"create",value:function(t){return"super"===t?document.createElement("sup"):"sub"===t?document.createElement("sub"):r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t)}},{key:"formats",value:function(t){return"SUB"===t.tagName?"sub":"SUP"===t.tagName?"super":void 0}}]),e}(a.default);h.blotName="script",h.tagName=["SUB","SUP"],e.default=h},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(6),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(r.default);u.blotName="strike",u.tagName="S",e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(6),r=o(i);function o(t){return t&&t.__esModule?t:{default:t}}function a(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function s(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function l(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var u=function(t){function e(){return a(this,e),s(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return l(e,t),e}(r.default);u.blotName="underline",u.tagName="U",e.default=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=l(o),s=n(27);function l(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function h(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var d=["alt","height","width"],f=function(t){function e(){return u(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return h(e,t),i(e,[{key:"format",value:function(t,n){d.indexOf(t)>-1?n?this.domNode.setAttribute(t,n):this.domNode.removeAttribute(t):r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}],[{key:"create",value:function(t){var n=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return"string"===typeof t&&n.setAttribute("src",this.sanitize(t)),n}},{key:"formats",value:function(t){return d.reduce((function(e,n){return t.hasAttribute(n)&&(e[n]=t.getAttribute(n)),e}),{})}},{key:"match",value:function(t){return/\.(jpe?g|gif|png)$/.test(t)||/^data:image\/.+;base64/.test(t)}},{key:"sanitize",value:function(t){return(0,s.sanitize)(t,["http","https","data"])?t:"//:0"}},{key:"value",value:function(t){return t.getAttribute("src")}}]),e}(a.default.Embed);f.blotName="image",f.tagName="IMG",e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(4),a=n(27),s=l(a);function l(t){return t&&t.__esModule?t:{default:t}}function u(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function h(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var d=["height","width"],f=function(t){function e(){return u(this,e),c(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return h(e,t),i(e,[{key:"format",value:function(t,n){d.indexOf(t)>-1?n?this.domNode.setAttribute(t,n):this.domNode.removeAttribute(t):r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"format",this).call(this,t,n)}}],[{key:"create",value:function(t){var n=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return n.setAttribute("frameborder","0"),n.setAttribute("allowfullscreen",!0),n.setAttribute("src",this.sanitize(t)),n}},{key:"formats",value:function(t){return d.reduce((function(e,n){return t.hasAttribute(n)&&(e[n]=t.getAttribute(n)),e}),{})}},{key:"sanitize",value:function(t){return s.default.sanitize(t)}},{key:"value",value:function(t){return t.getAttribute("src")}}]),e}(o.BlockEmbed);f.blotName="video",f.className="ql-video",f.tagName="IFRAME",e.default=f},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.FormulaBlot=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(35),a=h(o),s=n(5),l=h(s),u=n(9),c=h(u);function h(t){return t&&t.__esModule?t:{default:t}}function d(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function f(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function p(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var v=function(t){function e(){return d(this,e),f(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return p(e,t),i(e,null,[{key:"create",value:function(t){var n=r(e.__proto__||Object.getPrototypeOf(e),"create",this).call(this,t);return"string"===typeof t&&(window.katex.render(t,n,{throwOnError:!1,errorColor:"#f00"}),n.setAttribute("data-value",t)),n}},{key:"value",value:function(t){return t.getAttribute("data-value")}}]),e}(a.default);v.blotName="formula",v.className="ql-formula",v.tagName="SPAN";var m=function(t){function e(){d(this,e);var t=f(this,(e.__proto__||Object.getPrototypeOf(e)).call(this));if(null==window.katex)throw new Error("Formula module requires KaTeX.");return t}return p(e,t),i(e,null,[{key:"register",value:function(){l.default.register(v,!0)}}]),e}(c.default);e.FormulaBlot=v,e.default=m},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.CodeToken=e.CodeBlock=void 0;var i=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),r=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},o=n(0),a=f(o),s=n(5),l=f(s),u=n(9),c=f(u),h=n(13),d=f(h);function f(t){return t&&t.__esModule?t:{default:t}}function p(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function v(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function m(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var g=function(t){function e(){return p(this,e),v(this,(e.__proto__||Object.getPrototypeOf(e)).apply(this,arguments))}return m(e,t),i(e,[{key:"replaceWith",value:function(t){this.domNode.textContent=this.domNode.textContent,this.attach(),r(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"replaceWith",this).call(this,t)}},{key:"highlight",value:function(t){var e=this.domNode.textContent;this.cachedText!==e&&((e.trim().length>0||null==this.cachedText)&&(this.domNode.innerHTML=t(e),this.domNode.normalize(),this.attach()),this.cachedText=e)}}]),e}(d.default);g.className="ql-syntax";var y=new a.default.Attributor.Class("token","hljs",{scope:a.default.Scope.INLINE}),_=function(t){function e(t,n){p(this,e);var i=v(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));if("function"!==typeof i.options.highlight)throw new Error("Syntax module requires highlight.js. Please include the library on the page before Quill.");var r=null;return i.quill.on(l.default.events.SCROLL_OPTIMIZE,(function(){clearTimeout(r),r=setTimeout((function(){i.highlight(),r=null}),i.options.interval)})),i.highlight(),i}return m(e,t),i(e,null,[{key:"register",value:function(){l.default.register(y,!0),l.default.register(g,!0)}}]),i(e,[{key:"highlight",value:function(){var t=this;if(!this.quill.selection.composing){this.quill.update(l.default.sources.USER);var e=this.quill.getSelection();this.quill.scroll.descendants(g).forEach((function(e){e.highlight(t.options.highlight)})),this.quill.update(l.default.sources.SILENT),null!=e&&this.quill.setSelection(e,l.default.sources.SILENT)}}}]),e}(c.default);_.DEFAULTS={highlight:function(){return null==window.hljs?null:function(t){var e=window.hljs.highlightAuto(t);return e.value}}(),interval:1e3},e.CodeBlock=g,e.CodeToken=y,e.default=_},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=3 x2=13 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=9 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=14 x2=4 y1=14 y2=14></line> <line class=ql-stroke x1=12 x2=6 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=15 x2=5 y1=14 y2=14></line> <line class=ql-stroke x1=15 x2=9 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=15 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=15 x2=3 y1=14 y2=14></line> <line class=ql-stroke x1=15 x2=3 y1=4 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <g class="ql-fill ql-color-label"> <polygon points="6 6.868 6 6 5 6 5 7 5.942 7 6 6.868"></polygon> <rect height=1 width=1 x=4 y=4></rect> <polygon points="6.817 5 6 5 6 6 6.38 6 6.817 5"></polygon> <rect height=1 width=1 x=2 y=6></rect> <rect height=1 width=1 x=3 y=5></rect> <rect height=1 width=1 x=4 y=7></rect> <polygon points="4 11.439 4 11 3 11 3 12 3.755 12 4 11.439"></polygon> <rect height=1 width=1 x=2 y=12></rect> <rect height=1 width=1 x=2 y=9></rect> <rect height=1 width=1 x=2 y=15></rect> <polygon points="4.63 10 4 10 4 11 4.192 11 4.63 10"></polygon> <rect height=1 width=1 x=3 y=8></rect> <path d=M10.832,4.2L11,4.582V4H10.708A1.948,1.948,0,0,1,10.832,4.2Z></path> <path d=M7,4.582L7.168,4.2A1.929,1.929,0,0,1,7.292,4H7V4.582Z></path> <path d=M8,13H7.683l-0.351.8a1.933,1.933,0,0,1-.124.2H8V13Z></path> <rect height=1 width=1 x=12 y=2></rect> <rect height=1 width=1 x=11 y=3></rect> <path d=M9,3H8V3.282A1.985,1.985,0,0,1,9,3Z></path> <rect height=1 width=1 x=2 y=3></rect> <rect height=1 width=1 x=6 y=2></rect> <rect height=1 width=1 x=3 y=2></rect> <rect height=1 width=1 x=5 y=3></rect> <rect height=1 width=1 x=9 y=2></rect> <rect height=1 width=1 x=15 y=14></rect> <polygon points="13.447 10.174 13.469 10.225 13.472 10.232 13.808 11 14 11 14 10 13.37 10 13.447 10.174"></polygon> <rect height=1 width=1 x=13 y=7></rect> <rect height=1 width=1 x=15 y=5></rect> <rect height=1 width=1 x=14 y=6></rect> <rect height=1 width=1 x=15 y=8></rect> <rect height=1 width=1 x=14 y=9></rect> <path d=M3.775,14H3v1H4V14.314A1.97,1.97,0,0,1,3.775,14Z></path> <rect height=1 width=1 x=14 y=3></rect> <polygon points="12 6.868 12 6 11.62 6 12 6.868"></polygon> <rect height=1 width=1 x=15 y=2></rect> <rect height=1 width=1 x=12 y=5></rect> <rect height=1 width=1 x=13 y=4></rect> <polygon points="12.933 9 13 9 13 8 12.495 8 12.933 9"></polygon> <rect height=1 width=1 x=9 y=14></rect> <rect height=1 width=1 x=8 y=15></rect> <path d=M6,14.926V15H7V14.316A1.993,1.993,0,0,1,6,14.926Z></path> <rect height=1 width=1 x=5 y=15></rect> <path d=M10.668,13.8L10.317,13H10v1h0.792A1.947,1.947,0,0,1,10.668,13.8Z></path> <rect height=1 width=1 x=11 y=15></rect> <path d=M14.332,12.2a1.99,1.99,0,0,1,.166.8H15V12H14.245Z></path> <rect height=1 width=1 x=14 y=15></rect> <rect height=1 width=1 x=15 y=11></rect> </g> <polyline class=ql-stroke points="5.5 13 9 5 12.5 13"></polyline> <line class=ql-stroke x1=11.63 x2=6.38 y1=11 y2=11></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class="ql-fill ql-stroke" height=3 width=3 x=4 y=5></rect> <rect class="ql-fill ql-stroke" height=3 width=3 x=11 y=5></rect> <path class="ql-even ql-fill ql-stroke" d=M7,8c0,4.031-3,5-3,5></path> <path class="ql-even ql-fill ql-stroke" d=M14,8c0,4.031-3,5-3,5></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-stroke d=M5,4H9.5A2.5,2.5,0,0,1,12,6.5v0A2.5,2.5,0,0,1,9.5,9H5A0,0,0,0,1,5,9V4A0,0,0,0,1,5,4Z></path> <path class=ql-stroke d=M5,9h5.5A2.5,2.5,0,0,1,13,11.5v0A2.5,2.5,0,0,1,10.5,14H5a0,0,0,0,1,0,0V9A0,0,0,0,1,5,9Z></path> </svg>'},function(t,e){t.exports='<svg class="" viewbox="0 0 18 18"> <line class=ql-stroke x1=5 x2=13 y1=3 y2=3></line> <line class=ql-stroke x1=6 x2=9.35 y1=12 y2=3></line> <line class=ql-stroke x1=11 x2=15 y1=11 y2=15></line> <line class=ql-stroke x1=15 x2=11 y1=11 y2=15></line> <rect class=ql-fill height=1 rx=0.5 ry=0.5 width=7 x=2 y=14></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class="ql-color-label ql-stroke ql-transparent" x1=3 x2=15 y1=15 y2=15></line> <polyline class=ql-stroke points="5.5 11 9 3 12.5 11"></polyline> <line class=ql-stroke x1=11.63 x2=6.38 y1=9 y2=9></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class="ql-stroke ql-fill" points="3 11 5 9 3 7 3 11"></polygon> <line class="ql-stroke ql-fill" x1=15 x2=11 y1=4 y2=4></line> <path class=ql-fill d=M11,3a3,3,0,0,0,0,6h1V3H11Z></path> <rect class=ql-fill height=11 width=1 x=11 y=4></rect> <rect class=ql-fill height=11 width=1 x=13 y=4></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class="ql-stroke ql-fill" points="15 12 13 10 15 8 15 12"></polygon> <line class="ql-stroke ql-fill" x1=9 x2=5 y1=4 y2=4></line> <path class=ql-fill d=M5,3A3,3,0,0,0,5,9H6V3H5Z></path> <rect class=ql-fill height=11 width=1 x=5 y=4></rect> <rect class=ql-fill height=11 width=1 x=7 y=4></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M14,16H4a1,1,0,0,1,0-2H14A1,1,0,0,1,14,16Z /> <path class=ql-fill d=M14,4H4A1,1,0,0,1,4,2H14A1,1,0,0,1,14,4Z /> <rect class=ql-fill x=3 y=6 width=12 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M13,16H5a1,1,0,0,1,0-2h8A1,1,0,0,1,13,16Z /> <path class=ql-fill d=M13,4H5A1,1,0,0,1,5,2h8A1,1,0,0,1,13,4Z /> <rect class=ql-fill x=2 y=6 width=14 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15,8H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,8Z /> <path class=ql-fill d=M15,12H13a1,1,0,0,1,0-2h2A1,1,0,0,1,15,12Z /> <path class=ql-fill d=M15,16H5a1,1,0,0,1,0-2H15A1,1,0,0,1,15,16Z /> <path class=ql-fill d=M15,4H5A1,1,0,0,1,5,2H15A1,1,0,0,1,15,4Z /> <rect class=ql-fill x=2 y=6 width=8 height=6 rx=1 ry=1 /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M5,8H3A1,1,0,0,1,3,6H5A1,1,0,0,1,5,8Z /> <path class=ql-fill d=M5,12H3a1,1,0,0,1,0-2H5A1,1,0,0,1,5,12Z /> <path class=ql-fill d=M13,16H3a1,1,0,0,1,0-2H13A1,1,0,0,1,13,16Z /> <path class=ql-fill d=M13,4H3A1,1,0,0,1,3,2H13A1,1,0,0,1,13,4Z /> <rect class=ql-fill x=8 y=6 width=8 height=6 rx=1 ry=1 transform="translate(24 18) rotate(-180)"/> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M11.759,2.482a2.561,2.561,0,0,0-3.53.607A7.656,7.656,0,0,0,6.8,6.2C6.109,9.188,5.275,14.677,4.15,14.927a1.545,1.545,0,0,0-1.3-.933A0.922,0.922,0,0,0,2,15.036S1.954,16,4.119,16s3.091-2.691,3.7-5.553c0.177-.826.36-1.726,0.554-2.6L8.775,6.2c0.381-1.421.807-2.521,1.306-2.676a1.014,1.014,0,0,0,1.02.56A0.966,0.966,0,0,0,11.759,2.482Z></path> <rect class=ql-fill height=1.6 rx=0.8 ry=0.8 width=5 x=5.15 y=6.2></rect> <path class=ql-fill d=M13.663,12.027a1.662,1.662,0,0,1,.266-0.276q0.193,0.069.456,0.138a2.1,2.1,0,0,0,.535.069,1.075,1.075,0,0,0,.767-0.3,1.044,1.044,0,0,0,.314-0.8,0.84,0.84,0,0,0-.238-0.619,0.8,0.8,0,0,0-.594-0.239,1.154,1.154,0,0,0-.781.3,4.607,4.607,0,0,0-.781,1q-0.091.15-.218,0.346l-0.246.38c-0.068-.288-0.137-0.582-0.212-0.885-0.459-1.847-2.494-.984-2.941-0.8-0.482.2-.353,0.647-0.094,0.529a0.869,0.869,0,0,1,1.281.585c0.217,0.751.377,1.436,0.527,2.038a5.688,5.688,0,0,1-.362.467,2.69,2.69,0,0,1-.264.271q-0.221-.08-0.471-0.147a2.029,2.029,0,0,0-.522-0.066,1.079,1.079,0,0,0-.768.3A1.058,1.058,0,0,0,9,15.131a0.82,0.82,0,0,0,.832.852,1.134,1.134,0,0,0,.787-0.3,5.11,5.11,0,0,0,.776-0.993q0.141-.219.215-0.34c0.046-.076.122-0.194,0.223-0.346a2.786,2.786,0,0,0,.918,1.726,2.582,2.582,0,0,0,2.376-.185c0.317-.181.212-0.565,0-0.494A0.807,0.807,0,0,1,14.176,15a5.159,5.159,0,0,1-.913-2.446l0,0Q13.487,12.24,13.663,12.027Z></path> </svg>'},function(t,e){t.exports='<svg viewBox="0 0 18 18"> <path class=ql-fill d=M10,4V14a1,1,0,0,1-2,0V10H3v4a1,1,0,0,1-2,0V4A1,1,0,0,1,3,4V8H8V4a1,1,0,0,1,2,0Zm6.06787,9.209H14.98975V7.59863a.54085.54085,0,0,0-.605-.60547h-.62744a1.01119,1.01119,0,0,0-.748.29688L11.645,8.56641a.5435.5435,0,0,0-.022.8584l.28613.30762a.53861.53861,0,0,0,.84717.0332l.09912-.08789a1.2137,1.2137,0,0,0,.2417-.35254h.02246s-.01123.30859-.01123.60547V13.209H12.041a.54085.54085,0,0,0-.605.60547v.43945a.54085.54085,0,0,0,.605.60547h4.02686a.54085.54085,0,0,0,.605-.60547v-.43945A.54085.54085,0,0,0,16.06787,13.209Z /> </svg>'},function(t,e){t.exports='<svg viewBox="0 0 18 18"> <path class=ql-fill d=M16.73975,13.81445v.43945a.54085.54085,0,0,1-.605.60547H11.855a.58392.58392,0,0,1-.64893-.60547V14.0127c0-2.90527,3.39941-3.42187,3.39941-4.55469a.77675.77675,0,0,0-.84717-.78125,1.17684,1.17684,0,0,0-.83594.38477c-.2749.26367-.561.374-.85791.13184l-.4292-.34082c-.30811-.24219-.38525-.51758-.1543-.81445a2.97155,2.97155,0,0,1,2.45361-1.17676,2.45393,2.45393,0,0,1,2.68408,2.40918c0,2.45312-3.1792,2.92676-3.27832,3.93848h2.79443A.54085.54085,0,0,1,16.73975,13.81445ZM9,3A.99974.99974,0,0,0,8,4V8H3V4A1,1,0,0,0,1,4V14a1,1,0,0,0,2,0V10H8v4a1,1,0,0,0,2,0V4A.99974.99974,0,0,0,9,3Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=13 y1=4 y2=4></line> <line class=ql-stroke x1=5 x2=11 y1=14 y2=14></line> <line class=ql-stroke x1=8 x2=10 y1=14 y2=4></line> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class=ql-stroke height=10 width=12 x=3 y=4></rect> <circle class=ql-fill cx=6 cy=7 r=1></circle> <polyline class="ql-even ql-fill" points="5 12 5 11 7 9 8 10 11 7 13 9 13 12 5 12"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class="ql-fill ql-stroke" points="3 7 3 11 5 9 3 7"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=3 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class=ql-stroke points="5 7 5 11 3 9 5 7"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=11 y1=7 y2=11></line> <path class="ql-even ql-stroke" d=M8.9,4.577a3.476,3.476,0,0,1,.36,4.679A3.476,3.476,0,0,1,4.577,8.9C3.185,7.5,2.035,6.4,4.217,4.217S7.5,3.185,8.9,4.577Z></path> <path class="ql-even ql-stroke" d=M13.423,9.1a3.476,3.476,0,0,0-4.679-.36,3.476,3.476,0,0,0,.36,4.679c1.392,1.392,2.5,2.542,4.679.36S14.815,10.5,13.423,9.1Z></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=7 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=7 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=7 x2=15 y1=14 y2=14></line> <line class="ql-stroke ql-thin" x1=2.5 x2=4.5 y1=5.5 y2=5.5></line> <path class=ql-fill d=M3.5,6A0.5,0.5,0,0,1,3,5.5V3.085l-0.276.138A0.5,0.5,0,0,1,2.053,3c-0.124-.247-0.023-0.324.224-0.447l1-.5A0.5,0.5,0,0,1,4,2.5v3A0.5,0.5,0,0,1,3.5,6Z></path> <path class="ql-stroke ql-thin" d=M4.5,10.5h-2c0-.234,1.85-1.076,1.85-2.234A0.959,0.959,0,0,0,2.5,8.156></path> <path class="ql-stroke ql-thin" d=M2.5,14.846a0.959,0.959,0,0,0,1.85-.109A0.7,0.7,0,0,0,3.75,14a0.688,0.688,0,0,0,.6-0.736,0.959,0.959,0,0,0-1.85-.109></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class=ql-stroke x1=6 x2=15 y1=4 y2=4></line> <line class=ql-stroke x1=6 x2=15 y1=9 y2=9></line> <line class=ql-stroke x1=6 x2=15 y1=14 y2=14></line> <line class=ql-stroke x1=3 x2=3 y1=4 y2=4></line> <line class=ql-stroke x1=3 x2=3 y1=9 y2=9></line> <line class=ql-stroke x1=3 x2=3 y1=14 y2=14></line> </svg>'},function(t,e){t.exports='<svg class="" viewbox="0 0 18 18"> <line class=ql-stroke x1=9 x2=15 y1=4 y2=4></line> <polyline class=ql-stroke points="3 4 4 5 6 3"></polyline> <line class=ql-stroke x1=9 x2=15 y1=14 y2=14></line> <polyline class=ql-stroke points="3 14 4 15 6 13"></polyline> <line class=ql-stroke x1=9 x2=15 y1=9 y2=9></line> <polyline class=ql-stroke points="3 9 4 10 6 8"></polyline> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15.5,15H13.861a3.858,3.858,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.921,1.921,0,0,0,12.021,11.7a0.50013,0.50013,0,1,0,.957.291h0a0.914,0.914,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.076-1.16971,1.86982-1.93971,2.43082A1.45639,1.45639,0,0,0,12,15.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,15Z /> <path class=ql-fill d=M9.65,5.241a1,1,0,0,0-1.409.108L6,7.964,3.759,5.349A1,1,0,0,0,2.192,6.59178Q2.21541,6.6213,2.241,6.649L4.684,9.5,2.241,12.35A1,1,0,0,0,3.71,13.70722q0.02557-.02768.049-0.05722L6,11.036,8.241,13.65a1,1,0,1,0,1.567-1.24277Q9.78459,12.3777,9.759,12.35L7.316,9.5,9.759,6.651A1,1,0,0,0,9.65,5.241Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-fill d=M15.5,7H13.861a4.015,4.015,0,0,0,1.914-2.975,1.8,1.8,0,0,0-1.6-1.751A1.922,1.922,0,0,0,12.021,3.7a0.5,0.5,0,1,0,.957.291,0.917,0.917,0,0,1,1.053-.725,0.81,0.81,0,0,1,.744.762c0,1.077-1.164,1.925-1.934,2.486A1.423,1.423,0,0,0,12,7.5a0.5,0.5,0,0,0,.5.5h3A0.5,0.5,0,0,0,15.5,7Z /> <path class=ql-fill d=M9.651,5.241a1,1,0,0,0-1.41.108L6,7.964,3.759,5.349a1,1,0,1,0-1.519,1.3L4.683,9.5,2.241,12.35a1,1,0,1,0,1.519,1.3L6,11.036,8.241,13.65a1,1,0,0,0,1.519-1.3L7.317,9.5,9.759,6.651A1,1,0,0,0,9.651,5.241Z /> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <line class="ql-stroke ql-thin" x1=15.5 x2=2.5 y1=8.5 y2=9.5></line> <path class=ql-fill d=M9.007,8C6.542,7.791,6,7.519,6,6.5,6,5.792,7.283,5,9,5c1.571,0,2.765.679,2.969,1.309a1,1,0,0,0,1.9-.617C13.356,4.106,11.354,3,9,3,6.2,3,4,4.538,4,6.5a3.2,3.2,0,0,0,.5,1.843Z></path> <path class=ql-fill d=M8.984,10C11.457,10.208,12,10.479,12,11.5c0,0.708-1.283,1.5-3,1.5-1.571,0-2.765-.679-2.969-1.309a1,1,0,1,0-1.9.617C4.644,13.894,6.646,15,9,15c2.8,0,5-1.538,5-3.5a3.2,3.2,0,0,0-.5-1.843Z></path> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <path class=ql-stroke d=M5,3V9a4.012,4.012,0,0,0,4,4H9a4.012,4.012,0,0,0,4-4V3></path> <rect class=ql-fill height=1 rx=0.5 ry=0.5 width=12 x=3 y=15></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <rect class=ql-stroke height=12 width=12 x=3 y=3></rect> <rect class=ql-fill height=12 width=1 x=5 y=3></rect> <rect class=ql-fill height=12 width=1 x=12 y=3></rect> <rect class=ql-fill height=2 width=8 x=5 y=8></rect> <rect class=ql-fill height=1 width=3 x=3 y=5></rect> <rect class=ql-fill height=1 width=3 x=3 y=7></rect> <rect class=ql-fill height=1 width=3 x=3 y=10></rect> <rect class=ql-fill height=1 width=3 x=3 y=12></rect> <rect class=ql-fill height=1 width=3 x=12 y=5></rect> <rect class=ql-fill height=1 width=3 x=12 y=7></rect> <rect class=ql-fill height=1 width=3 x=12 y=10></rect> <rect class=ql-fill height=1 width=3 x=12 y=12></rect> </svg>'},function(t,e){t.exports='<svg viewbox="0 0 18 18"> <polygon class=ql-stroke points="7 11 9 13 11 11 7 11"></polygon> <polygon class=ql-stroke points="7 7 9 5 11 7 7 7"></polygon> </svg>'},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=e.BubbleTooltip=void 0;var i=function t(e,n,i){null===e&&(e=Function.prototype);var r=Object.getOwnPropertyDescriptor(e,n);if(void 0===r){var o=Object.getPrototypeOf(e);return null===o?void 0:t(o,n,i)}if("value"in r)return r.value;var a=r.get;return void 0!==a?a.call(i):void 0},r=function(){function t(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(t,i.key,i)}}return function(e,n,i){return n&&t(e.prototype,n),i&&t(e,i),e}}(),o=n(3),a=p(o),s=n(8),l=p(s),u=n(43),c=p(u),h=n(15),d=n(41),f=p(d);function p(t){return t&&t.__esModule?t:{default:t}}function v(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function m(t,e){if(!t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!e||"object"!==typeof e&&"function"!==typeof e?t:e}function g(t,e){if("function"!==typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function, not "+typeof e);t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,enumerable:!1,writable:!0,configurable:!0}}),e&&(Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e)}var y=[["bold","italic","link"],[{header:1},{header:2},"blockquote"]],_=function(t){function e(t,n){v(this,e),null!=n.modules.toolbar&&null==n.modules.toolbar.container&&(n.modules.toolbar.container=y);var i=m(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.container.classList.add("ql-bubble"),i}return g(e,t),r(e,[{key:"extendToolbar",value:function(t){this.tooltip=new b(this.quill,this.options.bounds),this.tooltip.root.appendChild(t.container),this.buildButtons([].slice.call(t.container.querySelectorAll("button")),f.default),this.buildPickers([].slice.call(t.container.querySelectorAll("select")),f.default)}}]),e}(c.default);_.DEFAULTS=(0,a.default)(!0,{},c.default.DEFAULTS,{modules:{toolbar:{handlers:{link:function(t){t?this.quill.theme.tooltip.edit():this.quill.format("link",!1)}}}}});var b=function(t){function e(t,n){v(this,e);var i=m(this,(e.__proto__||Object.getPrototypeOf(e)).call(this,t,n));return i.quill.on(l.default.events.EDITOR_CHANGE,(function(t,e,n,r){if(t===l.default.events.SELECTION_CHANGE)if(null!=e&&e.length>0&&r===l.default.sources.USER){i.show(),i.root.style.left="0px",i.root.style.width="",i.root.style.width=i.root.offsetWidth+"px";var o=i.quill.getLines(e.index,e.length);if(1===o.length)i.position(i.quill.getBounds(e));else{var a=o[o.length-1],s=i.quill.getIndex(a),u=Math.min(a.length()-1,e.index+e.length-s),c=i.quill.getBounds(new h.Range(s,u));i.position(c)}}else document.activeElement!==i.textbox&&i.quill.hasFocus()&&i.hide()})),i}return g(e,t),r(e,[{key:"listen",value:function(){var t=this;i(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"listen",this).call(this),this.root.querySelector(".ql-close").addEventListener("click",(function(){t.root.classList.remove("ql-editing")})),this.quill.on(l.default.events.SCROLL_OPTIMIZE,(function(){setTimeout((function(){if(!t.root.classList.contains("ql-hidden")){var e=t.quill.getSelection();null!=e&&t.position(t.quill.getBounds(e))}}),1)}))}},{key:"cancel",value:function(){this.show()}},{key:"position",value:function(t){var n=i(e.prototype.__proto__||Object.getPrototypeOf(e.prototype),"position",this).call(this,t),r=this.root.querySelector(".ql-tooltip-arrow");if(r.style.marginLeft="",0===n)return n;r.style.marginLeft=-1*n-r.offsetWidth/2+"px"}}]),e}(u.BaseTooltip);b.TEMPLATE=['<span class="ql-tooltip-arrow"></span>','<div class="ql-tooltip-editor">','<input type="text" data-formula="e=mc^2" data-link="https://quilljs.com" data-video="Embed URL">','<a class="ql-close"></a>',"</div>"].join(""),e.BubbleTooltip=b,e.default=_},function(t,e,n){t.exports=n(63)}])["default"]}))}).call(this,n("1c35").Buffer)},9415:function(t,e,n){var i=n("174b");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("e64f243c",i,!0,{sourceMap:!1,shadowMode:!1})},"953d":function(t,e,n){!function(e,i){t.exports=i(n("9339"))}(0,(function(t){return function(t){function e(i){if(n[i])return n[i].exports;var r=n[i]={i:i,l:!1,exports:{}};return t[i].call(r.exports,r,r.exports,e),r.l=!0,r.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,i){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:i})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=2)}([function(e,n){e.exports=t},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(4),r=n.n(i),o=n(6),a=n(5),s=a(r.a,o.a,!1,null,null,null);e.default=s.exports},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0}),e.install=e.quillEditor=e.Quill=void 0;var r=n(0),o=i(r),a=n(1),s=i(a),l=window.Quill||o.default,u=function(t,e){e&&(s.default.props.globalOptions.default=function(){return e}),t.component(s.default.name,s.default)},c={Quill:l,quillEditor:s.default,install:u};e.default=c,e.Quill=l,e.quillEditor=s.default,e.install=u},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default={theme:"snow",boundary:document.body,modules:{toolbar:[["bold","italic","underline","strike"],["blockquote","code-block"],[{header:1},{header:2}],[{list:"ordered"},{list:"bullet"}],[{script:"sub"},{script:"super"}],[{indent:"-1"},{indent:"+1"}],[{direction:"rtl"}],[{size:["small",!1,"large","huge"]}],[{header:[1,2,3,4,5,6,!1]}],[{color:[]},{background:[]}],[{font:[]}],[{align:[]}],["clean"],["link","image","video"]]},placeholder:"Insert text here ...",readOnly:!1}},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0});var r=n(0),o=i(r),a=n(3),s=i(a),l=window.Quill||o.default;"function"!=typeof Object.assign&&Object.defineProperty(Object,"assign",{value:function(t,e){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var n=Object(t),i=1;i<arguments.length;i++){var r=arguments[i];if(null!=r)for(var o in r)Object.prototype.hasOwnProperty.call(r,o)&&(n[o]=r[o])}return n},writable:!0,configurable:!0}),e.default={name:"quill-editor",data:function(){return{_options:{},_content:"",defaultOptions:s.default}},props:{content:String,value:String,disabled:{type:Boolean,default:!1},options:{type:Object,required:!1,default:function(){return{}}},globalOptions:{type:Object,required:!1,default:function(){return{}}}},mounted:function(){this.initialize()},beforeDestroy:function(){this.quill=null,delete this.quill},methods:{initialize:function(){var t=this;this.$el&&(this._options=Object.assign({},this.defaultOptions,this.globalOptions,this.options),this.quill=new l(this.$refs.editor,this._options),this.quill.enable(!1),(this.value||this.content)&&this.quill.pasteHTML(this.value||this.content),this.disabled||this.quill.enable(!0),this.quill.on("selection-change",(function(e){e?t.$emit("focus",t.quill):t.$emit("blur",t.quill)})),this.quill.on("text-change",(function(e,n,i){var r=t.$refs.editor.children[0].innerHTML,o=t.quill,a=t.quill.getText();"<p><br></p>"===r&&(r=""),t._content=r,t.$emit("input",t._content),t.$emit("change",{html:r,text:a,quill:o})})),this.$emit("ready",this.quill))}},watch:{content:function(t,e){this.quill&&(t&&t!==this._content?(this._content=t,this.quill.pasteHTML(t)):t||this.quill.setText(""))},value:function(t,e){this.quill&&(t&&t!==this._content?(this._content=t,this.quill.pasteHTML(t)):t||this.quill.setText(""))},disabled:function(t,e){this.quill&&this.quill.enable(!t)}}}},function(t,e){t.exports=function(t,e,n,i,r,o){var a,s=t=t||{},l=typeof t.default;"object"!==l&&"function"!==l||(a=t,s=t.default);var u,c="function"==typeof s?s.options:s;if(e&&(c.render=e.render,c.staticRenderFns=e.staticRenderFns,c._compiled=!0),n&&(c.functional=!0),r&&(c._scopeId=r),o?(u=function(t){t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext,t||"undefined"==typeof __VUE_SSR_CONTEXT__||(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(o)},c._ssrRegister=u):i&&(u=i),u){var h=c.functional,d=h?c.render:c.beforeCreate;h?(c._injectStyles=u,c.render=function(t,e){return u.call(e),d(t,e)}):c.beforeCreate=d?[].concat(d,u):[u]}return{esModule:a,exports:s,options:c}}},function(t,e,n){"use strict";var i=function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",{staticClass:"quill-editor"},[t._t("toolbar"),t._v(" "),n("div",{ref:"editor"})],2)},r=[],o={render:i,staticRenderFns:r};e.a=o}])}))},"990b":function(t,e,n){var i=n("9093"),r=n("2621"),o=n("cb7c"),a=n("7726").Reflect;t.exports=a&&a.ownKeys||function(t){var e=i.f(o(t)),n=r.f;return n?e.concat(n(t)):e}},"9aa9":function(t,e){e.f=Object.getOwnPropertySymbols},"9af6":function(t,e,n){var i=n("d916");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("396b7398",i,!0,{sourceMap:!1,shadowMode:!1})},"9b43":function(t,e,n){var i=n("d8e8");t.exports=function(t,e,n){if(i(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,i){return t.call(e,n,i)};case 3:return function(n,i,r){return t.call(e,n,i,r)}}return function(){return t.apply(e,arguments)}}},"9c6c":function(t,e,n){var i=n("2b4c")("unscopables"),r=Array.prototype;void 0==r[i]&&n("32e9")(r,i,{}),t.exports=function(t){r[i][t]=!0}},"9def":function(t,e,n){var i=n("4588"),r=Math.min;t.exports=function(t){return t>0?r(i(t),9007199254740991):0}},"9e1e":function(t,e,n){t.exports=!n("79e5")((function(){return 7!=Object.defineProperty({},"a",{get:function(){return 7}}).a}))},a142:function(t,e,n){"use strict";n.d(e,"e",(function(){return o})),n.d(e,"b",(function(){return a})),n.d(e,"c",(function(){return s})),n.d(e,"d",(function(){return l})),n.d(e,"a",(function(){return u}));var i=n("8bbf"),r=n.n(i),o=r.a.prototype.$isServer;function a(t){return void 0!==t&&null!==t}function s(t){return"function"===typeof t}function l(t){return null!==t&&"object"===typeof t}function u(t,e){var n=e.split("."),i=t;return n.forEach((function(t){var e;i=null!=(e=i[t])?e:""})),i}},a159:function(t,e,n){var i=n("e4ae"),r=n("7e90"),o=n("1691"),a=n("5559")("IE_PROTO"),s=function(){},l="prototype",u=function(){var t,e=n("1ec9")("iframe"),i=o.length,r="<",a=">";e.style.display="none",n("32fc").appendChild(e),e.src="javascript:",t=e.contentWindow.document,t.open(),t.write(r+"script"+a+"document.F=Object"+r+"/script"+a),t.close(),u=t.F;while(i--)delete u[l][o[i]];return u()};t.exports=Object.create||function(t,e){var n;return null!==t?(s[l]=i(t),n=new s,s[l]=null,n[a]=t):n=u(),void 0===e?n:r(n,e)}},a29f:function(t,e,n){var i=n("f130");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("7a11bf09",i,!0,{sourceMap:!1,shadowMode:!1})},a481:function(t,e,n){"use strict";var i=n("cb7c"),r=n("4bf8"),o=n("9def"),a=n("4588"),s=n("0390"),l=n("5f1b"),u=Math.max,c=Math.min,h=Math.floor,d=/\$([$&`']|\d\d?|<[^>]*>)/g,f=/\$([$&`']|\d\d?)/g,p=function(t){return void 0===t?t:String(t)};n("214f")("replace",2,(function(t,e,n,v){return[function(i,r){var o=t(this),a=void 0==i?void 0:i[e];return void 0!==a?a.call(i,o,r):n.call(String(o),i,r)},function(t,e){var r=v(n,t,this,e);if(r.done)return r.value;var h=i(t),d=String(this),f="function"===typeof e;f||(e=String(e));var g=h.global;if(g){var y=h.unicode;h.lastIndex=0}var _=[];while(1){var b=l(h,d);if(null===b)break;if(_.push(b),!g)break;var w=String(b[0]);""===w&&(h.lastIndex=s(d,o(h.lastIndex),y))}for(var A="",x=0,k=0;k<_.length;k++){b=_[k];for(var j=String(b[0]),C=u(c(a(b.index),d.length),0),T=[],E=1;E<b.length;E++)T.push(p(b[E]));var S=b.groups;if(f){var O=[j].concat(T,C,d);void 0!==S&&O.push(S);var q=String(e.apply(void 0,O))}else q=m(j,d,C,T,S,e);C>=x&&(A+=d.slice(x,C)+q,x=C+j.length)}return A+d.slice(x)}];function m(t,e,i,o,a,s){var l=i+t.length,u=o.length,c=f;return void 0!==a&&(a=r(a),c=d),n.call(s,c,(function(n,r){var s;switch(r.charAt(0)){case"$":return"$";case"&":return t;case"`":return e.slice(0,i);case"'":return e.slice(l);case"<":s=a[r.slice(1,-1)];break;default:var c=+r;if(0===c)return n;if(c>u){var d=h(c/10);return 0===d?n:d<=u?void 0===o[d-1]?r.charAt(1):o[d-1]+r.charAt(1):n}s=o[c-1]}return void 0===s?"":s}))}}))},a4bb:function(t,e,n){t.exports=n("8aae")},a4c6:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'/*!\n * Quill Editor v1.3.7\n * https://quilljs.com/\n * Copyright (c) 2014, Jason Chen\n * Copyright (c) 2013, salesforce.com\n */.ql-container{box-sizing:border-box;font-family:Helvetica,Arial,sans-serif;font-size:13px;height:100%;margin:0;position:relative}.ql-container.ql-disabled .ql-tooltip{visibility:hidden}.ql-container.ql-disabled .ql-editor ul[data-checked]>li:before{pointer-events:none}.ql-clipboard{left:-100000px;height:1px;overflow-y:hidden;position:absolute;top:50%}.ql-clipboard p{margin:0;padding:0}.ql-editor{box-sizing:border-box;line-height:1.42;height:100%;outline:none;overflow-y:auto;padding:12px 15px;-o-tab-size:4;tab-size:4;-moz-tab-size:4;text-align:left;white-space:pre-wrap;word-wrap:break-word}.ql-editor>*{cursor:text}.ql-editor blockquote,.ql-editor h1,.ql-editor h2,.ql-editor h3,.ql-editor h4,.ql-editor h5,.ql-editor h6,.ql-editor ol,.ql-editor p,.ql-editor pre,.ql-editor ul{margin:0;padding:0;counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol,.ql-editor ul{padding-left:1.5em}.ql-editor ol>li,.ql-editor ul>li{list-style-type:none}.ql-editor ul>li:before{content:"\\2022"}.ql-editor ul[data-checked=false],.ql-editor ul[data-checked=true]{pointer-events:none}.ql-editor ul[data-checked=false]>li *,.ql-editor ul[data-checked=true]>li *{pointer-events:all}.ql-editor ul[data-checked=false]>li:before,.ql-editor ul[data-checked=true]>li:before{color:#777;cursor:pointer;pointer-events:all}.ql-editor ul[data-checked=true]>li:before{content:"\\2611"}.ql-editor ul[data-checked=false]>li:before{content:"\\2610"}.ql-editor li:before{display:inline-block;white-space:nowrap;width:1.2em}.ql-editor li:not(.ql-direction-rtl):before{margin-left:-1.5em;margin-right:.3em;text-align:right}.ql-editor li.ql-direction-rtl:before{margin-left:.3em;margin-right:-1.5em}.ql-editor ol li:not(.ql-direction-rtl),.ql-editor ul li:not(.ql-direction-rtl){padding-left:1.5em}.ql-editor ol li.ql-direction-rtl,.ql-editor ul li.ql-direction-rtl{padding-right:1.5em}.ql-editor ol li{counter-reset:list-1 list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9;counter-increment:list-0}.ql-editor ol li:before{content:counter(list-0,decimal) ". "}.ql-editor ol li.ql-indent-1{counter-increment:list-1}.ql-editor ol li.ql-indent-1:before{content:counter(list-1,lower-alpha) ". "}.ql-editor ol li.ql-indent-1{counter-reset:list-2 list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-2{counter-increment:list-2}.ql-editor ol li.ql-indent-2:before{content:counter(list-2,lower-roman) ". "}.ql-editor ol li.ql-indent-2{counter-reset:list-3 list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-3{counter-increment:list-3}.ql-editor ol li.ql-indent-3:before{content:counter(list-3,decimal) ". "}.ql-editor ol li.ql-indent-3{counter-reset:list-4 list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-4{counter-increment:list-4}.ql-editor ol li.ql-indent-4:before{content:counter(list-4,lower-alpha) ". "}.ql-editor ol li.ql-indent-4{counter-reset:list-5 list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-5{counter-increment:list-5}.ql-editor ol li.ql-indent-5:before{content:counter(list-5,lower-roman) ". "}.ql-editor ol li.ql-indent-5{counter-reset:list-6 list-7 list-8 list-9}.ql-editor ol li.ql-indent-6{counter-increment:list-6}.ql-editor ol li.ql-indent-6:before{content:counter(list-6,decimal) ". "}.ql-editor ol li.ql-indent-6{counter-reset:list-7 list-8 list-9}.ql-editor ol li.ql-indent-7{counter-increment:list-7}.ql-editor ol li.ql-indent-7:before{content:counter(list-7,lower-alpha) ". "}.ql-editor ol li.ql-indent-7{counter-reset:list-8 list-9}.ql-editor ol li.ql-indent-8{counter-increment:list-8}.ql-editor ol li.ql-indent-8:before{content:counter(list-8,lower-roman) ". "}.ql-editor ol li.ql-indent-8{counter-reset:list-9}.ql-editor ol li.ql-indent-9{counter-increment:list-9}.ql-editor ol li.ql-indent-9:before{content:counter(list-9,decimal) ". "}.ql-editor .ql-indent-1:not(.ql-direction-rtl){padding-left:3em}.ql-editor li.ql-indent-1:not(.ql-direction-rtl){padding-left:4.5em}.ql-editor .ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:3em}.ql-editor li.ql-indent-1.ql-direction-rtl.ql-align-right{padding-right:4.5em}.ql-editor .ql-indent-2:not(.ql-direction-rtl){padding-left:6em}.ql-editor li.ql-indent-2:not(.ql-direction-rtl){padding-left:7.5em}.ql-editor .ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:6em}.ql-editor li.ql-indent-2.ql-direction-rtl.ql-align-right{padding-right:7.5em}.ql-editor .ql-indent-3:not(.ql-direction-rtl){padding-left:9em}.ql-editor li.ql-indent-3:not(.ql-direction-rtl){padding-left:10.5em}.ql-editor .ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:9em}.ql-editor li.ql-indent-3.ql-direction-rtl.ql-align-right{padding-right:10.5em}.ql-editor .ql-indent-4:not(.ql-direction-rtl){padding-left:12em}.ql-editor li.ql-indent-4:not(.ql-direction-rtl){padding-left:13.5em}.ql-editor .ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:12em}.ql-editor li.ql-indent-4.ql-direction-rtl.ql-align-right{padding-right:13.5em}.ql-editor .ql-indent-5:not(.ql-direction-rtl){padding-left:15em}.ql-editor li.ql-indent-5:not(.ql-direction-rtl){padding-left:16.5em}.ql-editor .ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:15em}.ql-editor li.ql-indent-5.ql-direction-rtl.ql-align-right{padding-right:16.5em}.ql-editor .ql-indent-6:not(.ql-direction-rtl){padding-left:18em}.ql-editor li.ql-indent-6:not(.ql-direction-rtl){padding-left:19.5em}.ql-editor .ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:18em}.ql-editor li.ql-indent-6.ql-direction-rtl.ql-align-right{padding-right:19.5em}.ql-editor .ql-indent-7:not(.ql-direction-rtl){padding-left:21em}.ql-editor li.ql-indent-7:not(.ql-direction-rtl){padding-left:22.5em}.ql-editor .ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:21em}.ql-editor li.ql-indent-7.ql-direction-rtl.ql-align-right{padding-right:22.5em}.ql-editor .ql-indent-8:not(.ql-direction-rtl){padding-left:24em}.ql-editor li.ql-indent-8:not(.ql-direction-rtl){padding-left:25.5em}.ql-editor .ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:24em}.ql-editor li.ql-indent-8.ql-direction-rtl.ql-align-right{padding-right:25.5em}.ql-editor .ql-indent-9:not(.ql-direction-rtl){padding-left:27em}.ql-editor li.ql-indent-9:not(.ql-direction-rtl){padding-left:28.5em}.ql-editor .ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:27em}.ql-editor li.ql-indent-9.ql-direction-rtl.ql-align-right{padding-right:28.5em}.ql-editor .ql-video{display:block;max-width:100%}.ql-editor .ql-video.ql-align-center{margin:0 auto}.ql-editor .ql-video.ql-align-right{margin:0 0 0 auto}.ql-editor .ql-bg-black{background-color:#000}.ql-editor .ql-bg-red{background-color:#e60000}.ql-editor .ql-bg-orange{background-color:#f90}.ql-editor .ql-bg-yellow{background-color:#ff0}.ql-editor .ql-bg-green{background-color:#008a00}.ql-editor .ql-bg-blue{background-color:#06c}.ql-editor .ql-bg-purple{background-color:#93f}.ql-editor .ql-color-white{color:#fff}.ql-editor .ql-color-red{color:#e60000}.ql-editor .ql-color-orange{color:#f90}.ql-editor .ql-color-yellow{color:#ff0}.ql-editor .ql-color-green{color:#008a00}.ql-editor .ql-color-blue{color:#06c}.ql-editor .ql-color-purple{color:#93f}.ql-editor .ql-font-serif{font-family:Georgia,Times New Roman,serif}.ql-editor .ql-font-monospace{font-family:Monaco,Courier New,monospace}.ql-editor .ql-size-small{font-size:.75em}.ql-editor .ql-size-large{font-size:1.5em}.ql-editor .ql-size-huge{font-size:2.5em}.ql-editor .ql-direction-rtl{direction:rtl;text-align:inherit}.ql-editor .ql-align-center{text-align:center}.ql-editor .ql-align-justify{text-align:justify}.ql-editor .ql-align-right{text-align:right}.ql-editor.ql-blank:before{color:rgba(0,0,0,.6);content:attr(data-placeholder);font-style:italic;left:15px;pointer-events:none;position:absolute;right:15px}.ql-snow.ql-toolbar:after,.ql-snow .ql-toolbar:after{clear:both;content:"";display:table}.ql-snow.ql-toolbar button,.ql-snow .ql-toolbar button{background:none;border:none;cursor:pointer;display:inline-block;float:left;height:24px;padding:3px 5px;width:28px}.ql-snow.ql-toolbar button svg,.ql-snow .ql-toolbar button svg{float:left;height:100%}.ql-snow.ql-toolbar button:active:hover,.ql-snow .ql-toolbar button:active:hover{outline:none}.ql-snow.ql-toolbar input.ql-image[type=file],.ql-snow .ql-toolbar input.ql-image[type=file]{display:none}.ql-snow.ql-toolbar .ql-picker-item.ql-selected,.ql-snow .ql-toolbar .ql-picker-item.ql-selected,.ql-snow.ql-toolbar .ql-picker-item:hover,.ql-snow .ql-toolbar .ql-picker-item:hover,.ql-snow.ql-toolbar .ql-picker-label.ql-active,.ql-snow .ql-toolbar .ql-picker-label.ql-active,.ql-snow.ql-toolbar .ql-picker-label:hover,.ql-snow .ql-toolbar .ql-picker-label:hover,.ql-snow.ql-toolbar button.ql-active,.ql-snow .ql-toolbar button.ql-active,.ql-snow.ql-toolbar button:focus,.ql-snow .ql-toolbar button:focus,.ql-snow.ql-toolbar button:hover,.ql-snow .ql-toolbar button:hover{color:#06c}.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-fill,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-fill,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-fill,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke.ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-fill,.ql-snow.ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow .ql-toolbar button.ql-active .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:focus .ql-fill,.ql-snow .ql-toolbar button:focus .ql-fill,.ql-snow.ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:focus .ql-stroke.ql-fill,.ql-snow.ql-toolbar button:hover .ql-fill,.ql-snow .ql-toolbar button:hover .ql-fill,.ql-snow.ql-toolbar button:hover .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:hover .ql-stroke.ql-fill{fill:#06c}.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-item.ql-selected .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-item:hover .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke,.ql-snow.ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow .ql-toolbar .ql-picker-label:hover .ql-stroke-miter,.ql-snow.ql-toolbar button.ql-active .ql-stroke,.ql-snow .ql-toolbar button.ql-active .ql-stroke,.ql-snow.ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow .ql-toolbar button.ql-active .ql-stroke-miter,.ql-snow.ql-toolbar button:focus .ql-stroke,.ql-snow .ql-toolbar button:focus .ql-stroke,.ql-snow.ql-toolbar button:focus .ql-stroke-miter,.ql-snow .ql-toolbar button:focus .ql-stroke-miter,.ql-snow.ql-toolbar button:hover .ql-stroke,.ql-snow .ql-toolbar button:hover .ql-stroke,.ql-snow.ql-toolbar button:hover .ql-stroke-miter,.ql-snow .ql-toolbar button:hover .ql-stroke-miter{stroke:#06c}@media (pointer:coarse){.ql-snow.ql-toolbar button:hover:not(.ql-active),.ql-snow .ql-toolbar button:hover:not(.ql-active){color:#444}.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-fill,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke.ql-fill{fill:#444}.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke,.ql-snow.ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter,.ql-snow .ql-toolbar button:hover:not(.ql-active) .ql-stroke-miter{stroke:#444}}.ql-snow,.ql-snow *{box-sizing:border-box}.ql-snow .ql-hidden{display:none}.ql-snow .ql-out-bottom,.ql-snow .ql-out-top{visibility:hidden}.ql-snow .ql-tooltip{position:absolute;transform:translateY(10px)}.ql-snow .ql-tooltip a{cursor:pointer;text-decoration:none}.ql-snow .ql-tooltip.ql-flip{transform:translateY(-10px)}.ql-snow .ql-formats{display:inline-block;vertical-align:middle}.ql-snow .ql-formats:after{clear:both;content:"";display:table}.ql-snow .ql-stroke{fill:none;stroke:#444;stroke-linecap:round;stroke-linejoin:round;stroke-width:2}.ql-snow .ql-stroke-miter{fill:none;stroke:#444;stroke-miterlimit:10;stroke-width:2}.ql-snow .ql-fill,.ql-snow .ql-stroke.ql-fill{fill:#444}.ql-snow .ql-empty{fill:none}.ql-snow .ql-even{fill-rule:evenodd}.ql-snow .ql-stroke.ql-thin,.ql-snow .ql-thin{stroke-width:1}.ql-snow .ql-transparent{opacity:.4}.ql-snow .ql-direction svg:last-child{display:none}.ql-snow .ql-direction.ql-active svg:last-child{display:inline}.ql-snow .ql-direction.ql-active svg:first-child{display:none}.ql-snow .ql-editor h1{font-size:2em}.ql-snow .ql-editor h2{font-size:1.5em}.ql-snow .ql-editor h3{font-size:1.17em}.ql-snow .ql-editor h4{font-size:1em}.ql-snow .ql-editor h5{font-size:.83em}.ql-snow .ql-editor h6{font-size:.67em}.ql-snow .ql-editor a{text-decoration:underline}.ql-snow .ql-editor blockquote{border-left:4px solid #ccc;margin-bottom:5px;margin-top:5px;padding-left:16px}.ql-snow .ql-editor code,.ql-snow .ql-editor pre{background-color:#f0f0f0;border-radius:3px}.ql-snow .ql-editor pre{white-space:pre-wrap;margin-bottom:5px;margin-top:5px;padding:5px 10px}.ql-snow .ql-editor code{font-size:85%;padding:2px 4px}.ql-snow .ql-editor pre.ql-syntax{background-color:#23241f;color:#f8f8f2;overflow:visible}.ql-snow .ql-editor img{max-width:100%}.ql-snow .ql-picker{color:#444;display:inline-block;float:left;font-size:14px;font-weight:500;height:24px;position:relative;vertical-align:middle}.ql-snow .ql-picker-label{cursor:pointer;display:inline-block;height:100%;padding-left:8px;padding-right:2px;position:relative;width:100%}.ql-snow .ql-picker-label:before{display:inline-block;line-height:22px}.ql-snow .ql-picker-options{background-color:#fff;display:none;min-width:100%;padding:4px 8px;position:absolute;white-space:nowrap}.ql-snow .ql-picker-options .ql-picker-item{cursor:pointer;display:block;padding-bottom:5px;padding-top:5px}.ql-snow .ql-picker.ql-expanded .ql-picker-label{color:#ccc;z-index:2}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-fill{fill:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-label .ql-stroke{stroke:#ccc}.ql-snow .ql-picker.ql-expanded .ql-picker-options{display:block;margin-top:-1px;top:100%;z-index:1}.ql-snow .ql-color-picker,.ql-snow .ql-icon-picker{width:28px}.ql-snow .ql-color-picker .ql-picker-label,.ql-snow .ql-icon-picker .ql-picker-label{padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-label svg,.ql-snow .ql-icon-picker .ql-picker-label svg{right:4px}.ql-snow .ql-icon-picker .ql-picker-options{padding:4px 0}.ql-snow .ql-icon-picker .ql-picker-item{height:24px;width:24px;padding:2px 4px}.ql-snow .ql-color-picker .ql-picker-options{padding:3px 5px;width:152px}.ql-snow .ql-color-picker .ql-picker-item{border:1px solid transparent;float:left;height:16px;margin:2px;padding:0;width:16px}.ql-snow .ql-picker:not(.ql-color-picker):not(.ql-icon-picker) svg{position:absolute;margin-top:-9px;right:0;top:50%;width:18px}.ql-snow .ql-picker.ql-font .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-header .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-size .ql-picker-item[data-label]:not([data-label=""]):before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-label]:not([data-label=""]):before{content:attr(data-label)}.ql-snow .ql-picker.ql-header{width:98px}.ql-snow .ql-picker.ql-header .ql-picker-item:before,.ql-snow .ql-picker.ql-header .ql-picker-label:before{content:"Normal"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="1"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="1"]:before{content:"Heading 1"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="2"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="2"]:before{content:"Heading 2"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="3"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="3"]:before{content:"Heading 3"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="4"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="4"]:before{content:"Heading 4"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="5"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="5"]:before{content:"Heading 5"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="6"]:before,.ql-snow .ql-picker.ql-header .ql-picker-label[data-value="6"]:before{content:"Heading 6"}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="1"]:before{font-size:2em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="2"]:before{font-size:1.5em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="3"]:before{font-size:1.17em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="4"]:before{font-size:1em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="5"]:before{font-size:.83em}.ql-snow .ql-picker.ql-header .ql-picker-item[data-value="6"]:before{font-size:.67em}.ql-snow .ql-picker.ql-font{width:108px}.ql-snow .ql-picker.ql-font .ql-picker-item:before,.ql-snow .ql-picker.ql-font .ql-picker-label:before{content:"Sans Serif"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]:before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=serif]:before{content:"Serif"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]:before,.ql-snow .ql-picker.ql-font .ql-picker-label[data-value=monospace]:before{content:"Monospace"}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=serif]:before{font-family:Georgia,Times New Roman,serif}.ql-snow .ql-picker.ql-font .ql-picker-item[data-value=monospace]:before{font-family:Monaco,Courier New,monospace}.ql-snow .ql-picker.ql-size{width:98px}.ql-snow .ql-picker.ql-size .ql-picker-item:before,.ql-snow .ql-picker.ql-size .ql-picker-label:before{content:"Normal"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=small]:before{content:"Small"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=large]:before{content:"Large"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]:before,.ql-snow .ql-picker.ql-size .ql-picker-label[data-value=huge]:before{content:"Huge"}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=small]:before{font-size:10px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=large]:before{font-size:18px}.ql-snow .ql-picker.ql-size .ql-picker-item[data-value=huge]:before{font-size:32px}.ql-snow .ql-color-picker.ql-background .ql-picker-item{background-color:#fff}.ql-snow .ql-color-picker.ql-color .ql-picker-item{background-color:#000}.ql-toolbar.ql-snow{border:1px solid #ccc;box-sizing:border-box;font-family:Helvetica Neue,Helvetica,Arial,sans-serif;padding:8px}.ql-toolbar.ql-snow .ql-formats{margin-right:15px}.ql-toolbar.ql-snow .ql-picker-label{border:1px solid transparent}.ql-toolbar.ql-snow .ql-picker-options{border:1px solid transparent;box-shadow:0 2px 8px rgba(0,0,0,.2)}.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-label,.ql-toolbar.ql-snow .ql-picker.ql-expanded .ql-picker-options{border-color:#ccc}.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item.ql-selected,.ql-toolbar.ql-snow .ql-color-picker .ql-picker-item:hover{border-color:#000}.ql-toolbar.ql-snow+.ql-container.ql-snow{border-top:0}.ql-snow .ql-tooltip{background-color:#fff;border:1px solid #ccc;box-shadow:0 0 5px #ddd;color:#444;padding:5px 12px;white-space:nowrap}.ql-snow .ql-tooltip:before{content:"Visit URL:";line-height:26px;margin-right:8px}.ql-snow .ql-tooltip input[type=text]{display:none;border:1px solid #ccc;font-size:13px;height:26px;margin:0;padding:3px 5px;width:170px}.ql-snow .ql-tooltip a.ql-preview{display:inline-block;max-width:200px;overflow-x:hidden;text-overflow:ellipsis;vertical-align:top}.ql-snow .ql-tooltip a.ql-action:after{border-right:1px solid #ccc;content:"Edit";margin-left:16px;padding-right:8px}.ql-snow .ql-tooltip a.ql-remove:before{content:"Remove";margin-left:8px}.ql-snow .ql-tooltip a{line-height:26px}.ql-snow .ql-tooltip.ql-editing a.ql-preview,.ql-snow .ql-tooltip.ql-editing a.ql-remove{display:none}.ql-snow .ql-tooltip.ql-editing input[type=text]{display:inline-block}.ql-snow .ql-tooltip.ql-editing a.ql-action:after{border-right:0;content:"Save";padding-right:0}.ql-snow .ql-tooltip[data-mode=link]:before{content:"Enter link:"}.ql-snow .ql-tooltip[data-mode=formula]:before{content:"Enter formula:"}.ql-snow .ql-tooltip[data-mode=video]:before{content:"Enter video:"}.ql-snow a{color:#06c}.ql-container.ql-snow{border:1px solid #ccc}',""])},a68b:function(t,e,n){var i=n("34f6");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("bc772d34",i,!0,{sourceMap:!1,shadowMode:!1})},a745:function(t,e,n){t.exports=n("f410")},a753:function(t,e,n){var i=n("2ce8");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("36292097",i,!0,{sourceMap:!1,shadowMode:!1})},aa77:function(t,e,n){var i=n("5ca1"),r=n("be13"),o=n("79e5"),a=n("fdef"),s="["+a+"]",l="​…",u=RegExp("^"+s+s+"*"),c=RegExp(s+s+"*$"),h=function(t,e,n){var r={},s=o((function(){return!!a[t]()||l[t]()!=l})),u=r[t]=s?e(d):a[t];n&&(r[n]=u),i(i.P+i.F*s,"String",r)},d=h.trim=function(t,e){return t=String(r(t)),1&e&&(t=t.replace(u,"")),2&e&&(t=t.replace(c,"")),t};t.exports=h},aae3:function(t,e,n){var i=n("d3f4"),r=n("2d95"),o=n("2b4c")("match");t.exports=function(t){var e;return i(t)&&(void 0!==(e=t[o])?!!e:"RegExp"==r(t))}},ac4d:function(t,e,n){n("3a72")("asyncIterator")},ac6a:function(t,e,n){for(var i=n("cadf"),r=n("0d58"),o=n("2aba"),a=n("7726"),s=n("32e9"),l=n("84f2"),u=n("2b4c"),c=u("iterator"),h=u("toStringTag"),d=l.Array,f={CSSRuleList:!0,CSSStyleDeclaration:!1,CSSValueList:!1,ClientRectList:!1,DOMRectList:!1,DOMStringList:!1,DOMTokenList:!0,DataTransferItemList:!1,FileList:!1,HTMLAllCollection:!1,HTMLCollection:!1,HTMLFormElement:!1,HTMLSelectElement:!1,MediaList:!0,MimeTypeArray:!1,NamedNodeMap:!1,NodeList:!0,PaintRequestList:!1,Plugin:!1,PluginArray:!1,SVGLengthList:!1,SVGNumberList:!1,SVGPathSegList:!1,SVGPointList:!1,SVGStringList:!1,SVGTransformList:!1,SourceBufferList:!1,StyleSheetList:!0,TextTrackCueList:!1,TextTrackList:!1,TouchList:!1},p=r(f),v=0;v<p.length;v++){var m,g=p[v],y=f[g],_=a[g],b=_&&_.prototype;if(b&&(b[c]||s(b,c,d),b[h]||s(b,h,g),l[g]=d,y))for(m in i)b[m]||o(b,m,i[m],!0)}},ad81:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".bsth-weather-outer-div,.bsth-weather-outer-div *{box-sizing:border-box}.realtime .cond{display:flex;height:70px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .cond .temperature{font-size:43px;height:41px;text-align:left}.realtime .cond .temperature_text{font-size:17px;line-height:90px;padding-left:15px;text-align:left}.realtime .wind{display:flex;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .wind .direction,.realtime .wind .power{font-size:16px;text-align:left}.realtime .wind .power{padding-left:10px}.realtime .air{display:flex;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.realtime .air,.realtime .air .quaility,quaility_title{font-size:16px;text-align:left}.realtime .air .quaility{padding-left:10px}.my-spin .ant-spin-blur{opacity:0}",""])},ada8:function(t,e,n){var i=n("13e9");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("d4718da0",i,!0,{sourceMap:!1,shadowMode:!1})},aebd:function(t,e){t.exports=function(t,e){return{enumerable:!(1&t),configurable:!(2&t),writable:!(4&t),value:e}}},b03c:function(t,e){var n="auto",i={"":!0,lr:!0,rl:!0},r={start:!0,middle:!0,end:!0,left:!0,right:!0};function o(t){if("string"!==typeof t)return!1;var e=i[t.toLowerCase()];return!!e&&t.toLowerCase()}function a(t){if("string"!==typeof t)return!1;var e=r[t.toLowerCase()];return!!e&&t.toLowerCase()}function s(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var i in n)t[i]=n[i]}return t}function l(t,e,i){var r=this,l=/MSIE\s8\.0/.test(navigator.userAgent),u={};l?r=document.createElement("custom"):u.enumerable=!0,r.hasBeenReset=!1;var c="",h=!1,d=t,f=e,p=i,v=null,m="",g=!0,y="auto",_="start",b=50,w="middle",A=50,x="middle";if(Object.defineProperty(r,"id",s({},u,{get:function(){return c},set:function(t){c=""+t}})),Object.defineProperty(r,"pauseOnExit",s({},u,{get:function(){return h},set:function(t){h=!!t}})),Object.defineProperty(r,"startTime",s({},u,{get:function(){return d},set:function(t){if("number"!==typeof t)throw new TypeError("Start time must be set to a number.");d=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"endTime",s({},u,{get:function(){return f},set:function(t){if("number"!==typeof t)throw new TypeError("End time must be set to a number.");f=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"text",s({},u,{get:function(){return p},set:function(t){p=""+t,this.hasBeenReset=!0}})),Object.defineProperty(r,"region",s({},u,{get:function(){return v},set:function(t){v=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"vertical",s({},u,{get:function(){return m},set:function(t){var e=o(t);if(!1===e)throw new SyntaxError("An invalid or illegal string was specified.");m=e,this.hasBeenReset=!0}})),Object.defineProperty(r,"snapToLines",s({},u,{get:function(){return g},set:function(t){g=!!t,this.hasBeenReset=!0}})),Object.defineProperty(r,"line",s({},u,{get:function(){return y},set:function(t){if("number"!==typeof t&&t!==n)throw new SyntaxError("An invalid number or illegal string was specified.");y=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"lineAlign",s({},u,{get:function(){return _},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");_=e,this.hasBeenReset=!0}})),Object.defineProperty(r,"position",s({},u,{get:function(){return b},set:function(t){if(t<0||t>100)throw new Error("Position must be between 0 and 100.");b=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"positionAlign",s({},u,{get:function(){return w},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");w=e,this.hasBeenReset=!0}})),Object.defineProperty(r,"size",s({},u,{get:function(){return A},set:function(t){if(t<0||t>100)throw new Error("Size must be between 0 and 100.");A=t,this.hasBeenReset=!0}})),Object.defineProperty(r,"align",s({},u,{get:function(){return x},set:function(t){var e=a(t);if(!e)throw new SyntaxError("An invalid or illegal string was specified.");x=e,this.hasBeenReset=!0}})),r.displayState=void 0,l)return r}l.prototype.getCueAsHTML=function(){return WebVTT.convertCueToDOMTree(window,this.text)},t.exports=l},b041:function(t,e){t.exports=function(t){return"string"!==typeof t?t:(/^['"].*['"]$/.test(t)&&(t=t.slice(1,-1)),/["'() \t\n]/.test(t)?'"'+t.replace(/"/g,'\\"').replace(/\n/g,"\\n")+'"':t)}},b0c5:function(t,e,n){"use strict";var i=n("520a");n("5ca1")({target:"RegExp",proto:!0,forced:i!==/./.exec},{exec:i})},b0dc:function(t,e,n){var i=n("e4ae");t.exports=function(t,e,n,r){try{return r?e(i(n)[0],n[1]):e(n)}catch(a){var o=t["return"];throw void 0!==o&&i(o.call(t)),a}}},b447:function(t,e,n){var i=n("3a38"),r=Math.min;t.exports=function(t){return t>0?r(i(t),9007199254740991):0}},b50d:function(t,e,n){"use strict";var i=n("c532"),r=n("467f"),o=n("30b5"),a=n("83b9"),s=n("c345"),l=n("3934"),u=n("2d83");t.exports=function(t){return new Promise((function(e,c){var h=t.data,d=t.headers;i.isFormData(h)&&delete d["Content-Type"];var f=new XMLHttpRequest;if(t.auth){var p=t.auth.username||"",v=t.auth.password||"";d.Authorization="Basic "+btoa(p+":"+v)}var m=a(t.baseURL,t.url);if(f.open(t.method.toUpperCase(),o(m,t.params,t.paramsSerializer),!0),f.timeout=t.timeout,f.onreadystatechange=function(){if(f&&4===f.readyState&&(0!==f.status||f.responseURL&&0===f.responseURL.indexOf("file:"))){var n="getAllResponseHeaders"in f?s(f.getAllResponseHeaders()):null,i=t.responseType&&"text"!==t.responseType?f.response:f.responseText,o={data:i,status:f.status,statusText:f.statusText,headers:n,config:t,request:f};r(e,c,o),f=null}},f.onabort=function(){f&&(c(u("Request aborted",t,"ECONNABORTED",f)),f=null)},f.onerror=function(){c(u("Network Error",t,null,f)),f=null},f.ontimeout=function(){var e="timeout of "+t.timeout+"ms exceeded";t.timeoutErrorMessage&&(e=t.timeoutErrorMessage),c(u(e,t,"ECONNABORTED",f)),f=null},i.isStandardBrowserEnv()){var g=n("7aac"),y=(t.withCredentials||l(m))&&t.xsrfCookieName?g.read(t.xsrfCookieName):void 0;y&&(d[t.xsrfHeaderName]=y)}if("setRequestHeader"in f&&i.forEach(d,(function(t,e){"undefined"===typeof h&&"content-type"===e.toLowerCase()?delete d[e]:f.setRequestHeader(e,t)})),i.isUndefined(t.withCredentials)||(f.withCredentials=!!t.withCredentials),t.responseType)try{f.responseType=t.responseType}catch(_){if("json"!==t.responseType)throw _}"function"===typeof t.onDownloadProgress&&f.addEventListener("progress",t.onDownloadProgress),"function"===typeof t.onUploadProgress&&f.upload&&f.upload.addEventListener("progress",t.onUploadProgress),t.cancelToken&&t.cancelToken.promise.then((function(t){f&&(f.abort(),c(t),f=null)})),void 0===h&&(h=null),f.send(h)}))}},b8e3:function(t,e){t.exports=!0},bc3a:function(t,e,n){t.exports=n("cee4")},be09:function(t,e,n){(function(e){var n;n="undefined"!==typeof window?window:"undefined"!==typeof e?e:"undefined"!==typeof self?self:{},t.exports=n}).call(this,n("c8ba"))},be13:function(t,e){t.exports=function(t){if(void 0==t)throw TypeError("Can't call method on "+t);return t}},bf0b:function(t,e,n){var i=n("355d"),r=n("aebd"),o=n("36c3"),a=n("1bc3"),s=n("07e3"),l=n("794b"),u=Object.getOwnPropertyDescriptor;e.f=n("8e60")?u:function(t,e){if(t=o(t),e=a(e,!0),l)try{return u(t,e)}catch(n){}if(s(t,e))return r(!i.f.call(t,e),t[e])}},bf74:function(t,e){var n={}.toString;t.exports=Array.isArray||function(t){return"[object Array]"==n.call(t)}},c1df:function(t,e,n){(function(t){var e;//! moment.js
32 32 //! version : 2.29.1
33 33 //! authors : Tim Wood, Iskren Chernev, Moment.js contributors
34 34 //! license : MIT
35 35 //! momentjs.com
36   -(function(e,n){t.exports=n()})(0,(function(){"use strict";var i,o;function r(){return i.apply(null,arguments)}function a(t){i=t}function s(t){return t instanceof Array||"[object Array]"===Object.prototype.toString.call(t)}function l(t){return null!=t&&"[object Object]"===Object.prototype.toString.call(t)}function c(t,e){return Object.prototype.hasOwnProperty.call(t,e)}function u(t){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(t).length;var e;for(e in t)if(c(t,e))return!1;return!0}function h(t){return void 0===t}function d(t){return"number"===typeof t||"[object Number]"===Object.prototype.toString.call(t)}function f(t){return t instanceof Date||"[object Date]"===Object.prototype.toString.call(t)}function A(t,e){var n,i=[];for(n=0;n<t.length;++n)i.push(e(t[n],n));return i}function p(t,e){for(var n in e)c(e,n)&&(t[n]=e[n]);return c(e,"toString")&&(t.toString=e.toString),c(e,"valueOf")&&(t.valueOf=e.valueOf),t}function g(t,e,n,i){return Vn(t,e,n,i,!0).utc()}function v(){return{empty:!1,unusedTokens:[],unusedInput:[],overflow:-2,charsLeftOver:0,nullInput:!1,invalidEra:null,invalidMonth:null,invalidFormat:!1,userInvalidated:!1,iso:!1,parsedDateParts:[],era:null,meridiem:null,rfc2822:!1,weekdayMismatch:!1}}function m(t){return null==t._pf&&(t._pf=v()),t._pf}function y(t){if(null==t._isValid){var e=m(t),n=o.call(e.parsedDateParts,(function(t){return null!=t})),i=!isNaN(t._d.getTime())&&e.overflow<0&&!e.empty&&!e.invalidEra&&!e.invalidMonth&&!e.invalidWeekday&&!e.weekdayMismatch&&!e.nullInput&&!e.invalidFormat&&!e.userInvalidated&&(!e.meridiem||e.meridiem&&n);if(t._strict&&(i=i&&0===e.charsLeftOver&&0===e.unusedTokens.length&&void 0===e.bigHour),null!=Object.isFrozen&&Object.isFrozen(t))return i;t._isValid=i}return t._isValid}function b(t){var e=g(NaN);return null!=t?p(m(e),t):m(e).userInvalidated=!0,e}o=Array.prototype.some?Array.prototype.some:function(t){var e,n=Object(this),i=n.length>>>0;for(e=0;e<i;e++)if(e in n&&t.call(this,n[e],e,n))return!0;return!1};var w=r.momentProperties=[],E=!1;function _(t,e){var n,i,o;if(h(e._isAMomentObject)||(t._isAMomentObject=e._isAMomentObject),h(e._i)||(t._i=e._i),h(e._f)||(t._f=e._f),h(e._l)||(t._l=e._l),h(e._strict)||(t._strict=e._strict),h(e._tzm)||(t._tzm=e._tzm),h(e._isUTC)||(t._isUTC=e._isUTC),h(e._offset)||(t._offset=e._offset),h(e._pf)||(t._pf=m(e)),h(e._locale)||(t._locale=e._locale),w.length>0)for(n=0;n<w.length;n++)i=w[n],o=e[i],h(o)||(t[i]=o);return t}function B(t){_(this,t),this._d=new Date(null!=t._d?t._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===E&&(E=!0,r.updateOffset(this),E=!1)}function x(t){return t instanceof B||null!=t&&null!=t._isAMomentObject}function C(t){!1===r.suppressDeprecationWarnings&&"undefined"!==typeof console&&console.warn&&console.warn("Deprecation warning: "+t)}function k(t,e){var n=!0;return p((function(){if(null!=r.deprecationHandler&&r.deprecationHandler(null,t),n){var i,o,a,s=[];for(o=0;o<arguments.length;o++){if(i="","object"===typeof arguments[o]){for(a in i+="\n["+o+"] ",arguments[0])c(arguments[0],a)&&(i+=a+": "+arguments[0][a]+", ");i=i.slice(0,-2)}else i=arguments[o];s.push(i)}C(t+"\nArguments: "+Array.prototype.slice.call(s).join("")+"\n"+(new Error).stack),n=!1}return e.apply(this,arguments)}),e)}var j,I={};function D(t,e){null!=r.deprecationHandler&&r.deprecationHandler(t,e),I[t]||(C(e),I[t]=!0)}function F(t){return"undefined"!==typeof Function&&t instanceof Function||"[object Function]"===Object.prototype.toString.call(t)}function M(t){var e,n;for(n in t)c(t,n)&&(e=t[n],F(e)?this[n]=e:this["_"+n]=e);this._config=t,this._dayOfMonthOrdinalParseLenient=new RegExp((this._dayOfMonthOrdinalParse.source||this._ordinalParse.source)+"|"+/\d{1,2}/.source)}function T(t,e){var n,i=p({},t);for(n in e)c(e,n)&&(l(t[n])&&l(e[n])?(i[n]={},p(i[n],t[n]),p(i[n],e[n])):null!=e[n]?i[n]=e[n]:delete i[n]);for(n in t)c(t,n)&&!c(e,n)&&l(t[n])&&(i[n]=p({},i[n]));return i}function N(t){null!=t&&this.set(t)}r.suppressDeprecationWarnings=!1,r.deprecationHandler=null,j=Object.keys?Object.keys:function(t){var e,n=[];for(e in t)c(t,e)&&n.push(e);return n};var S={sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"};function Q(t,e,n){var i=this._calendar[t]||this._calendar["sameElse"];return F(i)?i.call(e,n):i}function Y(t,e,n){var i=""+Math.abs(t),o=e-i.length,r=t>=0;return(r?n?"+":"":"-")+Math.pow(10,Math.max(0,o)).toString().substr(1)+i}var O=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,R=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,P={},q={};function U(t,e,n,i){var o=i;"string"===typeof i&&(o=function(){return this[i]()}),t&&(q[t]=o),e&&(q[e[0]]=function(){return Y(o.apply(this,arguments),e[1],e[2])}),n&&(q[n]=function(){return this.localeData().ordinal(o.apply(this,arguments),t)})}function L(t){return t.match(/\[[\s\S]/)?t.replace(/^\[|\]$/g,""):t.replace(/\\/g,"")}function z(t){var e,n,i=t.match(O);for(e=0,n=i.length;e<n;e++)q[i[e]]?i[e]=q[i[e]]:i[e]=L(i[e]);return function(e){var o,r="";for(o=0;o<n;o++)r+=F(i[o])?i[o].call(e,t):i[o];return r}}function H(t,e){return t.isValid()?(e=G(e,t.localeData()),P[e]=P[e]||z(e),P[e](t)):t.localeData().invalidDate()}function G(t,e){var n=5;function i(t){return e.longDateFormat(t)||t}R.lastIndex=0;while(n>=0&&R.test(t))t=t.replace(R,i),R.lastIndex=0,n-=1;return t}var W={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"};function J(t){var e=this._longDateFormat[t],n=this._longDateFormat[t.toUpperCase()];return e||!n?e:(this._longDateFormat[t]=n.match(O).map((function(t){return"MMMM"===t||"MM"===t||"DD"===t||"dddd"===t?t.slice(1):t})).join(""),this._longDateFormat[t])}var V="Invalid date";function X(){return this._invalidDate}var Z="%d",K=/\d{1,2}/;function $(t){return this._ordinal.replace("%d",t)}var tt={future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"};function et(t,e,n,i){var o=this._relativeTime[n];return F(o)?o(t,e,n,i):o.replace(/%d/i,t)}function nt(t,e){var n=this._relativeTime[t>0?"future":"past"];return F(n)?n(e):n.replace(/%s/i,e)}var it={};function ot(t,e){var n=t.toLowerCase();it[n]=it[n+"s"]=it[e]=t}function rt(t){return"string"===typeof t?it[t]||it[t.toLowerCase()]:void 0}function at(t){var e,n,i={};for(n in t)c(t,n)&&(e=rt(n),e&&(i[e]=t[n]));return i}var st={};function lt(t,e){st[t]=e}function ct(t){var e,n=[];for(e in t)c(t,e)&&n.push({unit:e,priority:st[e]});return n.sort((function(t,e){return t.priority-e.priority})),n}function ut(t){return t%4===0&&t%100!==0||t%400===0}function ht(t){return t<0?Math.ceil(t)||0:Math.floor(t)}function dt(t){var e=+t,n=0;return 0!==e&&isFinite(e)&&(n=ht(e)),n}function ft(t,e){return function(n){return null!=n?(pt(this,t,n),r.updateOffset(this,e),this):At(this,t)}}function At(t,e){return t.isValid()?t._d["get"+(t._isUTC?"UTC":"")+e]():NaN}function pt(t,e,n){t.isValid()&&!isNaN(n)&&("FullYear"===e&&ut(t.year())&&1===t.month()&&29===t.date()?(n=dt(n),t._d["set"+(t._isUTC?"UTC":"")+e](n,t.month(),ee(n,t.month()))):t._d["set"+(t._isUTC?"UTC":"")+e](n))}function gt(t){return t=rt(t),F(this[t])?this[t]():this}function vt(t,e){if("object"===typeof t){t=at(t);var n,i=ct(t);for(n=0;n<i.length;n++)this[i[n].unit](t[i[n].unit])}else if(t=rt(t),F(this[t]))return this[t](e);return this}var mt,yt=/\d/,bt=/\d\d/,wt=/\d{3}/,Et=/\d{4}/,_t=/[+-]?\d{6}/,Bt=/\d\d?/,xt=/\d\d\d\d?/,Ct=/\d\d\d\d\d\d?/,kt=/\d{1,3}/,jt=/\d{1,4}/,It=/[+-]?\d{1,6}/,Dt=/\d+/,Ft=/[+-]?\d+/,Mt=/Z|[+-]\d\d:?\d\d/gi,Tt=/Z|[+-]\d\d(?::?\d\d)?/gi,Nt=/[+-]?\d+(\.\d{1,3})?/,St=/[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i;function Qt(t,e,n){mt[t]=F(e)?e:function(t,i){return t&&n?n:e}}function Yt(t,e){return c(mt,t)?mt[t](e._strict,e._locale):new RegExp(Ot(t))}function Ot(t){return Rt(t.replace("\\","").replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,(function(t,e,n,i,o){return e||n||i||o})))}function Rt(t){return t.replace(/[-\/\\^$*+?.()|[\]{}]/g,"\\$&")}mt={};var Pt={};function qt(t,e){var n,i=e;for("string"===typeof t&&(t=[t]),d(e)&&(i=function(t,n){n[e]=dt(t)}),n=0;n<t.length;n++)Pt[t[n]]=i}function Ut(t,e){qt(t,(function(t,n,i,o){i._w=i._w||{},e(t,i._w,i,o)}))}function Lt(t,e,n){null!=e&&c(Pt,t)&&Pt[t](e,n._a,n,t)}var zt,Ht=0,Gt=1,Wt=2,Jt=3,Vt=4,Xt=5,Zt=6,Kt=7,$t=8;function te(t,e){return(t%e+e)%e}function ee(t,e){if(isNaN(t)||isNaN(e))return NaN;var n=te(e,12);return t+=(e-n)/12,1===n?ut(t)?29:28:31-n%7%2}zt=Array.prototype.indexOf?Array.prototype.indexOf:function(t){var e;for(e=0;e<this.length;++e)if(this[e]===t)return e;return-1},U("M",["MM",2],"Mo",(function(){return this.month()+1})),U("MMM",0,0,(function(t){return this.localeData().monthsShort(this,t)})),U("MMMM",0,0,(function(t){return this.localeData().months(this,t)})),ot("month","M"),lt("month",8),Qt("M",Bt),Qt("MM",Bt,bt),Qt("MMM",(function(t,e){return e.monthsShortRegex(t)})),Qt("MMMM",(function(t,e){return e.monthsRegex(t)})),qt(["M","MM"],(function(t,e){e[Gt]=dt(t)-1})),qt(["MMM","MMMM"],(function(t,e,n,i){var o=n._locale.monthsParse(t,i,n._strict);null!=o?e[Gt]=o:m(n).invalidMonth=t}));var ne="January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ie="Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),oe=/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,re=St,ae=St;function se(t,e){return t?s(this._months)?this._months[t.month()]:this._months[(this._months.isFormat||oe).test(e)?"format":"standalone"][t.month()]:s(this._months)?this._months:this._months["standalone"]}function le(t,e){return t?s(this._monthsShort)?this._monthsShort[t.month()]:this._monthsShort[oe.test(e)?"format":"standalone"][t.month()]:s(this._monthsShort)?this._monthsShort:this._monthsShort["standalone"]}function ce(t,e,n){var i,o,r,a=t.toLocaleLowerCase();if(!this._monthsParse)for(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[],i=0;i<12;++i)r=g([2e3,i]),this._shortMonthsParse[i]=this.monthsShort(r,"").toLocaleLowerCase(),this._longMonthsParse[i]=this.months(r,"").toLocaleLowerCase();return n?"MMM"===e?(o=zt.call(this._shortMonthsParse,a),-1!==o?o:null):(o=zt.call(this._longMonthsParse,a),-1!==o?o:null):"MMM"===e?(o=zt.call(this._shortMonthsParse,a),-1!==o?o:(o=zt.call(this._longMonthsParse,a),-1!==o?o:null)):(o=zt.call(this._longMonthsParse,a),-1!==o?o:(o=zt.call(this._shortMonthsParse,a),-1!==o?o:null))}function ue(t,e,n){var i,o,r;if(this._monthsParseExact)return ce.call(this,t,e,n);for(this._monthsParse||(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[]),i=0;i<12;i++){if(o=g([2e3,i]),n&&!this._longMonthsParse[i]&&(this._longMonthsParse[i]=new RegExp("^"+this.months(o,"").replace(".","")+"$","i"),this._shortMonthsParse[i]=new RegExp("^"+this.monthsShort(o,"").replace(".","")+"$","i")),n||this._monthsParse[i]||(r="^"+this.months(o,"")+"|^"+this.monthsShort(o,""),this._monthsParse[i]=new RegExp(r.replace(".",""),"i")),n&&"MMMM"===e&&this._longMonthsParse[i].test(t))return i;if(n&&"MMM"===e&&this._shortMonthsParse[i].test(t))return i;if(!n&&this._monthsParse[i].test(t))return i}}function he(t,e){var n;if(!t.isValid())return t;if("string"===typeof e)if(/^\d+$/.test(e))e=dt(e);else if(e=t.localeData().monthsParse(e),!d(e))return t;return n=Math.min(t.date(),ee(t.year(),e)),t._d["set"+(t._isUTC?"UTC":"")+"Month"](e,n),t}function de(t){return null!=t?(he(this,t),r.updateOffset(this,!0),this):At(this,"Month")}function fe(){return ee(this.year(),this.month())}function Ae(t){return this._monthsParseExact?(c(this,"_monthsRegex")||ge.call(this),t?this._monthsShortStrictRegex:this._monthsShortRegex):(c(this,"_monthsShortRegex")||(this._monthsShortRegex=re),this._monthsShortStrictRegex&&t?this._monthsShortStrictRegex:this._monthsShortRegex)}function pe(t){return this._monthsParseExact?(c(this,"_monthsRegex")||ge.call(this),t?this._monthsStrictRegex:this._monthsRegex):(c(this,"_monthsRegex")||(this._monthsRegex=ae),this._monthsStrictRegex&&t?this._monthsStrictRegex:this._monthsRegex)}function ge(){function t(t,e){return e.length-t.length}var e,n,i=[],o=[],r=[];for(e=0;e<12;e++)n=g([2e3,e]),i.push(this.monthsShort(n,"")),o.push(this.months(n,"")),r.push(this.months(n,"")),r.push(this.monthsShort(n,""));for(i.sort(t),o.sort(t),r.sort(t),e=0;e<12;e++)i[e]=Rt(i[e]),o[e]=Rt(o[e]);for(e=0;e<24;e++)r[e]=Rt(r[e]);this._monthsRegex=new RegExp("^("+r.join("|")+")","i"),this._monthsShortRegex=this._monthsRegex,this._monthsStrictRegex=new RegExp("^("+o.join("|")+")","i"),this._monthsShortStrictRegex=new RegExp("^("+i.join("|")+")","i")}function ve(t){return ut(t)?366:365}U("Y",0,0,(function(){var t=this.year();return t<=9999?Y(t,4):"+"+t})),U(0,["YY",2],0,(function(){return this.year()%100})),U(0,["YYYY",4],0,"year"),U(0,["YYYYY",5],0,"year"),U(0,["YYYYYY",6,!0],0,"year"),ot("year","y"),lt("year",1),Qt("Y",Ft),Qt("YY",Bt,bt),Qt("YYYY",jt,Et),Qt("YYYYY",It,_t),Qt("YYYYYY",It,_t),qt(["YYYYY","YYYYYY"],Ht),qt("YYYY",(function(t,e){e[Ht]=2===t.length?r.parseTwoDigitYear(t):dt(t)})),qt("YY",(function(t,e){e[Ht]=r.parseTwoDigitYear(t)})),qt("Y",(function(t,e){e[Ht]=parseInt(t,10)})),r.parseTwoDigitYear=function(t){return dt(t)+(dt(t)>68?1900:2e3)};var me=ft("FullYear",!0);function ye(){return ut(this.year())}function be(t,e,n,i,o,r,a){var s;return t<100&&t>=0?(s=new Date(t+400,e,n,i,o,r,a),isFinite(s.getFullYear())&&s.setFullYear(t)):s=new Date(t,e,n,i,o,r,a),s}function we(t){var e,n;return t<100&&t>=0?(n=Array.prototype.slice.call(arguments),n[0]=t+400,e=new Date(Date.UTC.apply(null,n)),isFinite(e.getUTCFullYear())&&e.setUTCFullYear(t)):e=new Date(Date.UTC.apply(null,arguments)),e}function Ee(t,e,n){var i=7+e-n,o=(7+we(t,0,i).getUTCDay()-e)%7;return-o+i-1}function _e(t,e,n,i,o){var r,a,s=(7+n-i)%7,l=Ee(t,i,o),c=1+7*(e-1)+s+l;return c<=0?(r=t-1,a=ve(r)+c):c>ve(t)?(r=t+1,a=c-ve(t)):(r=t,a=c),{year:r,dayOfYear:a}}function Be(t,e,n){var i,o,r=Ee(t.year(),e,n),a=Math.floor((t.dayOfYear()-r-1)/7)+1;return a<1?(o=t.year()-1,i=a+xe(o,e,n)):a>xe(t.year(),e,n)?(i=a-xe(t.year(),e,n),o=t.year()+1):(o=t.year(),i=a),{week:i,year:o}}function xe(t,e,n){var i=Ee(t,e,n),o=Ee(t+1,e,n);return(ve(t)-i+o)/7}function Ce(t){return Be(t,this._week.dow,this._week.doy).week}U("w",["ww",2],"wo","week"),U("W",["WW",2],"Wo","isoWeek"),ot("week","w"),ot("isoWeek","W"),lt("week",5),lt("isoWeek",5),Qt("w",Bt),Qt("ww",Bt,bt),Qt("W",Bt),Qt("WW",Bt,bt),Ut(["w","ww","W","WW"],(function(t,e,n,i){e[i.substr(0,1)]=dt(t)}));var ke={dow:0,doy:6};function je(){return this._week.dow}function Ie(){return this._week.doy}function De(t){var e=this.localeData().week(this);return null==t?e:this.add(7*(t-e),"d")}function Fe(t){var e=Be(this,1,4).week;return null==t?e:this.add(7*(t-e),"d")}function Me(t,e){return"string"!==typeof t?t:isNaN(t)?(t=e.weekdaysParse(t),"number"===typeof t?t:null):parseInt(t,10)}function Te(t,e){return"string"===typeof t?e.weekdaysParse(t)%7||7:isNaN(t)?null:t}function Ne(t,e){return t.slice(e,7).concat(t.slice(0,e))}U("d",0,"do","day"),U("dd",0,0,(function(t){return this.localeData().weekdaysMin(this,t)})),U("ddd",0,0,(function(t){return this.localeData().weekdaysShort(this,t)})),U("dddd",0,0,(function(t){return this.localeData().weekdays(this,t)})),U("e",0,0,"weekday"),U("E",0,0,"isoWeekday"),ot("day","d"),ot("weekday","e"),ot("isoWeekday","E"),lt("day",11),lt("weekday",11),lt("isoWeekday",11),Qt("d",Bt),Qt("e",Bt),Qt("E",Bt),Qt("dd",(function(t,e){return e.weekdaysMinRegex(t)})),Qt("ddd",(function(t,e){return e.weekdaysShortRegex(t)})),Qt("dddd",(function(t,e){return e.weekdaysRegex(t)})),Ut(["dd","ddd","dddd"],(function(t,e,n,i){var o=n._locale.weekdaysParse(t,i,n._strict);null!=o?e.d=o:m(n).invalidWeekday=t})),Ut(["d","e","E"],(function(t,e,n,i){e[i]=dt(t)}));var Se="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Qe="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),Ye="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Oe=St,Re=St,Pe=St;function qe(t,e){var n=s(this._weekdays)?this._weekdays:this._weekdays[t&&!0!==t&&this._weekdays.isFormat.test(e)?"format":"standalone"];return!0===t?Ne(n,this._week.dow):t?n[t.day()]:n}function Ue(t){return!0===t?Ne(this._weekdaysShort,this._week.dow):t?this._weekdaysShort[t.day()]:this._weekdaysShort}function Le(t){return!0===t?Ne(this._weekdaysMin,this._week.dow):t?this._weekdaysMin[t.day()]:this._weekdaysMin}function ze(t,e,n){var i,o,r,a=t.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],i=0;i<7;++i)r=g([2e3,1]).day(i),this._minWeekdaysParse[i]=this.weekdaysMin(r,"").toLocaleLowerCase(),this._shortWeekdaysParse[i]=this.weekdaysShort(r,"").toLocaleLowerCase(),this._weekdaysParse[i]=this.weekdays(r,"").toLocaleLowerCase();return n?"dddd"===e?(o=zt.call(this._weekdaysParse,a),-1!==o?o:null):"ddd"===e?(o=zt.call(this._shortWeekdaysParse,a),-1!==o?o:null):(o=zt.call(this._minWeekdaysParse,a),-1!==o?o:null):"dddd"===e?(o=zt.call(this._weekdaysParse,a),-1!==o?o:(o=zt.call(this._shortWeekdaysParse,a),-1!==o?o:(o=zt.call(this._minWeekdaysParse,a),-1!==o?o:null))):"ddd"===e?(o=zt.call(this._shortWeekdaysParse,a),-1!==o?o:(o=zt.call(this._weekdaysParse,a),-1!==o?o:(o=zt.call(this._minWeekdaysParse,a),-1!==o?o:null))):(o=zt.call(this._minWeekdaysParse,a),-1!==o?o:(o=zt.call(this._weekdaysParse,a),-1!==o?o:(o=zt.call(this._shortWeekdaysParse,a),-1!==o?o:null)))}function He(t,e,n){var i,o,r;if(this._weekdaysParseExact)return ze.call(this,t,e,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),i=0;i<7;i++){if(o=g([2e3,1]).day(i),n&&!this._fullWeekdaysParse[i]&&(this._fullWeekdaysParse[i]=new RegExp("^"+this.weekdays(o,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[i]=new RegExp("^"+this.weekdaysShort(o,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[i]=new RegExp("^"+this.weekdaysMin(o,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[i]||(r="^"+this.weekdays(o,"")+"|^"+this.weekdaysShort(o,"")+"|^"+this.weekdaysMin(o,""),this._weekdaysParse[i]=new RegExp(r.replace(".",""),"i")),n&&"dddd"===e&&this._fullWeekdaysParse[i].test(t))return i;if(n&&"ddd"===e&&this._shortWeekdaysParse[i].test(t))return i;if(n&&"dd"===e&&this._minWeekdaysParse[i].test(t))return i;if(!n&&this._weekdaysParse[i].test(t))return i}}function Ge(t){if(!this.isValid())return null!=t?this:NaN;var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?(t=Me(t,this.localeData()),this.add(t-e,"d")):e}function We(t){if(!this.isValid())return null!=t?this:NaN;var e=(this.day()+7-this.localeData()._week.dow)%7;return null==t?e:this.add(t-e,"d")}function Je(t){if(!this.isValid())return null!=t?this:NaN;if(null!=t){var e=Te(t,this.localeData());return this.day(this.day()%7?e:e-7)}return this.day()||7}function Ve(t){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||Ke.call(this),t?this._weekdaysStrictRegex:this._weekdaysRegex):(c(this,"_weekdaysRegex")||(this._weekdaysRegex=Oe),this._weekdaysStrictRegex&&t?this._weekdaysStrictRegex:this._weekdaysRegex)}function Xe(t){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||Ke.call(this),t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(c(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=Re),this._weekdaysShortStrictRegex&&t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)}function Ze(t){return this._weekdaysParseExact?(c(this,"_weekdaysRegex")||Ke.call(this),t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(c(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=Pe),this._weekdaysMinStrictRegex&&t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)}function Ke(){function t(t,e){return e.length-t.length}var e,n,i,o,r,a=[],s=[],l=[],c=[];for(e=0;e<7;e++)n=g([2e3,1]).day(e),i=Rt(this.weekdaysMin(n,"")),o=Rt(this.weekdaysShort(n,"")),r=Rt(this.weekdays(n,"")),a.push(i),s.push(o),l.push(r),c.push(i),c.push(o),c.push(r);a.sort(t),s.sort(t),l.sort(t),c.sort(t),this._weekdaysRegex=new RegExp("^("+c.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+a.join("|")+")","i")}function $e(){return this.hours()%12||12}function tn(){return this.hours()||24}function en(t,e){U(t,0,0,(function(){return this.localeData().meridiem(this.hours(),this.minutes(),e)}))}function nn(t,e){return e._meridiemParse}function on(t){return"p"===(t+"").toLowerCase().charAt(0)}U("H",["HH",2],0,"hour"),U("h",["hh",2],0,$e),U("k",["kk",2],0,tn),U("hmm",0,0,(function(){return""+$e.apply(this)+Y(this.minutes(),2)})),U("hmmss",0,0,(function(){return""+$e.apply(this)+Y(this.minutes(),2)+Y(this.seconds(),2)})),U("Hmm",0,0,(function(){return""+this.hours()+Y(this.minutes(),2)})),U("Hmmss",0,0,(function(){return""+this.hours()+Y(this.minutes(),2)+Y(this.seconds(),2)})),en("a",!0),en("A",!1),ot("hour","h"),lt("hour",13),Qt("a",nn),Qt("A",nn),Qt("H",Bt),Qt("h",Bt),Qt("k",Bt),Qt("HH",Bt,bt),Qt("hh",Bt,bt),Qt("kk",Bt,bt),Qt("hmm",xt),Qt("hmmss",Ct),Qt("Hmm",xt),Qt("Hmmss",Ct),qt(["H","HH"],Jt),qt(["k","kk"],(function(t,e,n){var i=dt(t);e[Jt]=24===i?0:i})),qt(["a","A"],(function(t,e,n){n._isPm=n._locale.isPM(t),n._meridiem=t})),qt(["h","hh"],(function(t,e,n){e[Jt]=dt(t),m(n).bigHour=!0})),qt("hmm",(function(t,e,n){var i=t.length-2;e[Jt]=dt(t.substr(0,i)),e[Vt]=dt(t.substr(i)),m(n).bigHour=!0})),qt("hmmss",(function(t,e,n){var i=t.length-4,o=t.length-2;e[Jt]=dt(t.substr(0,i)),e[Vt]=dt(t.substr(i,2)),e[Xt]=dt(t.substr(o)),m(n).bigHour=!0})),qt("Hmm",(function(t,e,n){var i=t.length-2;e[Jt]=dt(t.substr(0,i)),e[Vt]=dt(t.substr(i))})),qt("Hmmss",(function(t,e,n){var i=t.length-4,o=t.length-2;e[Jt]=dt(t.substr(0,i)),e[Vt]=dt(t.substr(i,2)),e[Xt]=dt(t.substr(o))}));var rn=/[ap]\.?m?\.?/i,an=ft("Hours",!0);function sn(t,e,n){return t>11?n?"pm":"PM":n?"am":"AM"}var ln,cn={calendar:S,longDateFormat:W,invalidDate:V,ordinal:Z,dayOfMonthOrdinalParse:K,relativeTime:tt,months:ne,monthsShort:ie,week:ke,weekdays:Se,weekdaysMin:Ye,weekdaysShort:Qe,meridiemParse:rn},un={},hn={};function dn(t,e){var n,i=Math.min(t.length,e.length);for(n=0;n<i;n+=1)if(t[n]!==e[n])return n;return i}function fn(t){return t?t.toLowerCase().replace("_","-"):t}function An(t){var e,n,i,o,r=0;while(r<t.length){o=fn(t[r]).split("-"),e=o.length,n=fn(t[r+1]),n=n?n.split("-"):null;while(e>0){if(i=pn(o.slice(0,e).join("-")),i)return i;if(n&&n.length>=e&&dn(o,n)>=e-1)break;e--}r++}return ln}function pn(i){var o=null;if(void 0===un[i]&&"undefined"!==typeof t&&t&&t.exports)try{o=ln._abbr,e,n("68cb")("./"+i),gn(o)}catch(r){un[i]=null}return un[i]}function gn(t,e){var n;return t&&(n=h(e)?yn(t):vn(t,e),n?ln=n:"undefined"!==typeof console&&console.warn&&console.warn("Locale "+t+" not found. Did you forget to load it?")),ln._abbr}function vn(t,e){if(null!==e){var n,i=cn;if(e.abbr=t,null!=un[t])D("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),i=un[t]._config;else if(null!=e.parentLocale)if(null!=un[e.parentLocale])i=un[e.parentLocale]._config;else{if(n=pn(e.parentLocale),null==n)return hn[e.parentLocale]||(hn[e.parentLocale]=[]),hn[e.parentLocale].push({name:t,config:e}),null;i=n._config}return un[t]=new N(T(i,e)),hn[t]&&hn[t].forEach((function(t){vn(t.name,t.config)})),gn(t),un[t]}return delete un[t],null}function mn(t,e){if(null!=e){var n,i,o=cn;null!=un[t]&&null!=un[t].parentLocale?un[t].set(T(un[t]._config,e)):(i=pn(t),null!=i&&(o=i._config),e=T(o,e),null==i&&(e.abbr=t),n=new N(e),n.parentLocale=un[t],un[t]=n),gn(t)}else null!=un[t]&&(null!=un[t].parentLocale?(un[t]=un[t].parentLocale,t===gn()&&gn(t)):null!=un[t]&&delete un[t]);return un[t]}function yn(t){var e;if(t&&t._locale&&t._locale._abbr&&(t=t._locale._abbr),!t)return ln;if(!s(t)){if(e=pn(t),e)return e;t=[t]}return An(t)}function bn(){return j(un)}function wn(t){var e,n=t._a;return n&&-2===m(t).overflow&&(e=n[Gt]<0||n[Gt]>11?Gt:n[Wt]<1||n[Wt]>ee(n[Ht],n[Gt])?Wt:n[Jt]<0||n[Jt]>24||24===n[Jt]&&(0!==n[Vt]||0!==n[Xt]||0!==n[Zt])?Jt:n[Vt]<0||n[Vt]>59?Vt:n[Xt]<0||n[Xt]>59?Xt:n[Zt]<0||n[Zt]>999?Zt:-1,m(t)._overflowDayOfYear&&(e<Ht||e>Wt)&&(e=Wt),m(t)._overflowWeeks&&-1===e&&(e=Kt),m(t)._overflowWeekday&&-1===e&&(e=$t),m(t).overflow=e),t}var En=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,_n=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,Bn=/Z|[+-]\d\d(?::?\d\d)?/,xn=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],Cn=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],kn=/^\/?Date\((-?\d+)/i,jn=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,In={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function Dn(t){var e,n,i,o,r,a,s=t._i,l=En.exec(s)||_n.exec(s);if(l){for(m(t).iso=!0,e=0,n=xn.length;e<n;e++)if(xn[e][1].exec(l[1])){o=xn[e][0],i=!1!==xn[e][2];break}if(null==o)return void(t._isValid=!1);if(l[3]){for(e=0,n=Cn.length;e<n;e++)if(Cn[e][1].exec(l[3])){r=(l[2]||" ")+Cn[e][0];break}if(null==r)return void(t._isValid=!1)}if(!i&&null!=r)return void(t._isValid=!1);if(l[4]){if(!Bn.exec(l[4]))return void(t._isValid=!1);a="Z"}t._f=o+(r||"")+(a||""),Un(t)}else t._isValid=!1}function Fn(t,e,n,i,o,r){var a=[Mn(t),ie.indexOf(e),parseInt(n,10),parseInt(i,10),parseInt(o,10)];return r&&a.push(parseInt(r,10)),a}function Mn(t){var e=parseInt(t,10);return e<=49?2e3+e:e<=999?1900+e:e}function Tn(t){return t.replace(/\([^)]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").replace(/^\s\s*/,"").replace(/\s\s*$/,"")}function Nn(t,e,n){if(t){var i=Qe.indexOf(t),o=new Date(e[0],e[1],e[2]).getDay();if(i!==o)return m(n).weekdayMismatch=!0,n._isValid=!1,!1}return!0}function Sn(t,e,n){if(t)return In[t];if(e)return 0;var i=parseInt(n,10),o=i%100,r=(i-o)/100;return 60*r+o}function Qn(t){var e,n=jn.exec(Tn(t._i));if(n){if(e=Fn(n[4],n[3],n[2],n[5],n[6],n[7]),!Nn(n[1],e,t))return;t._a=e,t._tzm=Sn(n[8],n[9],n[10]),t._d=we.apply(null,t._a),t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),m(t).rfc2822=!0}else t._isValid=!1}function Yn(t){var e=kn.exec(t._i);null===e?(Dn(t),!1===t._isValid&&(delete t._isValid,Qn(t),!1===t._isValid&&(delete t._isValid,t._strict?t._isValid=!1:r.createFromInputFallback(t)))):t._d=new Date(+e[1])}function On(t,e,n){return null!=t?t:null!=e?e:n}function Rn(t){var e=new Date(r.now());return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function Pn(t){var e,n,i,o,r,a=[];if(!t._d){for(i=Rn(t),t._w&&null==t._a[Wt]&&null==t._a[Gt]&&qn(t),null!=t._dayOfYear&&(r=On(t._a[Ht],i[Ht]),(t._dayOfYear>ve(r)||0===t._dayOfYear)&&(m(t)._overflowDayOfYear=!0),n=we(r,0,t._dayOfYear),t._a[Gt]=n.getUTCMonth(),t._a[Wt]=n.getUTCDate()),e=0;e<3&&null==t._a[e];++e)t._a[e]=a[e]=i[e];for(;e<7;e++)t._a[e]=a[e]=null==t._a[e]?2===e?1:0:t._a[e];24===t._a[Jt]&&0===t._a[Vt]&&0===t._a[Xt]&&0===t._a[Zt]&&(t._nextDay=!0,t._a[Jt]=0),t._d=(t._useUTC?we:be).apply(null,a),o=t._useUTC?t._d.getUTCDay():t._d.getDay(),null!=t._tzm&&t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),t._nextDay&&(t._a[Jt]=24),t._w&&"undefined"!==typeof t._w.d&&t._w.d!==o&&(m(t).weekdayMismatch=!0)}}function qn(t){var e,n,i,o,r,a,s,l,c;e=t._w,null!=e.GG||null!=e.W||null!=e.E?(r=1,a=4,n=On(e.GG,t._a[Ht],Be(Xn(),1,4).year),i=On(e.W,1),o=On(e.E,1),(o<1||o>7)&&(l=!0)):(r=t._locale._week.dow,a=t._locale._week.doy,c=Be(Xn(),r,a),n=On(e.gg,t._a[Ht],c.year),i=On(e.w,c.week),null!=e.d?(o=e.d,(o<0||o>6)&&(l=!0)):null!=e.e?(o=e.e+r,(e.e<0||e.e>6)&&(l=!0)):o=r),i<1||i>xe(n,r,a)?m(t)._overflowWeeks=!0:null!=l?m(t)._overflowWeekday=!0:(s=_e(n,i,o,r,a),t._a[Ht]=s.year,t._dayOfYear=s.dayOfYear)}function Un(t){if(t._f!==r.ISO_8601)if(t._f!==r.RFC_2822){t._a=[],m(t).empty=!0;var e,n,i,o,a,s,l=""+t._i,c=l.length,u=0;for(i=G(t._f,t._locale).match(O)||[],e=0;e<i.length;e++)o=i[e],n=(l.match(Yt(o,t))||[])[0],n&&(a=l.substr(0,l.indexOf(n)),a.length>0&&m(t).unusedInput.push(a),l=l.slice(l.indexOf(n)+n.length),u+=n.length),q[o]?(n?m(t).empty=!1:m(t).unusedTokens.push(o),Lt(o,n,t)):t._strict&&!n&&m(t).unusedTokens.push(o);m(t).charsLeftOver=c-u,l.length>0&&m(t).unusedInput.push(l),t._a[Jt]<=12&&!0===m(t).bigHour&&t._a[Jt]>0&&(m(t).bigHour=void 0),m(t).parsedDateParts=t._a.slice(0),m(t).meridiem=t._meridiem,t._a[Jt]=Ln(t._locale,t._a[Jt],t._meridiem),s=m(t).era,null!==s&&(t._a[Ht]=t._locale.erasConvertYear(s,t._a[Ht])),Pn(t),wn(t)}else Qn(t);else Dn(t)}function Ln(t,e,n){var i;return null==n?e:null!=t.meridiemHour?t.meridiemHour(e,n):null!=t.isPM?(i=t.isPM(n),i&&e<12&&(e+=12),i||12!==e||(e=0),e):e}function zn(t){var e,n,i,o,r,a,s=!1;if(0===t._f.length)return m(t).invalidFormat=!0,void(t._d=new Date(NaN));for(o=0;o<t._f.length;o++)r=0,a=!1,e=_({},t),null!=t._useUTC&&(e._useUTC=t._useUTC),e._f=t._f[o],Un(e),y(e)&&(a=!0),r+=m(e).charsLeftOver,r+=10*m(e).unusedTokens.length,m(e).score=r,s?r<i&&(i=r,n=e):(null==i||r<i||a)&&(i=r,n=e,a&&(s=!0));p(t,n||e)}function Hn(t){if(!t._d){var e=at(t._i),n=void 0===e.day?e.date:e.day;t._a=A([e.year,e.month,n,e.hour,e.minute,e.second,e.millisecond],(function(t){return t&&parseInt(t,10)})),Pn(t)}}function Gn(t){var e=new B(wn(Wn(t)));return e._nextDay&&(e.add(1,"d"),e._nextDay=void 0),e}function Wn(t){var e=t._i,n=t._f;return t._locale=t._locale||yn(t._l),null===e||void 0===n&&""===e?b({nullInput:!0}):("string"===typeof e&&(t._i=e=t._locale.preparse(e)),x(e)?new B(wn(e)):(f(e)?t._d=e:s(n)?zn(t):n?Un(t):Jn(t),y(t)||(t._d=null),t))}function Jn(t){var e=t._i;h(e)?t._d=new Date(r.now()):f(e)?t._d=new Date(e.valueOf()):"string"===typeof e?Yn(t):s(e)?(t._a=A(e.slice(0),(function(t){return parseInt(t,10)})),Pn(t)):l(e)?Hn(t):d(e)?t._d=new Date(e):r.createFromInputFallback(t)}function Vn(t,e,n,i,o){var r={};return!0!==e&&!1!==e||(i=e,e=void 0),!0!==n&&!1!==n||(i=n,n=void 0),(l(t)&&u(t)||s(t)&&0===t.length)&&(t=void 0),r._isAMomentObject=!0,r._useUTC=r._isUTC=o,r._l=n,r._i=t,r._f=e,r._strict=i,Gn(r)}function Xn(t,e,n,i){return Vn(t,e,n,i,!1)}r.createFromInputFallback=k("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.",(function(t){t._d=new Date(t._i+(t._useUTC?" UTC":""))})),r.ISO_8601=function(){},r.RFC_2822=function(){};var Zn=k("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/",(function(){var t=Xn.apply(null,arguments);return this.isValid()&&t.isValid()?t<this?this:t:b()})),Kn=k("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/",(function(){var t=Xn.apply(null,arguments);return this.isValid()&&t.isValid()?t>this?this:t:b()}));function $n(t,e){var n,i;if(1===e.length&&s(e[0])&&(e=e[0]),!e.length)return Xn();for(n=e[0],i=1;i<e.length;++i)e[i].isValid()&&!e[i][t](n)||(n=e[i]);return n}function ti(){var t=[].slice.call(arguments,0);return $n("isBefore",t)}function ei(){var t=[].slice.call(arguments,0);return $n("isAfter",t)}var ni=function(){return Date.now?Date.now():+new Date},ii=["year","quarter","month","week","day","hour","minute","second","millisecond"];function oi(t){var e,n,i=!1;for(e in t)if(c(t,e)&&(-1===zt.call(ii,e)||null!=t[e]&&isNaN(t[e])))return!1;for(n=0;n<ii.length;++n)if(t[ii[n]]){if(i)return!1;parseFloat(t[ii[n]])!==dt(t[ii[n]])&&(i=!0)}return!0}function ri(){return this._isValid}function ai(){return Ii(NaN)}function si(t){var e=at(t),n=e.year||0,i=e.quarter||0,o=e.month||0,r=e.week||e.isoWeek||0,a=e.day||0,s=e.hour||0,l=e.minute||0,c=e.second||0,u=e.millisecond||0;this._isValid=oi(e),this._milliseconds=+u+1e3*c+6e4*l+1e3*s*60*60,this._days=+a+7*r,this._months=+o+3*i+12*n,this._data={},this._locale=yn(),this._bubble()}function li(t){return t instanceof si}function ci(t){return t<0?-1*Math.round(-1*t):Math.round(t)}function ui(t,e,n){var i,o=Math.min(t.length,e.length),r=Math.abs(t.length-e.length),a=0;for(i=0;i<o;i++)(n&&t[i]!==e[i]||!n&&dt(t[i])!==dt(e[i]))&&a++;return a+r}function hi(t,e){U(t,0,0,(function(){var t=this.utcOffset(),n="+";return t<0&&(t=-t,n="-"),n+Y(~~(t/60),2)+e+Y(~~t%60,2)}))}hi("Z",":"),hi("ZZ",""),Qt("Z",Tt),Qt("ZZ",Tt),qt(["Z","ZZ"],(function(t,e,n){n._useUTC=!0,n._tzm=fi(Tt,t)}));var di=/([\+\-]|\d\d)/gi;function fi(t,e){var n,i,o,r=(e||"").match(t);return null===r?null:(n=r[r.length-1]||[],i=(n+"").match(di)||["-",0,0],o=60*i[1]+dt(i[2]),0===o?0:"+"===i[0]?o:-o)}function Ai(t,e){var n,i;return e._isUTC?(n=e.clone(),i=(x(t)||f(t)?t.valueOf():Xn(t).valueOf())-n.valueOf(),n._d.setTime(n._d.valueOf()+i),r.updateOffset(n,!1),n):Xn(t).local()}function pi(t){return-Math.round(t._d.getTimezoneOffset())}function gi(t,e,n){var i,o=this._offset||0;if(!this.isValid())return null!=t?this:NaN;if(null!=t){if("string"===typeof t){if(t=fi(Tt,t),null===t)return this}else Math.abs(t)<16&&!n&&(t*=60);return!this._isUTC&&e&&(i=pi(this)),this._offset=t,this._isUTC=!0,null!=i&&this.add(i,"m"),o!==t&&(!e||this._changeInProgress?Ni(this,Ii(t-o,"m"),1,!1):this._changeInProgress||(this._changeInProgress=!0,r.updateOffset(this,!0),this._changeInProgress=null)),this}return this._isUTC?o:pi(this)}function vi(t,e){return null!=t?("string"!==typeof t&&(t=-t),this.utcOffset(t,e),this):-this.utcOffset()}function mi(t){return this.utcOffset(0,t)}function yi(t){return this._isUTC&&(this.utcOffset(0,t),this._isUTC=!1,t&&this.subtract(pi(this),"m")),this}function bi(){if(null!=this._tzm)this.utcOffset(this._tzm,!1,!0);else if("string"===typeof this._i){var t=fi(Mt,this._i);null!=t?this.utcOffset(t):this.utcOffset(0,!0)}return this}function wi(t){return!!this.isValid()&&(t=t?Xn(t).utcOffset():0,(this.utcOffset()-t)%60===0)}function Ei(){return this.utcOffset()>this.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()}function _i(){if(!h(this._isDSTShifted))return this._isDSTShifted;var t,e={};return _(e,this),e=Wn(e),e._a?(t=e._isUTC?g(e._a):Xn(e._a),this._isDSTShifted=this.isValid()&&ui(e._a,t.toArray())>0):this._isDSTShifted=!1,this._isDSTShifted}function Bi(){return!!this.isValid()&&!this._isUTC}function xi(){return!!this.isValid()&&this._isUTC}function Ci(){return!!this.isValid()&&(this._isUTC&&0===this._offset)}r.updateOffset=function(){};var ki=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,ji=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function Ii(t,e){var n,i,o,r=t,a=null;return li(t)?r={ms:t._milliseconds,d:t._days,M:t._months}:d(t)||!isNaN(+t)?(r={},e?r[e]=+t:r.milliseconds=+t):(a=ki.exec(t))?(n="-"===a[1]?-1:1,r={y:0,d:dt(a[Wt])*n,h:dt(a[Jt])*n,m:dt(a[Vt])*n,s:dt(a[Xt])*n,ms:dt(ci(1e3*a[Zt]))*n}):(a=ji.exec(t))?(n="-"===a[1]?-1:1,r={y:Di(a[2],n),M:Di(a[3],n),w:Di(a[4],n),d:Di(a[5],n),h:Di(a[6],n),m:Di(a[7],n),s:Di(a[8],n)}):null==r?r={}:"object"===typeof r&&("from"in r||"to"in r)&&(o=Mi(Xn(r.from),Xn(r.to)),r={},r.ms=o.milliseconds,r.M=o.months),i=new si(r),li(t)&&c(t,"_locale")&&(i._locale=t._locale),li(t)&&c(t,"_isValid")&&(i._isValid=t._isValid),i}function Di(t,e){var n=t&&parseFloat(t.replace(",","."));return(isNaN(n)?0:n)*e}function Fi(t,e){var n={};return n.months=e.month()-t.month()+12*(e.year()-t.year()),t.clone().add(n.months,"M").isAfter(e)&&--n.months,n.milliseconds=+e-+t.clone().add(n.months,"M"),n}function Mi(t,e){var n;return t.isValid()&&e.isValid()?(e=Ai(e,t),t.isBefore(e)?n=Fi(t,e):(n=Fi(e,t),n.milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function Ti(t,e){return function(n,i){var o,r;return null===i||isNaN(+i)||(D(e,"moment()."+e+"(period, number) is deprecated. Please use moment()."+e+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),r=n,n=i,i=r),o=Ii(n,i),Ni(this,o,t),this}}function Ni(t,e,n,i){var o=e._milliseconds,a=ci(e._days),s=ci(e._months);t.isValid()&&(i=null==i||i,s&&he(t,At(t,"Month")+s*n),a&&pt(t,"Date",At(t,"Date")+a*n),o&&t._d.setTime(t._d.valueOf()+o*n),i&&r.updateOffset(t,a||s))}Ii.fn=si.prototype,Ii.invalid=ai;var Si=Ti(1,"add"),Qi=Ti(-1,"subtract");function Yi(t){return"string"===typeof t||t instanceof String}function Oi(t){return x(t)||f(t)||Yi(t)||d(t)||Pi(t)||Ri(t)||null===t||void 0===t}function Ri(t){var e,n,i=l(t)&&!u(t),o=!1,r=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"];for(e=0;e<r.length;e+=1)n=r[e],o=o||c(t,n);return i&&o}function Pi(t){var e=s(t),n=!1;return e&&(n=0===t.filter((function(e){return!d(e)&&Yi(t)})).length),e&&n}function qi(t){var e,n,i=l(t)&&!u(t),o=!1,r=["sameDay","nextDay","lastDay","nextWeek","lastWeek","sameElse"];for(e=0;e<r.length;e+=1)n=r[e],o=o||c(t,n);return i&&o}function Ui(t,e){var n=t.diff(e,"days",!0);return n<-6?"sameElse":n<-1?"lastWeek":n<0?"lastDay":n<1?"sameDay":n<2?"nextDay":n<7?"nextWeek":"sameElse"}function Li(t,e){1===arguments.length&&(arguments[0]?Oi(arguments[0])?(t=arguments[0],e=void 0):qi(arguments[0])&&(e=arguments[0],t=void 0):(t=void 0,e=void 0));var n=t||Xn(),i=Ai(n,this).startOf("day"),o=r.calendarFormat(this,i)||"sameElse",a=e&&(F(e[o])?e[o].call(this,n):e[o]);return this.format(a||this.localeData().calendar(o,this,Xn(n)))}function zi(){return new B(this)}function Hi(t,e){var n=x(t)?t:Xn(t);return!(!this.isValid()||!n.isValid())&&(e=rt(e)||"millisecond","millisecond"===e?this.valueOf()>n.valueOf():n.valueOf()<this.clone().startOf(e).valueOf())}function Gi(t,e){var n=x(t)?t:Xn(t);return!(!this.isValid()||!n.isValid())&&(e=rt(e)||"millisecond","millisecond"===e?this.valueOf()<n.valueOf():this.clone().endOf(e).valueOf()<n.valueOf())}function Wi(t,e,n,i){var o=x(t)?t:Xn(t),r=x(e)?e:Xn(e);return!!(this.isValid()&&o.isValid()&&r.isValid())&&(i=i||"()",("("===i[0]?this.isAfter(o,n):!this.isBefore(o,n))&&(")"===i[1]?this.isBefore(r,n):!this.isAfter(r,n)))}function Ji(t,e){var n,i=x(t)?t:Xn(t);return!(!this.isValid()||!i.isValid())&&(e=rt(e)||"millisecond","millisecond"===e?this.valueOf()===i.valueOf():(n=i.valueOf(),this.clone().startOf(e).valueOf()<=n&&n<=this.clone().endOf(e).valueOf()))}function Vi(t,e){return this.isSame(t,e)||this.isAfter(t,e)}function Xi(t,e){return this.isSame(t,e)||this.isBefore(t,e)}function Zi(t,e,n){var i,o,r;if(!this.isValid())return NaN;if(i=Ai(t,this),!i.isValid())return NaN;switch(o=6e4*(i.utcOffset()-this.utcOffset()),e=rt(e),e){case"year":r=Ki(this,i)/12;break;case"month":r=Ki(this,i);break;case"quarter":r=Ki(this,i)/3;break;case"second":r=(this-i)/1e3;break;case"minute":r=(this-i)/6e4;break;case"hour":r=(this-i)/36e5;break;case"day":r=(this-i-o)/864e5;break;case"week":r=(this-i-o)/6048e5;break;default:r=this-i}return n?r:ht(r)}function Ki(t,e){if(t.date()<e.date())return-Ki(e,t);var n,i,o=12*(e.year()-t.year())+(e.month()-t.month()),r=t.clone().add(o,"months");return e-r<0?(n=t.clone().add(o-1,"months"),i=(e-r)/(r-n)):(n=t.clone().add(o+1,"months"),i=(e-r)/(n-r)),-(o+i)||0}function $i(){return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")}function to(t){if(!this.isValid())return null;var e=!0!==t,n=e?this.clone().utc():this;return n.year()<0||n.year()>9999?H(n,e?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):F(Date.prototype.toISOString)?e?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",H(n,"Z")):H(n,e?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ")}function eo(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var t,e,n,i,o="moment",r="";return this.isLocal()||(o=0===this.utcOffset()?"moment.utc":"moment.parseZone",r="Z"),t="["+o+'("]',e=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",n="-MM-DD[T]HH:mm:ss.SSS",i=r+'[")]',this.format(t+e+n+i)}function no(t){t||(t=this.isUtc()?r.defaultFormatUtc:r.defaultFormat);var e=H(this,t);return this.localeData().postformat(e)}function io(t,e){return this.isValid()&&(x(t)&&t.isValid()||Xn(t).isValid())?Ii({to:this,from:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()}function oo(t){return this.from(Xn(),t)}function ro(t,e){return this.isValid()&&(x(t)&&t.isValid()||Xn(t).isValid())?Ii({from:this,to:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()}function ao(t){return this.to(Xn(),t)}function so(t){var e;return void 0===t?this._locale._abbr:(e=yn(t),null!=e&&(this._locale=e),this)}r.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",r.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var lo=k("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",(function(t){return void 0===t?this.localeData():this.locale(t)}));function co(){return this._locale}var uo=1e3,ho=60*uo,fo=60*ho,Ao=3506328*fo;function po(t,e){return(t%e+e)%e}function go(t,e,n){return t<100&&t>=0?new Date(t+400,e,n)-Ao:new Date(t,e,n).valueOf()}function vo(t,e,n){return t<100&&t>=0?Date.UTC(t+400,e,n)-Ao:Date.UTC(t,e,n)}function mo(t){var e,n;if(t=rt(t),void 0===t||"millisecond"===t||!this.isValid())return this;switch(n=this._isUTC?vo:go,t){case"year":e=n(this.year(),0,1);break;case"quarter":e=n(this.year(),this.month()-this.month()%3,1);break;case"month":e=n(this.year(),this.month(),1);break;case"week":e=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":e=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":e=n(this.year(),this.month(),this.date());break;case"hour":e=this._d.valueOf(),e-=po(e+(this._isUTC?0:this.utcOffset()*ho),fo);break;case"minute":e=this._d.valueOf(),e-=po(e,ho);break;case"second":e=this._d.valueOf(),e-=po(e,uo);break}return this._d.setTime(e),r.updateOffset(this,!0),this}function yo(t){var e,n;if(t=rt(t),void 0===t||"millisecond"===t||!this.isValid())return this;switch(n=this._isUTC?vo:go,t){case"year":e=n(this.year()+1,0,1)-1;break;case"quarter":e=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":e=n(this.year(),this.month()+1,1)-1;break;case"week":e=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":e=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":e=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":e=this._d.valueOf(),e+=fo-po(e+(this._isUTC?0:this.utcOffset()*ho),fo)-1;break;case"minute":e=this._d.valueOf(),e+=ho-po(e,ho)-1;break;case"second":e=this._d.valueOf(),e+=uo-po(e,uo)-1;break}return this._d.setTime(e),r.updateOffset(this,!0),this}function bo(){return this._d.valueOf()-6e4*(this._offset||0)}function wo(){return Math.floor(this.valueOf()/1e3)}function Eo(){return new Date(this.valueOf())}function _o(){var t=this;return[t.year(),t.month(),t.date(),t.hour(),t.minute(),t.second(),t.millisecond()]}function Bo(){var t=this;return{years:t.year(),months:t.month(),date:t.date(),hours:t.hours(),minutes:t.minutes(),seconds:t.seconds(),milliseconds:t.milliseconds()}}function xo(){return this.isValid()?this.toISOString():null}function Co(){return y(this)}function ko(){return p({},m(this))}function jo(){return m(this).overflow}function Io(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}}function Do(t,e){var n,i,o,a=this._eras||yn("en")._eras;for(n=0,i=a.length;n<i;++n){switch(typeof a[n].since){case"string":o=r(a[n].since).startOf("day"),a[n].since=o.valueOf();break}switch(typeof a[n].until){case"undefined":a[n].until=1/0;break;case"string":o=r(a[n].until).startOf("day").valueOf(),a[n].until=o.valueOf();break}}return a}function Fo(t,e,n){var i,o,r,a,s,l=this.eras();for(t=t.toUpperCase(),i=0,o=l.length;i<o;++i)if(r=l[i].name.toUpperCase(),a=l[i].abbr.toUpperCase(),s=l[i].narrow.toUpperCase(),n)switch(e){case"N":case"NN":case"NNN":if(a===t)return l[i];break;case"NNNN":if(r===t)return l[i];break;case"NNNNN":if(s===t)return l[i];break}else if([r,a,s].indexOf(t)>=0)return l[i]}function Mo(t,e){var n=t.since<=t.until?1:-1;return void 0===e?r(t.since).year():r(t.since).year()+(e-t.offset)*n}function To(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].name;if(i[t].until<=n&&n<=i[t].since)return i[t].name}return""}function No(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].narrow;if(i[t].until<=n&&n<=i[t].since)return i[t].narrow}return""}function So(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].abbr;if(i[t].until<=n&&n<=i[t].since)return i[t].abbr}return""}function Qo(){var t,e,n,i,o=this.localeData().eras();for(t=0,e=o.length;t<e;++t)if(n=o[t].since<=o[t].until?1:-1,i=this.clone().startOf("day").valueOf(),o[t].since<=i&&i<=o[t].until||o[t].until<=i&&i<=o[t].since)return(this.year()-r(o[t].since).year())*n+o[t].offset;return this.year()}function Yo(t){return c(this,"_erasNameRegex")||zo.call(this),t?this._erasNameRegex:this._erasRegex}function Oo(t){return c(this,"_erasAbbrRegex")||zo.call(this),t?this._erasAbbrRegex:this._erasRegex}function Ro(t){return c(this,"_erasNarrowRegex")||zo.call(this),t?this._erasNarrowRegex:this._erasRegex}function Po(t,e){return e.erasAbbrRegex(t)}function qo(t,e){return e.erasNameRegex(t)}function Uo(t,e){return e.erasNarrowRegex(t)}function Lo(t,e){return e._eraYearOrdinalRegex||Dt}function zo(){var t,e,n=[],i=[],o=[],r=[],a=this.eras();for(t=0,e=a.length;t<e;++t)i.push(Rt(a[t].name)),n.push(Rt(a[t].abbr)),o.push(Rt(a[t].narrow)),r.push(Rt(a[t].name)),r.push(Rt(a[t].abbr)),r.push(Rt(a[t].narrow));this._erasRegex=new RegExp("^("+r.join("|")+")","i"),this._erasNameRegex=new RegExp("^("+i.join("|")+")","i"),this._erasAbbrRegex=new RegExp("^("+n.join("|")+")","i"),this._erasNarrowRegex=new RegExp("^("+o.join("|")+")","i")}function Ho(t,e){U(0,[t,t.length],0,e)}function Go(t){return Ko.call(this,t,this.week(),this.weekday(),this.localeData()._week.dow,this.localeData()._week.doy)}function Wo(t){return Ko.call(this,t,this.isoWeek(),this.isoWeekday(),1,4)}function Jo(){return xe(this.year(),1,4)}function Vo(){return xe(this.isoWeekYear(),1,4)}function Xo(){var t=this.localeData()._week;return xe(this.year(),t.dow,t.doy)}function Zo(){var t=this.localeData()._week;return xe(this.weekYear(),t.dow,t.doy)}function Ko(t,e,n,i,o){var r;return null==t?Be(this,i,o).year:(r=xe(t,i,o),e>r&&(e=r),$o.call(this,t,e,n,i,o))}function $o(t,e,n,i,o){var r=_e(t,e,n,i,o),a=we(r.year,0,r.dayOfYear);return this.year(a.getUTCFullYear()),this.month(a.getUTCMonth()),this.date(a.getUTCDate()),this}function tr(t){return null==t?Math.ceil((this.month()+1)/3):this.month(3*(t-1)+this.month()%3)}U("N",0,0,"eraAbbr"),U("NN",0,0,"eraAbbr"),U("NNN",0,0,"eraAbbr"),U("NNNN",0,0,"eraName"),U("NNNNN",0,0,"eraNarrow"),U("y",["y",1],"yo","eraYear"),U("y",["yy",2],0,"eraYear"),U("y",["yyy",3],0,"eraYear"),U("y",["yyyy",4],0,"eraYear"),Qt("N",Po),Qt("NN",Po),Qt("NNN",Po),Qt("NNNN",qo),Qt("NNNNN",Uo),qt(["N","NN","NNN","NNNN","NNNNN"],(function(t,e,n,i){var o=n._locale.erasParse(t,i,n._strict);o?m(n).era=o:m(n).invalidEra=t})),Qt("y",Dt),Qt("yy",Dt),Qt("yyy",Dt),Qt("yyyy",Dt),Qt("yo",Lo),qt(["y","yy","yyy","yyyy"],Ht),qt(["yo"],(function(t,e,n,i){var o;n._locale._eraYearOrdinalRegex&&(o=t.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?e[Ht]=n._locale.eraYearOrdinalParse(t,o):e[Ht]=parseInt(t,10)})),U(0,["gg",2],0,(function(){return this.weekYear()%100})),U(0,["GG",2],0,(function(){return this.isoWeekYear()%100})),Ho("gggg","weekYear"),Ho("ggggg","weekYear"),Ho("GGGG","isoWeekYear"),Ho("GGGGG","isoWeekYear"),ot("weekYear","gg"),ot("isoWeekYear","GG"),lt("weekYear",1),lt("isoWeekYear",1),Qt("G",Ft),Qt("g",Ft),Qt("GG",Bt,bt),Qt("gg",Bt,bt),Qt("GGGG",jt,Et),Qt("gggg",jt,Et),Qt("GGGGG",It,_t),Qt("ggggg",It,_t),Ut(["gggg","ggggg","GGGG","GGGGG"],(function(t,e,n,i){e[i.substr(0,2)]=dt(t)})),Ut(["gg","GG"],(function(t,e,n,i){e[i]=r.parseTwoDigitYear(t)})),U("Q",0,"Qo","quarter"),ot("quarter","Q"),lt("quarter",7),Qt("Q",yt),qt("Q",(function(t,e){e[Gt]=3*(dt(t)-1)})),U("D",["DD",2],"Do","date"),ot("date","D"),lt("date",9),Qt("D",Bt),Qt("DD",Bt,bt),Qt("Do",(function(t,e){return t?e._dayOfMonthOrdinalParse||e._ordinalParse:e._dayOfMonthOrdinalParseLenient})),qt(["D","DD"],Wt),qt("Do",(function(t,e){e[Wt]=dt(t.match(Bt)[0])}));var er=ft("Date",!0);function nr(t){var e=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==t?e:this.add(t-e,"d")}U("DDD",["DDDD",3],"DDDo","dayOfYear"),ot("dayOfYear","DDD"),lt("dayOfYear",4),Qt("DDD",kt),Qt("DDDD",wt),qt(["DDD","DDDD"],(function(t,e,n){n._dayOfYear=dt(t)})),U("m",["mm",2],0,"minute"),ot("minute","m"),lt("minute",14),Qt("m",Bt),Qt("mm",Bt,bt),qt(["m","mm"],Vt);var ir=ft("Minutes",!1);U("s",["ss",2],0,"second"),ot("second","s"),lt("second",15),Qt("s",Bt),Qt("ss",Bt,bt),qt(["s","ss"],Xt);var or,rr,ar=ft("Seconds",!1);for(U("S",0,0,(function(){return~~(this.millisecond()/100)})),U(0,["SS",2],0,(function(){return~~(this.millisecond()/10)})),U(0,["SSS",3],0,"millisecond"),U(0,["SSSS",4],0,(function(){return 10*this.millisecond()})),U(0,["SSSSS",5],0,(function(){return 100*this.millisecond()})),U(0,["SSSSSS",6],0,(function(){return 1e3*this.millisecond()})),U(0,["SSSSSSS",7],0,(function(){return 1e4*this.millisecond()})),U(0,["SSSSSSSS",8],0,(function(){return 1e5*this.millisecond()})),U(0,["SSSSSSSSS",9],0,(function(){return 1e6*this.millisecond()})),ot("millisecond","ms"),lt("millisecond",16),Qt("S",kt,yt),Qt("SS",kt,bt),Qt("SSS",kt,wt),or="SSSS";or.length<=9;or+="S")Qt(or,Dt);function sr(t,e){e[Zt]=dt(1e3*("0."+t))}for(or="S";or.length<=9;or+="S")qt(or,sr);function lr(){return this._isUTC?"UTC":""}function cr(){return this._isUTC?"Coordinated Universal Time":""}rr=ft("Milliseconds",!1),U("z",0,0,"zoneAbbr"),U("zz",0,0,"zoneName");var ur=B.prototype;function hr(t){return Xn(1e3*t)}function dr(){return Xn.apply(null,arguments).parseZone()}function fr(t){return t}ur.add=Si,ur.calendar=Li,ur.clone=zi,ur.diff=Zi,ur.endOf=yo,ur.format=no,ur.from=io,ur.fromNow=oo,ur.to=ro,ur.toNow=ao,ur.get=gt,ur.invalidAt=jo,ur.isAfter=Hi,ur.isBefore=Gi,ur.isBetween=Wi,ur.isSame=Ji,ur.isSameOrAfter=Vi,ur.isSameOrBefore=Xi,ur.isValid=Co,ur.lang=lo,ur.locale=so,ur.localeData=co,ur.max=Kn,ur.min=Zn,ur.parsingFlags=ko,ur.set=vt,ur.startOf=mo,ur.subtract=Qi,ur.toArray=_o,ur.toObject=Bo,ur.toDate=Eo,ur.toISOString=to,ur.inspect=eo,"undefined"!==typeof Symbol&&null!=Symbol.for&&(ur[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),ur.toJSON=xo,ur.toString=$i,ur.unix=wo,ur.valueOf=bo,ur.creationData=Io,ur.eraName=To,ur.eraNarrow=No,ur.eraAbbr=So,ur.eraYear=Qo,ur.year=me,ur.isLeapYear=ye,ur.weekYear=Go,ur.isoWeekYear=Wo,ur.quarter=ur.quarters=tr,ur.month=de,ur.daysInMonth=fe,ur.week=ur.weeks=De,ur.isoWeek=ur.isoWeeks=Fe,ur.weeksInYear=Xo,ur.weeksInWeekYear=Zo,ur.isoWeeksInYear=Jo,ur.isoWeeksInISOWeekYear=Vo,ur.date=er,ur.day=ur.days=Ge,ur.weekday=We,ur.isoWeekday=Je,ur.dayOfYear=nr,ur.hour=ur.hours=an,ur.minute=ur.minutes=ir,ur.second=ur.seconds=ar,ur.millisecond=ur.milliseconds=rr,ur.utcOffset=gi,ur.utc=mi,ur.local=yi,ur.parseZone=bi,ur.hasAlignedHourOffset=wi,ur.isDST=Ei,ur.isLocal=Bi,ur.isUtcOffset=xi,ur.isUtc=Ci,ur.isUTC=Ci,ur.zoneAbbr=lr,ur.zoneName=cr,ur.dates=k("dates accessor is deprecated. Use date instead.",er),ur.months=k("months accessor is deprecated. Use month instead",de),ur.years=k("years accessor is deprecated. Use year instead",me),ur.zone=k("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",vi),ur.isDSTShifted=k("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",_i);var Ar=N.prototype;function pr(t,e,n,i){var o=yn(),r=g().set(i,e);return o[n](r,t)}function gr(t,e,n){if(d(t)&&(e=t,t=void 0),t=t||"",null!=e)return pr(t,e,n,"month");var i,o=[];for(i=0;i<12;i++)o[i]=pr(t,i,n,"month");return o}function vr(t,e,n,i){"boolean"===typeof t?(d(e)&&(n=e,e=void 0),e=e||""):(e=t,n=e,t=!1,d(e)&&(n=e,e=void 0),e=e||"");var o,r=yn(),a=t?r._week.dow:0,s=[];if(null!=n)return pr(e,(n+a)%7,i,"day");for(o=0;o<7;o++)s[o]=pr(e,(o+a)%7,i,"day");return s}function mr(t,e){return gr(t,e,"months")}function yr(t,e){return gr(t,e,"monthsShort")}function br(t,e,n){return vr(t,e,n,"weekdays")}function wr(t,e,n){return vr(t,e,n,"weekdaysShort")}function Er(t,e,n){return vr(t,e,n,"weekdaysMin")}Ar.calendar=Q,Ar.longDateFormat=J,Ar.invalidDate=X,Ar.ordinal=$,Ar.preparse=fr,Ar.postformat=fr,Ar.relativeTime=et,Ar.pastFuture=nt,Ar.set=M,Ar.eras=Do,Ar.erasParse=Fo,Ar.erasConvertYear=Mo,Ar.erasAbbrRegex=Oo,Ar.erasNameRegex=Yo,Ar.erasNarrowRegex=Ro,Ar.months=se,Ar.monthsShort=le,Ar.monthsParse=ue,Ar.monthsRegex=pe,Ar.monthsShortRegex=Ae,Ar.week=Ce,Ar.firstDayOfYear=Ie,Ar.firstDayOfWeek=je,Ar.weekdays=qe,Ar.weekdaysMin=Le,Ar.weekdaysShort=Ue,Ar.weekdaysParse=He,Ar.weekdaysRegex=Ve,Ar.weekdaysShortRegex=Xe,Ar.weekdaysMinRegex=Ze,Ar.isPM=on,Ar.meridiem=sn,gn("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(t){var e=t%10,n=1===dt(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th";return t+n}}),r.lang=k("moment.lang is deprecated. Use moment.locale instead.",gn),r.langData=k("moment.langData is deprecated. Use moment.localeData instead.",yn);var _r=Math.abs;function Br(){var t=this._data;return this._milliseconds=_r(this._milliseconds),this._days=_r(this._days),this._months=_r(this._months),t.milliseconds=_r(t.milliseconds),t.seconds=_r(t.seconds),t.minutes=_r(t.minutes),t.hours=_r(t.hours),t.months=_r(t.months),t.years=_r(t.years),this}function xr(t,e,n,i){var o=Ii(e,n);return t._milliseconds+=i*o._milliseconds,t._days+=i*o._days,t._months+=i*o._months,t._bubble()}function Cr(t,e){return xr(this,t,e,1)}function kr(t,e){return xr(this,t,e,-1)}function jr(t){return t<0?Math.floor(t):Math.ceil(t)}function Ir(){var t,e,n,i,o,r=this._milliseconds,a=this._days,s=this._months,l=this._data;return r>=0&&a>=0&&s>=0||r<=0&&a<=0&&s<=0||(r+=864e5*jr(Fr(s)+a),a=0,s=0),l.milliseconds=r%1e3,t=ht(r/1e3),l.seconds=t%60,e=ht(t/60),l.minutes=e%60,n=ht(e/60),l.hours=n%24,a+=ht(n/24),o=ht(Dr(a)),s+=o,a-=jr(Fr(o)),i=ht(s/12),s%=12,l.days=a,l.months=s,l.years=i,this}function Dr(t){return 4800*t/146097}function Fr(t){return 146097*t/4800}function Mr(t){if(!this.isValid())return NaN;var e,n,i=this._milliseconds;if(t=rt(t),"month"===t||"quarter"===t||"year"===t)switch(e=this._days+i/864e5,n=this._months+Dr(e),t){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(e=this._days+Math.round(Fr(this._months)),t){case"week":return e/7+i/6048e5;case"day":return e+i/864e5;case"hour":return 24*e+i/36e5;case"minute":return 1440*e+i/6e4;case"second":return 86400*e+i/1e3;case"millisecond":return Math.floor(864e5*e)+i;default:throw new Error("Unknown unit "+t)}}function Tr(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*dt(this._months/12):NaN}function Nr(t){return function(){return this.as(t)}}var Sr=Nr("ms"),Qr=Nr("s"),Yr=Nr("m"),Or=Nr("h"),Rr=Nr("d"),Pr=Nr("w"),qr=Nr("M"),Ur=Nr("Q"),Lr=Nr("y");function zr(){return Ii(this)}function Hr(t){return t=rt(t),this.isValid()?this[t+"s"]():NaN}function Gr(t){return function(){return this.isValid()?this._data[t]:NaN}}var Wr=Gr("milliseconds"),Jr=Gr("seconds"),Vr=Gr("minutes"),Xr=Gr("hours"),Zr=Gr("days"),Kr=Gr("months"),$r=Gr("years");function ta(){return ht(this.days()/7)}var ea=Math.round,na={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function ia(t,e,n,i,o){return o.relativeTime(e||1,!!n,t,i)}function oa(t,e,n,i){var o=Ii(t).abs(),r=ea(o.as("s")),a=ea(o.as("m")),s=ea(o.as("h")),l=ea(o.as("d")),c=ea(o.as("M")),u=ea(o.as("w")),h=ea(o.as("y")),d=r<=n.ss&&["s",r]||r<n.s&&["ss",r]||a<=1&&["m"]||a<n.m&&["mm",a]||s<=1&&["h"]||s<n.h&&["hh",s]||l<=1&&["d"]||l<n.d&&["dd",l];return null!=n.w&&(d=d||u<=1&&["w"]||u<n.w&&["ww",u]),d=d||c<=1&&["M"]||c<n.M&&["MM",c]||h<=1&&["y"]||["yy",h],d[2]=e,d[3]=+t>0,d[4]=i,ia.apply(null,d)}function ra(t){return void 0===t?ea:"function"===typeof t&&(ea=t,!0)}function aa(t,e){return void 0!==na[t]&&(void 0===e?na[t]:(na[t]=e,"s"===t&&(na.ss=e-1),!0))}function sa(t,e){if(!this.isValid())return this.localeData().invalidDate();var n,i,o=!1,r=na;return"object"===typeof t&&(e=t,t=!1),"boolean"===typeof t&&(o=t),"object"===typeof e&&(r=Object.assign({},na,e),null!=e.s&&null==e.ss&&(r.ss=e.s-1)),n=this.localeData(),i=oa(this,!o,r,n),o&&(i=n.pastFuture(+this,i)),n.postformat(i)}var la=Math.abs;function ca(t){return(t>0)-(t<0)||+t}function ua(){if(!this.isValid())return this.localeData().invalidDate();var t,e,n,i,o,r,a,s,l=la(this._milliseconds)/1e3,c=la(this._days),u=la(this._months),h=this.asSeconds();return h?(t=ht(l/60),e=ht(t/60),l%=60,t%=60,n=ht(u/12),u%=12,i=l?l.toFixed(3).replace(/\.?0+$/,""):"",o=h<0?"-":"",r=ca(this._months)!==ca(h)?"-":"",a=ca(this._days)!==ca(h)?"-":"",s=ca(this._milliseconds)!==ca(h)?"-":"",o+"P"+(n?r+n+"Y":"")+(u?r+u+"M":"")+(c?a+c+"D":"")+(e||t||l?"T":"")+(e?s+e+"H":"")+(t?s+t+"M":"")+(l?s+i+"S":"")):"P0D"}var ha=si.prototype;return ha.isValid=ri,ha.abs=Br,ha.add=Cr,ha.subtract=kr,ha.as=Mr,ha.asMilliseconds=Sr,ha.asSeconds=Qr,ha.asMinutes=Yr,ha.asHours=Or,ha.asDays=Rr,ha.asWeeks=Pr,ha.asMonths=qr,ha.asQuarters=Ur,ha.asYears=Lr,ha.valueOf=Tr,ha._bubble=Ir,ha.clone=zr,ha.get=Hr,ha.milliseconds=Wr,ha.seconds=Jr,ha.minutes=Vr,ha.hours=Xr,ha.days=Zr,ha.weeks=ta,ha.months=Kr,ha.years=$r,ha.humanize=sa,ha.toISOString=ua,ha.toString=ua,ha.toJSON=ua,ha.locale=so,ha.localeData=co,ha.toIsoString=k("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",ua),ha.lang=lo,U("X",0,0,"unix"),U("x",0,0,"valueOf"),Qt("x",Ft),Qt("X",Nt),qt("X",(function(t,e,n){n._d=new Date(1e3*parseFloat(t))})),qt("x",(function(t,e,n){n._d=new Date(dt(t))})),
  36 +(function(e,n){t.exports=n()})(0,(function(){"use strict";var i,r;function o(){return i.apply(null,arguments)}function a(t){i=t}function s(t){return t instanceof Array||"[object Array]"===Object.prototype.toString.call(t)}function l(t){return null!=t&&"[object Object]"===Object.prototype.toString.call(t)}function u(t,e){return Object.prototype.hasOwnProperty.call(t,e)}function c(t){if(Object.getOwnPropertyNames)return 0===Object.getOwnPropertyNames(t).length;var e;for(e in t)if(u(t,e))return!1;return!0}function h(t){return void 0===t}function d(t){return"number"===typeof t||"[object Number]"===Object.prototype.toString.call(t)}function f(t){return t instanceof Date||"[object Date]"===Object.prototype.toString.call(t)}function p(t,e){var n,i=[];for(n=0;n<t.length;++n)i.push(e(t[n],n));return i}function v(t,e){for(var n in e)u(e,n)&&(t[n]=e[n]);return u(e,"toString")&&(t.toString=e.toString),u(e,"valueOf")&&(t.valueOf=e.valueOf),t}function m(t,e,n,i){return Zn(t,e,n,i,!0).utc()}function g(){return{empty:!1,unusedTokens:[],unusedInput:[],overflow:-2,charsLeftOver:0,nullInput:!1,invalidEra:null,invalidMonth:null,invalidFormat:!1,userInvalidated:!1,iso:!1,parsedDateParts:[],era:null,meridiem:null,rfc2822:!1,weekdayMismatch:!1}}function y(t){return null==t._pf&&(t._pf=g()),t._pf}function _(t){if(null==t._isValid){var e=y(t),n=r.call(e.parsedDateParts,(function(t){return null!=t})),i=!isNaN(t._d.getTime())&&e.overflow<0&&!e.empty&&!e.invalidEra&&!e.invalidMonth&&!e.invalidWeekday&&!e.weekdayMismatch&&!e.nullInput&&!e.invalidFormat&&!e.userInvalidated&&(!e.meridiem||e.meridiem&&n);if(t._strict&&(i=i&&0===e.charsLeftOver&&0===e.unusedTokens.length&&void 0===e.bigHour),null!=Object.isFrozen&&Object.isFrozen(t))return i;t._isValid=i}return t._isValid}function b(t){var e=m(NaN);return null!=t?v(y(e),t):y(e).userInvalidated=!0,e}r=Array.prototype.some?Array.prototype.some:function(t){var e,n=Object(this),i=n.length>>>0;for(e=0;e<i;e++)if(e in n&&t.call(this,n[e],e,n))return!0;return!1};var w=o.momentProperties=[],A=!1;function x(t,e){var n,i,r;if(h(e._isAMomentObject)||(t._isAMomentObject=e._isAMomentObject),h(e._i)||(t._i=e._i),h(e._f)||(t._f=e._f),h(e._l)||(t._l=e._l),h(e._strict)||(t._strict=e._strict),h(e._tzm)||(t._tzm=e._tzm),h(e._isUTC)||(t._isUTC=e._isUTC),h(e._offset)||(t._offset=e._offset),h(e._pf)||(t._pf=y(e)),h(e._locale)||(t._locale=e._locale),w.length>0)for(n=0;n<w.length;n++)i=w[n],r=e[i],h(r)||(t[i]=r);return t}function k(t){x(this,t),this._d=new Date(null!=t._d?t._d.getTime():NaN),this.isValid()||(this._d=new Date(NaN)),!1===A&&(A=!0,o.updateOffset(this),A=!1)}function j(t){return t instanceof k||null!=t&&null!=t._isAMomentObject}function C(t){!1===o.suppressDeprecationWarnings&&"undefined"!==typeof console&&console.warn&&console.warn("Deprecation warning: "+t)}function T(t,e){var n=!0;return v((function(){if(null!=o.deprecationHandler&&o.deprecationHandler(null,t),n){var i,r,a,s=[];for(r=0;r<arguments.length;r++){if(i="","object"===typeof arguments[r]){for(a in i+="\n["+r+"] ",arguments[0])u(arguments[0],a)&&(i+=a+": "+arguments[0][a]+", ");i=i.slice(0,-2)}else i=arguments[r];s.push(i)}C(t+"\nArguments: "+Array.prototype.slice.call(s).join("")+"\n"+(new Error).stack),n=!1}return e.apply(this,arguments)}),e)}var E,S={};function O(t,e){null!=o.deprecationHandler&&o.deprecationHandler(t,e),S[t]||(C(e),S[t]=!0)}function q(t){return"undefined"!==typeof Function&&t instanceof Function||"[object Function]"===Object.prototype.toString.call(t)}function N(t){var e,n;for(n in t)u(t,n)&&(e=t[n],q(e)?this[n]=e:this["_"+n]=e);this._config=t,this._dayOfMonthOrdinalParseLenient=new RegExp((this._dayOfMonthOrdinalParse.source||this._ordinalParse.source)+"|"+/\d{1,2}/.source)}function D(t,e){var n,i=v({},t);for(n in e)u(e,n)&&(l(t[n])&&l(e[n])?(i[n]={},v(i[n],t[n]),v(i[n],e[n])):null!=e[n]?i[n]=e[n]:delete i[n]);for(n in t)u(t,n)&&!u(e,n)&&l(t[n])&&(i[n]=v({},i[n]));return i}function M(t){null!=t&&this.set(t)}o.suppressDeprecationWarnings=!1,o.deprecationHandler=null,E=Object.keys?Object.keys:function(t){var e,n=[];for(e in t)u(t,e)&&n.push(e);return n};var P={sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"};function L(t,e,n){var i=this._calendar[t]||this._calendar["sameElse"];return q(i)?i.call(e,n):i}function B(t,e,n){var i=""+Math.abs(t),r=e-i.length,o=t>=0;return(o?n?"+":"":"-")+Math.pow(10,Math.max(0,r)).toString().substr(1)+i}var I=/(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g,R=/(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g,F={},z={};function V(t,e,n,i){var r=i;"string"===typeof i&&(r=function(){return this[i]()}),t&&(z[t]=r),e&&(z[e[0]]=function(){return B(r.apply(this,arguments),e[1],e[2])}),n&&(z[n]=function(){return this.localeData().ordinal(r.apply(this,arguments),t)})}function Y(t){return t.match(/\[[\s\S]/)?t.replace(/^\[|\]$/g,""):t.replace(/\\/g,"")}function H(t){var e,n,i=t.match(I);for(e=0,n=i.length;e<n;e++)z[i[e]]?i[e]=z[i[e]]:i[e]=Y(i[e]);return function(e){var r,o="";for(r=0;r<n;r++)o+=q(i[r])?i[r].call(e,t):i[r];return o}}function U(t,e){return t.isValid()?(e=W(e,t.localeData()),F[e]=F[e]||H(e),F[e](t)):t.localeData().invalidDate()}function W(t,e){var n=5;function i(t){return e.longDateFormat(t)||t}R.lastIndex=0;while(n>=0&&R.test(t))t=t.replace(R,i),R.lastIndex=0,n-=1;return t}var G={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"};function Q(t){var e=this._longDateFormat[t],n=this._longDateFormat[t.toUpperCase()];return e||!n?e:(this._longDateFormat[t]=n.match(I).map((function(t){return"MMMM"===t||"MM"===t||"DD"===t||"dddd"===t?t.slice(1):t})).join(""),this._longDateFormat[t])}var Z="Invalid date";function K(){return this._invalidDate}var J="%d",X=/\d{1,2}/;function $(t){return this._ordinal.replace("%d",t)}var tt={future:"in %s",past:"%s ago",s:"a few seconds",ss:"%d seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",w:"a week",ww:"%d weeks",M:"a month",MM:"%d months",y:"a year",yy:"%d years"};function et(t,e,n,i){var r=this._relativeTime[n];return q(r)?r(t,e,n,i):r.replace(/%d/i,t)}function nt(t,e){var n=this._relativeTime[t>0?"future":"past"];return q(n)?n(e):n.replace(/%s/i,e)}var it={};function rt(t,e){var n=t.toLowerCase();it[n]=it[n+"s"]=it[e]=t}function ot(t){return"string"===typeof t?it[t]||it[t.toLowerCase()]:void 0}function at(t){var e,n,i={};for(n in t)u(t,n)&&(e=ot(n),e&&(i[e]=t[n]));return i}var st={};function lt(t,e){st[t]=e}function ut(t){var e,n=[];for(e in t)u(t,e)&&n.push({unit:e,priority:st[e]});return n.sort((function(t,e){return t.priority-e.priority})),n}function ct(t){return t%4===0&&t%100!==0||t%400===0}function ht(t){return t<0?Math.ceil(t)||0:Math.floor(t)}function dt(t){var e=+t,n=0;return 0!==e&&isFinite(e)&&(n=ht(e)),n}function ft(t,e){return function(n){return null!=n?(vt(this,t,n),o.updateOffset(this,e),this):pt(this,t)}}function pt(t,e){return t.isValid()?t._d["get"+(t._isUTC?"UTC":"")+e]():NaN}function vt(t,e,n){t.isValid()&&!isNaN(n)&&("FullYear"===e&&ct(t.year())&&1===t.month()&&29===t.date()?(n=dt(n),t._d["set"+(t._isUTC?"UTC":"")+e](n,t.month(),ee(n,t.month()))):t._d["set"+(t._isUTC?"UTC":"")+e](n))}function mt(t){return t=ot(t),q(this[t])?this[t]():this}function gt(t,e){if("object"===typeof t){t=at(t);var n,i=ut(t);for(n=0;n<i.length;n++)this[i[n].unit](t[i[n].unit])}else if(t=ot(t),q(this[t]))return this[t](e);return this}var yt,_t=/\d/,bt=/\d\d/,wt=/\d{3}/,At=/\d{4}/,xt=/[+-]?\d{6}/,kt=/\d\d?/,jt=/\d\d\d\d?/,Ct=/\d\d\d\d\d\d?/,Tt=/\d{1,3}/,Et=/\d{1,4}/,St=/[+-]?\d{1,6}/,Ot=/\d+/,qt=/[+-]?\d+/,Nt=/Z|[+-]\d\d:?\d\d/gi,Dt=/Z|[+-]\d\d(?::?\d\d)?/gi,Mt=/[+-]?\d+(\.\d{1,3})?/,Pt=/[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i;function Lt(t,e,n){yt[t]=q(e)?e:function(t,i){return t&&n?n:e}}function Bt(t,e){return u(yt,t)?yt[t](e._strict,e._locale):new RegExp(It(t))}function It(t){return Rt(t.replace("\\","").replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g,(function(t,e,n,i,r){return e||n||i||r})))}function Rt(t){return t.replace(/[-\/\\^$*+?.()|[\]{}]/g,"\\$&")}yt={};var Ft={};function zt(t,e){var n,i=e;for("string"===typeof t&&(t=[t]),d(e)&&(i=function(t,n){n[e]=dt(t)}),n=0;n<t.length;n++)Ft[t[n]]=i}function Vt(t,e){zt(t,(function(t,n,i,r){i._w=i._w||{},e(t,i._w,i,r)}))}function Yt(t,e,n){null!=e&&u(Ft,t)&&Ft[t](e,n._a,n,t)}var Ht,Ut=0,Wt=1,Gt=2,Qt=3,Zt=4,Kt=5,Jt=6,Xt=7,$t=8;function te(t,e){return(t%e+e)%e}function ee(t,e){if(isNaN(t)||isNaN(e))return NaN;var n=te(e,12);return t+=(e-n)/12,1===n?ct(t)?29:28:31-n%7%2}Ht=Array.prototype.indexOf?Array.prototype.indexOf:function(t){var e;for(e=0;e<this.length;++e)if(this[e]===t)return e;return-1},V("M",["MM",2],"Mo",(function(){return this.month()+1})),V("MMM",0,0,(function(t){return this.localeData().monthsShort(this,t)})),V("MMMM",0,0,(function(t){return this.localeData().months(this,t)})),rt("month","M"),lt("month",8),Lt("M",kt),Lt("MM",kt,bt),Lt("MMM",(function(t,e){return e.monthsShortRegex(t)})),Lt("MMMM",(function(t,e){return e.monthsRegex(t)})),zt(["M","MM"],(function(t,e){e[Wt]=dt(t)-1})),zt(["MMM","MMMM"],(function(t,e,n,i){var r=n._locale.monthsParse(t,i,n._strict);null!=r?e[Wt]=r:y(n).invalidMonth=t}));var ne="January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ie="Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),re=/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/,oe=Pt,ae=Pt;function se(t,e){return t?s(this._months)?this._months[t.month()]:this._months[(this._months.isFormat||re).test(e)?"format":"standalone"][t.month()]:s(this._months)?this._months:this._months["standalone"]}function le(t,e){return t?s(this._monthsShort)?this._monthsShort[t.month()]:this._monthsShort[re.test(e)?"format":"standalone"][t.month()]:s(this._monthsShort)?this._monthsShort:this._monthsShort["standalone"]}function ue(t,e,n){var i,r,o,a=t.toLocaleLowerCase();if(!this._monthsParse)for(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[],i=0;i<12;++i)o=m([2e3,i]),this._shortMonthsParse[i]=this.monthsShort(o,"").toLocaleLowerCase(),this._longMonthsParse[i]=this.months(o,"").toLocaleLowerCase();return n?"MMM"===e?(r=Ht.call(this._shortMonthsParse,a),-1!==r?r:null):(r=Ht.call(this._longMonthsParse,a),-1!==r?r:null):"MMM"===e?(r=Ht.call(this._shortMonthsParse,a),-1!==r?r:(r=Ht.call(this._longMonthsParse,a),-1!==r?r:null)):(r=Ht.call(this._longMonthsParse,a),-1!==r?r:(r=Ht.call(this._shortMonthsParse,a),-1!==r?r:null))}function ce(t,e,n){var i,r,o;if(this._monthsParseExact)return ue.call(this,t,e,n);for(this._monthsParse||(this._monthsParse=[],this._longMonthsParse=[],this._shortMonthsParse=[]),i=0;i<12;i++){if(r=m([2e3,i]),n&&!this._longMonthsParse[i]&&(this._longMonthsParse[i]=new RegExp("^"+this.months(r,"").replace(".","")+"$","i"),this._shortMonthsParse[i]=new RegExp("^"+this.monthsShort(r,"").replace(".","")+"$","i")),n||this._monthsParse[i]||(o="^"+this.months(r,"")+"|^"+this.monthsShort(r,""),this._monthsParse[i]=new RegExp(o.replace(".",""),"i")),n&&"MMMM"===e&&this._longMonthsParse[i].test(t))return i;if(n&&"MMM"===e&&this._shortMonthsParse[i].test(t))return i;if(!n&&this._monthsParse[i].test(t))return i}}function he(t,e){var n;if(!t.isValid())return t;if("string"===typeof e)if(/^\d+$/.test(e))e=dt(e);else if(e=t.localeData().monthsParse(e),!d(e))return t;return n=Math.min(t.date(),ee(t.year(),e)),t._d["set"+(t._isUTC?"UTC":"")+"Month"](e,n),t}function de(t){return null!=t?(he(this,t),o.updateOffset(this,!0),this):pt(this,"Month")}function fe(){return ee(this.year(),this.month())}function pe(t){return this._monthsParseExact?(u(this,"_monthsRegex")||me.call(this),t?this._monthsShortStrictRegex:this._monthsShortRegex):(u(this,"_monthsShortRegex")||(this._monthsShortRegex=oe),this._monthsShortStrictRegex&&t?this._monthsShortStrictRegex:this._monthsShortRegex)}function ve(t){return this._monthsParseExact?(u(this,"_monthsRegex")||me.call(this),t?this._monthsStrictRegex:this._monthsRegex):(u(this,"_monthsRegex")||(this._monthsRegex=ae),this._monthsStrictRegex&&t?this._monthsStrictRegex:this._monthsRegex)}function me(){function t(t,e){return e.length-t.length}var e,n,i=[],r=[],o=[];for(e=0;e<12;e++)n=m([2e3,e]),i.push(this.monthsShort(n,"")),r.push(this.months(n,"")),o.push(this.months(n,"")),o.push(this.monthsShort(n,""));for(i.sort(t),r.sort(t),o.sort(t),e=0;e<12;e++)i[e]=Rt(i[e]),r[e]=Rt(r[e]);for(e=0;e<24;e++)o[e]=Rt(o[e]);this._monthsRegex=new RegExp("^("+o.join("|")+")","i"),this._monthsShortRegex=this._monthsRegex,this._monthsStrictRegex=new RegExp("^("+r.join("|")+")","i"),this._monthsShortStrictRegex=new RegExp("^("+i.join("|")+")","i")}function ge(t){return ct(t)?366:365}V("Y",0,0,(function(){var t=this.year();return t<=9999?B(t,4):"+"+t})),V(0,["YY",2],0,(function(){return this.year()%100})),V(0,["YYYY",4],0,"year"),V(0,["YYYYY",5],0,"year"),V(0,["YYYYYY",6,!0],0,"year"),rt("year","y"),lt("year",1),Lt("Y",qt),Lt("YY",kt,bt),Lt("YYYY",Et,At),Lt("YYYYY",St,xt),Lt("YYYYYY",St,xt),zt(["YYYYY","YYYYYY"],Ut),zt("YYYY",(function(t,e){e[Ut]=2===t.length?o.parseTwoDigitYear(t):dt(t)})),zt("YY",(function(t,e){e[Ut]=o.parseTwoDigitYear(t)})),zt("Y",(function(t,e){e[Ut]=parseInt(t,10)})),o.parseTwoDigitYear=function(t){return dt(t)+(dt(t)>68?1900:2e3)};var ye=ft("FullYear",!0);function _e(){return ct(this.year())}function be(t,e,n,i,r,o,a){var s;return t<100&&t>=0?(s=new Date(t+400,e,n,i,r,o,a),isFinite(s.getFullYear())&&s.setFullYear(t)):s=new Date(t,e,n,i,r,o,a),s}function we(t){var e,n;return t<100&&t>=0?(n=Array.prototype.slice.call(arguments),n[0]=t+400,e=new Date(Date.UTC.apply(null,n)),isFinite(e.getUTCFullYear())&&e.setUTCFullYear(t)):e=new Date(Date.UTC.apply(null,arguments)),e}function Ae(t,e,n){var i=7+e-n,r=(7+we(t,0,i).getUTCDay()-e)%7;return-r+i-1}function xe(t,e,n,i,r){var o,a,s=(7+n-i)%7,l=Ae(t,i,r),u=1+7*(e-1)+s+l;return u<=0?(o=t-1,a=ge(o)+u):u>ge(t)?(o=t+1,a=u-ge(t)):(o=t,a=u),{year:o,dayOfYear:a}}function ke(t,e,n){var i,r,o=Ae(t.year(),e,n),a=Math.floor((t.dayOfYear()-o-1)/7)+1;return a<1?(r=t.year()-1,i=a+je(r,e,n)):a>je(t.year(),e,n)?(i=a-je(t.year(),e,n),r=t.year()+1):(r=t.year(),i=a),{week:i,year:r}}function je(t,e,n){var i=Ae(t,e,n),r=Ae(t+1,e,n);return(ge(t)-i+r)/7}function Ce(t){return ke(t,this._week.dow,this._week.doy).week}V("w",["ww",2],"wo","week"),V("W",["WW",2],"Wo","isoWeek"),rt("week","w"),rt("isoWeek","W"),lt("week",5),lt("isoWeek",5),Lt("w",kt),Lt("ww",kt,bt),Lt("W",kt),Lt("WW",kt,bt),Vt(["w","ww","W","WW"],(function(t,e,n,i){e[i.substr(0,1)]=dt(t)}));var Te={dow:0,doy:6};function Ee(){return this._week.dow}function Se(){return this._week.doy}function Oe(t){var e=this.localeData().week(this);return null==t?e:this.add(7*(t-e),"d")}function qe(t){var e=ke(this,1,4).week;return null==t?e:this.add(7*(t-e),"d")}function Ne(t,e){return"string"!==typeof t?t:isNaN(t)?(t=e.weekdaysParse(t),"number"===typeof t?t:null):parseInt(t,10)}function De(t,e){return"string"===typeof t?e.weekdaysParse(t)%7||7:isNaN(t)?null:t}function Me(t,e){return t.slice(e,7).concat(t.slice(0,e))}V("d",0,"do","day"),V("dd",0,0,(function(t){return this.localeData().weekdaysMin(this,t)})),V("ddd",0,0,(function(t){return this.localeData().weekdaysShort(this,t)})),V("dddd",0,0,(function(t){return this.localeData().weekdays(this,t)})),V("e",0,0,"weekday"),V("E",0,0,"isoWeekday"),rt("day","d"),rt("weekday","e"),rt("isoWeekday","E"),lt("day",11),lt("weekday",11),lt("isoWeekday",11),Lt("d",kt),Lt("e",kt),Lt("E",kt),Lt("dd",(function(t,e){return e.weekdaysMinRegex(t)})),Lt("ddd",(function(t,e){return e.weekdaysShortRegex(t)})),Lt("dddd",(function(t,e){return e.weekdaysRegex(t)})),Vt(["dd","ddd","dddd"],(function(t,e,n,i){var r=n._locale.weekdaysParse(t,i,n._strict);null!=r?e.d=r:y(n).invalidWeekday=t})),Vt(["d","e","E"],(function(t,e,n,i){e[i]=dt(t)}));var Pe="Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),Le="Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),Be="Su_Mo_Tu_We_Th_Fr_Sa".split("_"),Ie=Pt,Re=Pt,Fe=Pt;function ze(t,e){var n=s(this._weekdays)?this._weekdays:this._weekdays[t&&!0!==t&&this._weekdays.isFormat.test(e)?"format":"standalone"];return!0===t?Me(n,this._week.dow):t?n[t.day()]:n}function Ve(t){return!0===t?Me(this._weekdaysShort,this._week.dow):t?this._weekdaysShort[t.day()]:this._weekdaysShort}function Ye(t){return!0===t?Me(this._weekdaysMin,this._week.dow):t?this._weekdaysMin[t.day()]:this._weekdaysMin}function He(t,e,n){var i,r,o,a=t.toLocaleLowerCase();if(!this._weekdaysParse)for(this._weekdaysParse=[],this._shortWeekdaysParse=[],this._minWeekdaysParse=[],i=0;i<7;++i)o=m([2e3,1]).day(i),this._minWeekdaysParse[i]=this.weekdaysMin(o,"").toLocaleLowerCase(),this._shortWeekdaysParse[i]=this.weekdaysShort(o,"").toLocaleLowerCase(),this._weekdaysParse[i]=this.weekdays(o,"").toLocaleLowerCase();return n?"dddd"===e?(r=Ht.call(this._weekdaysParse,a),-1!==r?r:null):"ddd"===e?(r=Ht.call(this._shortWeekdaysParse,a),-1!==r?r:null):(r=Ht.call(this._minWeekdaysParse,a),-1!==r?r:null):"dddd"===e?(r=Ht.call(this._weekdaysParse,a),-1!==r?r:(r=Ht.call(this._shortWeekdaysParse,a),-1!==r?r:(r=Ht.call(this._minWeekdaysParse,a),-1!==r?r:null))):"ddd"===e?(r=Ht.call(this._shortWeekdaysParse,a),-1!==r?r:(r=Ht.call(this._weekdaysParse,a),-1!==r?r:(r=Ht.call(this._minWeekdaysParse,a),-1!==r?r:null))):(r=Ht.call(this._minWeekdaysParse,a),-1!==r?r:(r=Ht.call(this._weekdaysParse,a),-1!==r?r:(r=Ht.call(this._shortWeekdaysParse,a),-1!==r?r:null)))}function Ue(t,e,n){var i,r,o;if(this._weekdaysParseExact)return He.call(this,t,e,n);for(this._weekdaysParse||(this._weekdaysParse=[],this._minWeekdaysParse=[],this._shortWeekdaysParse=[],this._fullWeekdaysParse=[]),i=0;i<7;i++){if(r=m([2e3,1]).day(i),n&&!this._fullWeekdaysParse[i]&&(this._fullWeekdaysParse[i]=new RegExp("^"+this.weekdays(r,"").replace(".","\\.?")+"$","i"),this._shortWeekdaysParse[i]=new RegExp("^"+this.weekdaysShort(r,"").replace(".","\\.?")+"$","i"),this._minWeekdaysParse[i]=new RegExp("^"+this.weekdaysMin(r,"").replace(".","\\.?")+"$","i")),this._weekdaysParse[i]||(o="^"+this.weekdays(r,"")+"|^"+this.weekdaysShort(r,"")+"|^"+this.weekdaysMin(r,""),this._weekdaysParse[i]=new RegExp(o.replace(".",""),"i")),n&&"dddd"===e&&this._fullWeekdaysParse[i].test(t))return i;if(n&&"ddd"===e&&this._shortWeekdaysParse[i].test(t))return i;if(n&&"dd"===e&&this._minWeekdaysParse[i].test(t))return i;if(!n&&this._weekdaysParse[i].test(t))return i}}function We(t){if(!this.isValid())return null!=t?this:NaN;var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?(t=Ne(t,this.localeData()),this.add(t-e,"d")):e}function Ge(t){if(!this.isValid())return null!=t?this:NaN;var e=(this.day()+7-this.localeData()._week.dow)%7;return null==t?e:this.add(t-e,"d")}function Qe(t){if(!this.isValid())return null!=t?this:NaN;if(null!=t){var e=De(t,this.localeData());return this.day(this.day()%7?e:e-7)}return this.day()||7}function Ze(t){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Xe.call(this),t?this._weekdaysStrictRegex:this._weekdaysRegex):(u(this,"_weekdaysRegex")||(this._weekdaysRegex=Ie),this._weekdaysStrictRegex&&t?this._weekdaysStrictRegex:this._weekdaysRegex)}function Ke(t){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Xe.call(this),t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex):(u(this,"_weekdaysShortRegex")||(this._weekdaysShortRegex=Re),this._weekdaysShortStrictRegex&&t?this._weekdaysShortStrictRegex:this._weekdaysShortRegex)}function Je(t){return this._weekdaysParseExact?(u(this,"_weekdaysRegex")||Xe.call(this),t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex):(u(this,"_weekdaysMinRegex")||(this._weekdaysMinRegex=Fe),this._weekdaysMinStrictRegex&&t?this._weekdaysMinStrictRegex:this._weekdaysMinRegex)}function Xe(){function t(t,e){return e.length-t.length}var e,n,i,r,o,a=[],s=[],l=[],u=[];for(e=0;e<7;e++)n=m([2e3,1]).day(e),i=Rt(this.weekdaysMin(n,"")),r=Rt(this.weekdaysShort(n,"")),o=Rt(this.weekdays(n,"")),a.push(i),s.push(r),l.push(o),u.push(i),u.push(r),u.push(o);a.sort(t),s.sort(t),l.sort(t),u.sort(t),this._weekdaysRegex=new RegExp("^("+u.join("|")+")","i"),this._weekdaysShortRegex=this._weekdaysRegex,this._weekdaysMinRegex=this._weekdaysRegex,this._weekdaysStrictRegex=new RegExp("^("+l.join("|")+")","i"),this._weekdaysShortStrictRegex=new RegExp("^("+s.join("|")+")","i"),this._weekdaysMinStrictRegex=new RegExp("^("+a.join("|")+")","i")}function $e(){return this.hours()%12||12}function tn(){return this.hours()||24}function en(t,e){V(t,0,0,(function(){return this.localeData().meridiem(this.hours(),this.minutes(),e)}))}function nn(t,e){return e._meridiemParse}function rn(t){return"p"===(t+"").toLowerCase().charAt(0)}V("H",["HH",2],0,"hour"),V("h",["hh",2],0,$e),V("k",["kk",2],0,tn),V("hmm",0,0,(function(){return""+$e.apply(this)+B(this.minutes(),2)})),V("hmmss",0,0,(function(){return""+$e.apply(this)+B(this.minutes(),2)+B(this.seconds(),2)})),V("Hmm",0,0,(function(){return""+this.hours()+B(this.minutes(),2)})),V("Hmmss",0,0,(function(){return""+this.hours()+B(this.minutes(),2)+B(this.seconds(),2)})),en("a",!0),en("A",!1),rt("hour","h"),lt("hour",13),Lt("a",nn),Lt("A",nn),Lt("H",kt),Lt("h",kt),Lt("k",kt),Lt("HH",kt,bt),Lt("hh",kt,bt),Lt("kk",kt,bt),Lt("hmm",jt),Lt("hmmss",Ct),Lt("Hmm",jt),Lt("Hmmss",Ct),zt(["H","HH"],Qt),zt(["k","kk"],(function(t,e,n){var i=dt(t);e[Qt]=24===i?0:i})),zt(["a","A"],(function(t,e,n){n._isPm=n._locale.isPM(t),n._meridiem=t})),zt(["h","hh"],(function(t,e,n){e[Qt]=dt(t),y(n).bigHour=!0})),zt("hmm",(function(t,e,n){var i=t.length-2;e[Qt]=dt(t.substr(0,i)),e[Zt]=dt(t.substr(i)),y(n).bigHour=!0})),zt("hmmss",(function(t,e,n){var i=t.length-4,r=t.length-2;e[Qt]=dt(t.substr(0,i)),e[Zt]=dt(t.substr(i,2)),e[Kt]=dt(t.substr(r)),y(n).bigHour=!0})),zt("Hmm",(function(t,e,n){var i=t.length-2;e[Qt]=dt(t.substr(0,i)),e[Zt]=dt(t.substr(i))})),zt("Hmmss",(function(t,e,n){var i=t.length-4,r=t.length-2;e[Qt]=dt(t.substr(0,i)),e[Zt]=dt(t.substr(i,2)),e[Kt]=dt(t.substr(r))}));var on=/[ap]\.?m?\.?/i,an=ft("Hours",!0);function sn(t,e,n){return t>11?n?"pm":"PM":n?"am":"AM"}var ln,un={calendar:P,longDateFormat:G,invalidDate:Z,ordinal:J,dayOfMonthOrdinalParse:X,relativeTime:tt,months:ne,monthsShort:ie,week:Te,weekdays:Pe,weekdaysMin:Be,weekdaysShort:Le,meridiemParse:on},cn={},hn={};function dn(t,e){var n,i=Math.min(t.length,e.length);for(n=0;n<i;n+=1)if(t[n]!==e[n])return n;return i}function fn(t){return t?t.toLowerCase().replace("_","-"):t}function pn(t){var e,n,i,r,o=0;while(o<t.length){r=fn(t[o]).split("-"),e=r.length,n=fn(t[o+1]),n=n?n.split("-"):null;while(e>0){if(i=vn(r.slice(0,e).join("-")),i)return i;if(n&&n.length>=e&&dn(r,n)>=e-1)break;e--}o++}return ln}function vn(i){var r=null;if(void 0===cn[i]&&"undefined"!==typeof t&&t&&t.exports)try{r=ln._abbr,e,n("68cb")("./"+i),mn(r)}catch(o){cn[i]=null}return cn[i]}function mn(t,e){var n;return t&&(n=h(e)?_n(t):gn(t,e),n?ln=n:"undefined"!==typeof console&&console.warn&&console.warn("Locale "+t+" not found. Did you forget to load it?")),ln._abbr}function gn(t,e){if(null!==e){var n,i=un;if(e.abbr=t,null!=cn[t])O("defineLocaleOverride","use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info."),i=cn[t]._config;else if(null!=e.parentLocale)if(null!=cn[e.parentLocale])i=cn[e.parentLocale]._config;else{if(n=vn(e.parentLocale),null==n)return hn[e.parentLocale]||(hn[e.parentLocale]=[]),hn[e.parentLocale].push({name:t,config:e}),null;i=n._config}return cn[t]=new M(D(i,e)),hn[t]&&hn[t].forEach((function(t){gn(t.name,t.config)})),mn(t),cn[t]}return delete cn[t],null}function yn(t,e){if(null!=e){var n,i,r=un;null!=cn[t]&&null!=cn[t].parentLocale?cn[t].set(D(cn[t]._config,e)):(i=vn(t),null!=i&&(r=i._config),e=D(r,e),null==i&&(e.abbr=t),n=new M(e),n.parentLocale=cn[t],cn[t]=n),mn(t)}else null!=cn[t]&&(null!=cn[t].parentLocale?(cn[t]=cn[t].parentLocale,t===mn()&&mn(t)):null!=cn[t]&&delete cn[t]);return cn[t]}function _n(t){var e;if(t&&t._locale&&t._locale._abbr&&(t=t._locale._abbr),!t)return ln;if(!s(t)){if(e=vn(t),e)return e;t=[t]}return pn(t)}function bn(){return E(cn)}function wn(t){var e,n=t._a;return n&&-2===y(t).overflow&&(e=n[Wt]<0||n[Wt]>11?Wt:n[Gt]<1||n[Gt]>ee(n[Ut],n[Wt])?Gt:n[Qt]<0||n[Qt]>24||24===n[Qt]&&(0!==n[Zt]||0!==n[Kt]||0!==n[Jt])?Qt:n[Zt]<0||n[Zt]>59?Zt:n[Kt]<0||n[Kt]>59?Kt:n[Jt]<0||n[Jt]>999?Jt:-1,y(t)._overflowDayOfYear&&(e<Ut||e>Gt)&&(e=Gt),y(t)._overflowWeeks&&-1===e&&(e=Xt),y(t)._overflowWeekday&&-1===e&&(e=$t),y(t).overflow=e),t}var An=/^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,xn=/^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/,kn=/Z|[+-]\d\d(?::?\d\d)?/,jn=[["YYYYYY-MM-DD",/[+-]\d{6}-\d\d-\d\d/],["YYYY-MM-DD",/\d{4}-\d\d-\d\d/],["GGGG-[W]WW-E",/\d{4}-W\d\d-\d/],["GGGG-[W]WW",/\d{4}-W\d\d/,!1],["YYYY-DDD",/\d{4}-\d{3}/],["YYYY-MM",/\d{4}-\d\d/,!1],["YYYYYYMMDD",/[+-]\d{10}/],["YYYYMMDD",/\d{8}/],["GGGG[W]WWE",/\d{4}W\d{3}/],["GGGG[W]WW",/\d{4}W\d{2}/,!1],["YYYYDDD",/\d{7}/],["YYYYMM",/\d{6}/,!1],["YYYY",/\d{4}/,!1]],Cn=[["HH:mm:ss.SSSS",/\d\d:\d\d:\d\d\.\d+/],["HH:mm:ss,SSSS",/\d\d:\d\d:\d\d,\d+/],["HH:mm:ss",/\d\d:\d\d:\d\d/],["HH:mm",/\d\d:\d\d/],["HHmmss.SSSS",/\d\d\d\d\d\d\.\d+/],["HHmmss,SSSS",/\d\d\d\d\d\d,\d+/],["HHmmss",/\d\d\d\d\d\d/],["HHmm",/\d\d\d\d/],["HH",/\d\d/]],Tn=/^\/?Date\((-?\d+)/i,En=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/,Sn={UT:0,GMT:0,EDT:-240,EST:-300,CDT:-300,CST:-360,MDT:-360,MST:-420,PDT:-420,PST:-480};function On(t){var e,n,i,r,o,a,s=t._i,l=An.exec(s)||xn.exec(s);if(l){for(y(t).iso=!0,e=0,n=jn.length;e<n;e++)if(jn[e][1].exec(l[1])){r=jn[e][0],i=!1!==jn[e][2];break}if(null==r)return void(t._isValid=!1);if(l[3]){for(e=0,n=Cn.length;e<n;e++)if(Cn[e][1].exec(l[3])){o=(l[2]||" ")+Cn[e][0];break}if(null==o)return void(t._isValid=!1)}if(!i&&null!=o)return void(t._isValid=!1);if(l[4]){if(!kn.exec(l[4]))return void(t._isValid=!1);a="Z"}t._f=r+(o||"")+(a||""),Vn(t)}else t._isValid=!1}function qn(t,e,n,i,r,o){var a=[Nn(t),ie.indexOf(e),parseInt(n,10),parseInt(i,10),parseInt(r,10)];return o&&a.push(parseInt(o,10)),a}function Nn(t){var e=parseInt(t,10);return e<=49?2e3+e:e<=999?1900+e:e}function Dn(t){return t.replace(/\([^)]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").replace(/^\s\s*/,"").replace(/\s\s*$/,"")}function Mn(t,e,n){if(t){var i=Le.indexOf(t),r=new Date(e[0],e[1],e[2]).getDay();if(i!==r)return y(n).weekdayMismatch=!0,n._isValid=!1,!1}return!0}function Pn(t,e,n){if(t)return Sn[t];if(e)return 0;var i=parseInt(n,10),r=i%100,o=(i-r)/100;return 60*o+r}function Ln(t){var e,n=En.exec(Dn(t._i));if(n){if(e=qn(n[4],n[3],n[2],n[5],n[6],n[7]),!Mn(n[1],e,t))return;t._a=e,t._tzm=Pn(n[8],n[9],n[10]),t._d=we.apply(null,t._a),t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),y(t).rfc2822=!0}else t._isValid=!1}function Bn(t){var e=Tn.exec(t._i);null===e?(On(t),!1===t._isValid&&(delete t._isValid,Ln(t),!1===t._isValid&&(delete t._isValid,t._strict?t._isValid=!1:o.createFromInputFallback(t)))):t._d=new Date(+e[1])}function In(t,e,n){return null!=t?t:null!=e?e:n}function Rn(t){var e=new Date(o.now());return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function Fn(t){var e,n,i,r,o,a=[];if(!t._d){for(i=Rn(t),t._w&&null==t._a[Gt]&&null==t._a[Wt]&&zn(t),null!=t._dayOfYear&&(o=In(t._a[Ut],i[Ut]),(t._dayOfYear>ge(o)||0===t._dayOfYear)&&(y(t)._overflowDayOfYear=!0),n=we(o,0,t._dayOfYear),t._a[Wt]=n.getUTCMonth(),t._a[Gt]=n.getUTCDate()),e=0;e<3&&null==t._a[e];++e)t._a[e]=a[e]=i[e];for(;e<7;e++)t._a[e]=a[e]=null==t._a[e]?2===e?1:0:t._a[e];24===t._a[Qt]&&0===t._a[Zt]&&0===t._a[Kt]&&0===t._a[Jt]&&(t._nextDay=!0,t._a[Qt]=0),t._d=(t._useUTC?we:be).apply(null,a),r=t._useUTC?t._d.getUTCDay():t._d.getDay(),null!=t._tzm&&t._d.setUTCMinutes(t._d.getUTCMinutes()-t._tzm),t._nextDay&&(t._a[Qt]=24),t._w&&"undefined"!==typeof t._w.d&&t._w.d!==r&&(y(t).weekdayMismatch=!0)}}function zn(t){var e,n,i,r,o,a,s,l,u;e=t._w,null!=e.GG||null!=e.W||null!=e.E?(o=1,a=4,n=In(e.GG,t._a[Ut],ke(Kn(),1,4).year),i=In(e.W,1),r=In(e.E,1),(r<1||r>7)&&(l=!0)):(o=t._locale._week.dow,a=t._locale._week.doy,u=ke(Kn(),o,a),n=In(e.gg,t._a[Ut],u.year),i=In(e.w,u.week),null!=e.d?(r=e.d,(r<0||r>6)&&(l=!0)):null!=e.e?(r=e.e+o,(e.e<0||e.e>6)&&(l=!0)):r=o),i<1||i>je(n,o,a)?y(t)._overflowWeeks=!0:null!=l?y(t)._overflowWeekday=!0:(s=xe(n,i,r,o,a),t._a[Ut]=s.year,t._dayOfYear=s.dayOfYear)}function Vn(t){if(t._f!==o.ISO_8601)if(t._f!==o.RFC_2822){t._a=[],y(t).empty=!0;var e,n,i,r,a,s,l=""+t._i,u=l.length,c=0;for(i=W(t._f,t._locale).match(I)||[],e=0;e<i.length;e++)r=i[e],n=(l.match(Bt(r,t))||[])[0],n&&(a=l.substr(0,l.indexOf(n)),a.length>0&&y(t).unusedInput.push(a),l=l.slice(l.indexOf(n)+n.length),c+=n.length),z[r]?(n?y(t).empty=!1:y(t).unusedTokens.push(r),Yt(r,n,t)):t._strict&&!n&&y(t).unusedTokens.push(r);y(t).charsLeftOver=u-c,l.length>0&&y(t).unusedInput.push(l),t._a[Qt]<=12&&!0===y(t).bigHour&&t._a[Qt]>0&&(y(t).bigHour=void 0),y(t).parsedDateParts=t._a.slice(0),y(t).meridiem=t._meridiem,t._a[Qt]=Yn(t._locale,t._a[Qt],t._meridiem),s=y(t).era,null!==s&&(t._a[Ut]=t._locale.erasConvertYear(s,t._a[Ut])),Fn(t),wn(t)}else Ln(t);else On(t)}function Yn(t,e,n){var i;return null==n?e:null!=t.meridiemHour?t.meridiemHour(e,n):null!=t.isPM?(i=t.isPM(n),i&&e<12&&(e+=12),i||12!==e||(e=0),e):e}function Hn(t){var e,n,i,r,o,a,s=!1;if(0===t._f.length)return y(t).invalidFormat=!0,void(t._d=new Date(NaN));for(r=0;r<t._f.length;r++)o=0,a=!1,e=x({},t),null!=t._useUTC&&(e._useUTC=t._useUTC),e._f=t._f[r],Vn(e),_(e)&&(a=!0),o+=y(e).charsLeftOver,o+=10*y(e).unusedTokens.length,y(e).score=o,s?o<i&&(i=o,n=e):(null==i||o<i||a)&&(i=o,n=e,a&&(s=!0));v(t,n||e)}function Un(t){if(!t._d){var e=at(t._i),n=void 0===e.day?e.date:e.day;t._a=p([e.year,e.month,n,e.hour,e.minute,e.second,e.millisecond],(function(t){return t&&parseInt(t,10)})),Fn(t)}}function Wn(t){var e=new k(wn(Gn(t)));return e._nextDay&&(e.add(1,"d"),e._nextDay=void 0),e}function Gn(t){var e=t._i,n=t._f;return t._locale=t._locale||_n(t._l),null===e||void 0===n&&""===e?b({nullInput:!0}):("string"===typeof e&&(t._i=e=t._locale.preparse(e)),j(e)?new k(wn(e)):(f(e)?t._d=e:s(n)?Hn(t):n?Vn(t):Qn(t),_(t)||(t._d=null),t))}function Qn(t){var e=t._i;h(e)?t._d=new Date(o.now()):f(e)?t._d=new Date(e.valueOf()):"string"===typeof e?Bn(t):s(e)?(t._a=p(e.slice(0),(function(t){return parseInt(t,10)})),Fn(t)):l(e)?Un(t):d(e)?t._d=new Date(e):o.createFromInputFallback(t)}function Zn(t,e,n,i,r){var o={};return!0!==e&&!1!==e||(i=e,e=void 0),!0!==n&&!1!==n||(i=n,n=void 0),(l(t)&&c(t)||s(t)&&0===t.length)&&(t=void 0),o._isAMomentObject=!0,o._useUTC=o._isUTC=r,o._l=n,o._i=t,o._f=e,o._strict=i,Wn(o)}function Kn(t,e,n,i){return Zn(t,e,n,i,!1)}o.createFromInputFallback=T("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.",(function(t){t._d=new Date(t._i+(t._useUTC?" UTC":""))})),o.ISO_8601=function(){},o.RFC_2822=function(){};var Jn=T("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/",(function(){var t=Kn.apply(null,arguments);return this.isValid()&&t.isValid()?t<this?this:t:b()})),Xn=T("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/",(function(){var t=Kn.apply(null,arguments);return this.isValid()&&t.isValid()?t>this?this:t:b()}));function $n(t,e){var n,i;if(1===e.length&&s(e[0])&&(e=e[0]),!e.length)return Kn();for(n=e[0],i=1;i<e.length;++i)e[i].isValid()&&!e[i][t](n)||(n=e[i]);return n}function ti(){var t=[].slice.call(arguments,0);return $n("isBefore",t)}function ei(){var t=[].slice.call(arguments,0);return $n("isAfter",t)}var ni=function(){return Date.now?Date.now():+new Date},ii=["year","quarter","month","week","day","hour","minute","second","millisecond"];function ri(t){var e,n,i=!1;for(e in t)if(u(t,e)&&(-1===Ht.call(ii,e)||null!=t[e]&&isNaN(t[e])))return!1;for(n=0;n<ii.length;++n)if(t[ii[n]]){if(i)return!1;parseFloat(t[ii[n]])!==dt(t[ii[n]])&&(i=!0)}return!0}function oi(){return this._isValid}function ai(){return Si(NaN)}function si(t){var e=at(t),n=e.year||0,i=e.quarter||0,r=e.month||0,o=e.week||e.isoWeek||0,a=e.day||0,s=e.hour||0,l=e.minute||0,u=e.second||0,c=e.millisecond||0;this._isValid=ri(e),this._milliseconds=+c+1e3*u+6e4*l+1e3*s*60*60,this._days=+a+7*o,this._months=+r+3*i+12*n,this._data={},this._locale=_n(),this._bubble()}function li(t){return t instanceof si}function ui(t){return t<0?-1*Math.round(-1*t):Math.round(t)}function ci(t,e,n){var i,r=Math.min(t.length,e.length),o=Math.abs(t.length-e.length),a=0;for(i=0;i<r;i++)(n&&t[i]!==e[i]||!n&&dt(t[i])!==dt(e[i]))&&a++;return a+o}function hi(t,e){V(t,0,0,(function(){var t=this.utcOffset(),n="+";return t<0&&(t=-t,n="-"),n+B(~~(t/60),2)+e+B(~~t%60,2)}))}hi("Z",":"),hi("ZZ",""),Lt("Z",Dt),Lt("ZZ",Dt),zt(["Z","ZZ"],(function(t,e,n){n._useUTC=!0,n._tzm=fi(Dt,t)}));var di=/([\+\-]|\d\d)/gi;function fi(t,e){var n,i,r,o=(e||"").match(t);return null===o?null:(n=o[o.length-1]||[],i=(n+"").match(di)||["-",0,0],r=60*i[1]+dt(i[2]),0===r?0:"+"===i[0]?r:-r)}function pi(t,e){var n,i;return e._isUTC?(n=e.clone(),i=(j(t)||f(t)?t.valueOf():Kn(t).valueOf())-n.valueOf(),n._d.setTime(n._d.valueOf()+i),o.updateOffset(n,!1),n):Kn(t).local()}function vi(t){return-Math.round(t._d.getTimezoneOffset())}function mi(t,e,n){var i,r=this._offset||0;if(!this.isValid())return null!=t?this:NaN;if(null!=t){if("string"===typeof t){if(t=fi(Dt,t),null===t)return this}else Math.abs(t)<16&&!n&&(t*=60);return!this._isUTC&&e&&(i=vi(this)),this._offset=t,this._isUTC=!0,null!=i&&this.add(i,"m"),r!==t&&(!e||this._changeInProgress?Mi(this,Si(t-r,"m"),1,!1):this._changeInProgress||(this._changeInProgress=!0,o.updateOffset(this,!0),this._changeInProgress=null)),this}return this._isUTC?r:vi(this)}function gi(t,e){return null!=t?("string"!==typeof t&&(t=-t),this.utcOffset(t,e),this):-this.utcOffset()}function yi(t){return this.utcOffset(0,t)}function _i(t){return this._isUTC&&(this.utcOffset(0,t),this._isUTC=!1,t&&this.subtract(vi(this),"m")),this}function bi(){if(null!=this._tzm)this.utcOffset(this._tzm,!1,!0);else if("string"===typeof this._i){var t=fi(Nt,this._i);null!=t?this.utcOffset(t):this.utcOffset(0,!0)}return this}function wi(t){return!!this.isValid()&&(t=t?Kn(t).utcOffset():0,(this.utcOffset()-t)%60===0)}function Ai(){return this.utcOffset()>this.clone().month(0).utcOffset()||this.utcOffset()>this.clone().month(5).utcOffset()}function xi(){if(!h(this._isDSTShifted))return this._isDSTShifted;var t,e={};return x(e,this),e=Gn(e),e._a?(t=e._isUTC?m(e._a):Kn(e._a),this._isDSTShifted=this.isValid()&&ci(e._a,t.toArray())>0):this._isDSTShifted=!1,this._isDSTShifted}function ki(){return!!this.isValid()&&!this._isUTC}function ji(){return!!this.isValid()&&this._isUTC}function Ci(){return!!this.isValid()&&(this._isUTC&&0===this._offset)}o.updateOffset=function(){};var Ti=/^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/,Ei=/^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;function Si(t,e){var n,i,r,o=t,a=null;return li(t)?o={ms:t._milliseconds,d:t._days,M:t._months}:d(t)||!isNaN(+t)?(o={},e?o[e]=+t:o.milliseconds=+t):(a=Ti.exec(t))?(n="-"===a[1]?-1:1,o={y:0,d:dt(a[Gt])*n,h:dt(a[Qt])*n,m:dt(a[Zt])*n,s:dt(a[Kt])*n,ms:dt(ui(1e3*a[Jt]))*n}):(a=Ei.exec(t))?(n="-"===a[1]?-1:1,o={y:Oi(a[2],n),M:Oi(a[3],n),w:Oi(a[4],n),d:Oi(a[5],n),h:Oi(a[6],n),m:Oi(a[7],n),s:Oi(a[8],n)}):null==o?o={}:"object"===typeof o&&("from"in o||"to"in o)&&(r=Ni(Kn(o.from),Kn(o.to)),o={},o.ms=r.milliseconds,o.M=r.months),i=new si(o),li(t)&&u(t,"_locale")&&(i._locale=t._locale),li(t)&&u(t,"_isValid")&&(i._isValid=t._isValid),i}function Oi(t,e){var n=t&&parseFloat(t.replace(",","."));return(isNaN(n)?0:n)*e}function qi(t,e){var n={};return n.months=e.month()-t.month()+12*(e.year()-t.year()),t.clone().add(n.months,"M").isAfter(e)&&--n.months,n.milliseconds=+e-+t.clone().add(n.months,"M"),n}function Ni(t,e){var n;return t.isValid()&&e.isValid()?(e=pi(e,t),t.isBefore(e)?n=qi(t,e):(n=qi(e,t),n.milliseconds=-n.milliseconds,n.months=-n.months),n):{milliseconds:0,months:0}}function Di(t,e){return function(n,i){var r,o;return null===i||isNaN(+i)||(O(e,"moment()."+e+"(period, number) is deprecated. Please use moment()."+e+"(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info."),o=n,n=i,i=o),r=Si(n,i),Mi(this,r,t),this}}function Mi(t,e,n,i){var r=e._milliseconds,a=ui(e._days),s=ui(e._months);t.isValid()&&(i=null==i||i,s&&he(t,pt(t,"Month")+s*n),a&&vt(t,"Date",pt(t,"Date")+a*n),r&&t._d.setTime(t._d.valueOf()+r*n),i&&o.updateOffset(t,a||s))}Si.fn=si.prototype,Si.invalid=ai;var Pi=Di(1,"add"),Li=Di(-1,"subtract");function Bi(t){return"string"===typeof t||t instanceof String}function Ii(t){return j(t)||f(t)||Bi(t)||d(t)||Fi(t)||Ri(t)||null===t||void 0===t}function Ri(t){var e,n,i=l(t)&&!c(t),r=!1,o=["years","year","y","months","month","M","days","day","d","dates","date","D","hours","hour","h","minutes","minute","m","seconds","second","s","milliseconds","millisecond","ms"];for(e=0;e<o.length;e+=1)n=o[e],r=r||u(t,n);return i&&r}function Fi(t){var e=s(t),n=!1;return e&&(n=0===t.filter((function(e){return!d(e)&&Bi(t)})).length),e&&n}function zi(t){var e,n,i=l(t)&&!c(t),r=!1,o=["sameDay","nextDay","lastDay","nextWeek","lastWeek","sameElse"];for(e=0;e<o.length;e+=1)n=o[e],r=r||u(t,n);return i&&r}function Vi(t,e){var n=t.diff(e,"days",!0);return n<-6?"sameElse":n<-1?"lastWeek":n<0?"lastDay":n<1?"sameDay":n<2?"nextDay":n<7?"nextWeek":"sameElse"}function Yi(t,e){1===arguments.length&&(arguments[0]?Ii(arguments[0])?(t=arguments[0],e=void 0):zi(arguments[0])&&(e=arguments[0],t=void 0):(t=void 0,e=void 0));var n=t||Kn(),i=pi(n,this).startOf("day"),r=o.calendarFormat(this,i)||"sameElse",a=e&&(q(e[r])?e[r].call(this,n):e[r]);return this.format(a||this.localeData().calendar(r,this,Kn(n)))}function Hi(){return new k(this)}function Ui(t,e){var n=j(t)?t:Kn(t);return!(!this.isValid()||!n.isValid())&&(e=ot(e)||"millisecond","millisecond"===e?this.valueOf()>n.valueOf():n.valueOf()<this.clone().startOf(e).valueOf())}function Wi(t,e){var n=j(t)?t:Kn(t);return!(!this.isValid()||!n.isValid())&&(e=ot(e)||"millisecond","millisecond"===e?this.valueOf()<n.valueOf():this.clone().endOf(e).valueOf()<n.valueOf())}function Gi(t,e,n,i){var r=j(t)?t:Kn(t),o=j(e)?e:Kn(e);return!!(this.isValid()&&r.isValid()&&o.isValid())&&(i=i||"()",("("===i[0]?this.isAfter(r,n):!this.isBefore(r,n))&&(")"===i[1]?this.isBefore(o,n):!this.isAfter(o,n)))}function Qi(t,e){var n,i=j(t)?t:Kn(t);return!(!this.isValid()||!i.isValid())&&(e=ot(e)||"millisecond","millisecond"===e?this.valueOf()===i.valueOf():(n=i.valueOf(),this.clone().startOf(e).valueOf()<=n&&n<=this.clone().endOf(e).valueOf()))}function Zi(t,e){return this.isSame(t,e)||this.isAfter(t,e)}function Ki(t,e){return this.isSame(t,e)||this.isBefore(t,e)}function Ji(t,e,n){var i,r,o;if(!this.isValid())return NaN;if(i=pi(t,this),!i.isValid())return NaN;switch(r=6e4*(i.utcOffset()-this.utcOffset()),e=ot(e),e){case"year":o=Xi(this,i)/12;break;case"month":o=Xi(this,i);break;case"quarter":o=Xi(this,i)/3;break;case"second":o=(this-i)/1e3;break;case"minute":o=(this-i)/6e4;break;case"hour":o=(this-i)/36e5;break;case"day":o=(this-i-r)/864e5;break;case"week":o=(this-i-r)/6048e5;break;default:o=this-i}return n?o:ht(o)}function Xi(t,e){if(t.date()<e.date())return-Xi(e,t);var n,i,r=12*(e.year()-t.year())+(e.month()-t.month()),o=t.clone().add(r,"months");return e-o<0?(n=t.clone().add(r-1,"months"),i=(e-o)/(o-n)):(n=t.clone().add(r+1,"months"),i=(e-o)/(n-o)),-(r+i)||0}function $i(){return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")}function tr(t){if(!this.isValid())return null;var e=!0!==t,n=e?this.clone().utc():this;return n.year()<0||n.year()>9999?U(n,e?"YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYYYY-MM-DD[T]HH:mm:ss.SSSZ"):q(Date.prototype.toISOString)?e?this.toDate().toISOString():new Date(this.valueOf()+60*this.utcOffset()*1e3).toISOString().replace("Z",U(n,"Z")):U(n,e?"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]":"YYYY-MM-DD[T]HH:mm:ss.SSSZ")}function er(){if(!this.isValid())return"moment.invalid(/* "+this._i+" */)";var t,e,n,i,r="moment",o="";return this.isLocal()||(r=0===this.utcOffset()?"moment.utc":"moment.parseZone",o="Z"),t="["+r+'("]',e=0<=this.year()&&this.year()<=9999?"YYYY":"YYYYYY",n="-MM-DD[T]HH:mm:ss.SSS",i=o+'[")]',this.format(t+e+n+i)}function nr(t){t||(t=this.isUtc()?o.defaultFormatUtc:o.defaultFormat);var e=U(this,t);return this.localeData().postformat(e)}function ir(t,e){return this.isValid()&&(j(t)&&t.isValid()||Kn(t).isValid())?Si({to:this,from:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()}function rr(t){return this.from(Kn(),t)}function or(t,e){return this.isValid()&&(j(t)&&t.isValid()||Kn(t).isValid())?Si({from:this,to:t}).locale(this.locale()).humanize(!e):this.localeData().invalidDate()}function ar(t){return this.to(Kn(),t)}function sr(t){var e;return void 0===t?this._locale._abbr:(e=_n(t),null!=e&&(this._locale=e),this)}o.defaultFormat="YYYY-MM-DDTHH:mm:ssZ",o.defaultFormatUtc="YYYY-MM-DDTHH:mm:ss[Z]";var lr=T("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.",(function(t){return void 0===t?this.localeData():this.locale(t)}));function ur(){return this._locale}var cr=1e3,hr=60*cr,dr=60*hr,fr=3506328*dr;function pr(t,e){return(t%e+e)%e}function vr(t,e,n){return t<100&&t>=0?new Date(t+400,e,n)-fr:new Date(t,e,n).valueOf()}function mr(t,e,n){return t<100&&t>=0?Date.UTC(t+400,e,n)-fr:Date.UTC(t,e,n)}function gr(t){var e,n;if(t=ot(t),void 0===t||"millisecond"===t||!this.isValid())return this;switch(n=this._isUTC?mr:vr,t){case"year":e=n(this.year(),0,1);break;case"quarter":e=n(this.year(),this.month()-this.month()%3,1);break;case"month":e=n(this.year(),this.month(),1);break;case"week":e=n(this.year(),this.month(),this.date()-this.weekday());break;case"isoWeek":e=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1));break;case"day":case"date":e=n(this.year(),this.month(),this.date());break;case"hour":e=this._d.valueOf(),e-=pr(e+(this._isUTC?0:this.utcOffset()*hr),dr);break;case"minute":e=this._d.valueOf(),e-=pr(e,hr);break;case"second":e=this._d.valueOf(),e-=pr(e,cr);break}return this._d.setTime(e),o.updateOffset(this,!0),this}function yr(t){var e,n;if(t=ot(t),void 0===t||"millisecond"===t||!this.isValid())return this;switch(n=this._isUTC?mr:vr,t){case"year":e=n(this.year()+1,0,1)-1;break;case"quarter":e=n(this.year(),this.month()-this.month()%3+3,1)-1;break;case"month":e=n(this.year(),this.month()+1,1)-1;break;case"week":e=n(this.year(),this.month(),this.date()-this.weekday()+7)-1;break;case"isoWeek":e=n(this.year(),this.month(),this.date()-(this.isoWeekday()-1)+7)-1;break;case"day":case"date":e=n(this.year(),this.month(),this.date()+1)-1;break;case"hour":e=this._d.valueOf(),e+=dr-pr(e+(this._isUTC?0:this.utcOffset()*hr),dr)-1;break;case"minute":e=this._d.valueOf(),e+=hr-pr(e,hr)-1;break;case"second":e=this._d.valueOf(),e+=cr-pr(e,cr)-1;break}return this._d.setTime(e),o.updateOffset(this,!0),this}function _r(){return this._d.valueOf()-6e4*(this._offset||0)}function br(){return Math.floor(this.valueOf()/1e3)}function wr(){return new Date(this.valueOf())}function Ar(){var t=this;return[t.year(),t.month(),t.date(),t.hour(),t.minute(),t.second(),t.millisecond()]}function xr(){var t=this;return{years:t.year(),months:t.month(),date:t.date(),hours:t.hours(),minutes:t.minutes(),seconds:t.seconds(),milliseconds:t.milliseconds()}}function kr(){return this.isValid()?this.toISOString():null}function jr(){return _(this)}function Cr(){return v({},y(this))}function Tr(){return y(this).overflow}function Er(){return{input:this._i,format:this._f,locale:this._locale,isUTC:this._isUTC,strict:this._strict}}function Sr(t,e){var n,i,r,a=this._eras||_n("en")._eras;for(n=0,i=a.length;n<i;++n){switch(typeof a[n].since){case"string":r=o(a[n].since).startOf("day"),a[n].since=r.valueOf();break}switch(typeof a[n].until){case"undefined":a[n].until=1/0;break;case"string":r=o(a[n].until).startOf("day").valueOf(),a[n].until=r.valueOf();break}}return a}function Or(t,e,n){var i,r,o,a,s,l=this.eras();for(t=t.toUpperCase(),i=0,r=l.length;i<r;++i)if(o=l[i].name.toUpperCase(),a=l[i].abbr.toUpperCase(),s=l[i].narrow.toUpperCase(),n)switch(e){case"N":case"NN":case"NNN":if(a===t)return l[i];break;case"NNNN":if(o===t)return l[i];break;case"NNNNN":if(s===t)return l[i];break}else if([o,a,s].indexOf(t)>=0)return l[i]}function qr(t,e){var n=t.since<=t.until?1:-1;return void 0===e?o(t.since).year():o(t.since).year()+(e-t.offset)*n}function Nr(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].name;if(i[t].until<=n&&n<=i[t].since)return i[t].name}return""}function Dr(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].narrow;if(i[t].until<=n&&n<=i[t].since)return i[t].narrow}return""}function Mr(){var t,e,n,i=this.localeData().eras();for(t=0,e=i.length;t<e;++t){if(n=this.clone().startOf("day").valueOf(),i[t].since<=n&&n<=i[t].until)return i[t].abbr;if(i[t].until<=n&&n<=i[t].since)return i[t].abbr}return""}function Pr(){var t,e,n,i,r=this.localeData().eras();for(t=0,e=r.length;t<e;++t)if(n=r[t].since<=r[t].until?1:-1,i=this.clone().startOf("day").valueOf(),r[t].since<=i&&i<=r[t].until||r[t].until<=i&&i<=r[t].since)return(this.year()-o(r[t].since).year())*n+r[t].offset;return this.year()}function Lr(t){return u(this,"_erasNameRegex")||Yr.call(this),t?this._erasNameRegex:this._erasRegex}function Br(t){return u(this,"_erasAbbrRegex")||Yr.call(this),t?this._erasAbbrRegex:this._erasRegex}function Ir(t){return u(this,"_erasNarrowRegex")||Yr.call(this),t?this._erasNarrowRegex:this._erasRegex}function Rr(t,e){return e.erasAbbrRegex(t)}function Fr(t,e){return e.erasNameRegex(t)}function zr(t,e){return e.erasNarrowRegex(t)}function Vr(t,e){return e._eraYearOrdinalRegex||Ot}function Yr(){var t,e,n=[],i=[],r=[],o=[],a=this.eras();for(t=0,e=a.length;t<e;++t)i.push(Rt(a[t].name)),n.push(Rt(a[t].abbr)),r.push(Rt(a[t].narrow)),o.push(Rt(a[t].name)),o.push(Rt(a[t].abbr)),o.push(Rt(a[t].narrow));this._erasRegex=new RegExp("^("+o.join("|")+")","i"),this._erasNameRegex=new RegExp("^("+i.join("|")+")","i"),this._erasAbbrRegex=new RegExp("^("+n.join("|")+")","i"),this._erasNarrowRegex=new RegExp("^("+r.join("|")+")","i")}function Hr(t,e){V(0,[t,t.length],0,e)}function Ur(t){return Jr.call(this,t,this.week(),this.weekday(),this.localeData()._week.dow,this.localeData()._week.doy)}function Wr(t){return Jr.call(this,t,this.isoWeek(),this.isoWeekday(),1,4)}function Gr(){return je(this.year(),1,4)}function Qr(){return je(this.isoWeekYear(),1,4)}function Zr(){var t=this.localeData()._week;return je(this.year(),t.dow,t.doy)}function Kr(){var t=this.localeData()._week;return je(this.weekYear(),t.dow,t.doy)}function Jr(t,e,n,i,r){var o;return null==t?ke(this,i,r).year:(o=je(t,i,r),e>o&&(e=o),Xr.call(this,t,e,n,i,r))}function Xr(t,e,n,i,r){var o=xe(t,e,n,i,r),a=we(o.year,0,o.dayOfYear);return this.year(a.getUTCFullYear()),this.month(a.getUTCMonth()),this.date(a.getUTCDate()),this}function $r(t){return null==t?Math.ceil((this.month()+1)/3):this.month(3*(t-1)+this.month()%3)}V("N",0,0,"eraAbbr"),V("NN",0,0,"eraAbbr"),V("NNN",0,0,"eraAbbr"),V("NNNN",0,0,"eraName"),V("NNNNN",0,0,"eraNarrow"),V("y",["y",1],"yo","eraYear"),V("y",["yy",2],0,"eraYear"),V("y",["yyy",3],0,"eraYear"),V("y",["yyyy",4],0,"eraYear"),Lt("N",Rr),Lt("NN",Rr),Lt("NNN",Rr),Lt("NNNN",Fr),Lt("NNNNN",zr),zt(["N","NN","NNN","NNNN","NNNNN"],(function(t,e,n,i){var r=n._locale.erasParse(t,i,n._strict);r?y(n).era=r:y(n).invalidEra=t})),Lt("y",Ot),Lt("yy",Ot),Lt("yyy",Ot),Lt("yyyy",Ot),Lt("yo",Vr),zt(["y","yy","yyy","yyyy"],Ut),zt(["yo"],(function(t,e,n,i){var r;n._locale._eraYearOrdinalRegex&&(r=t.match(n._locale._eraYearOrdinalRegex)),n._locale.eraYearOrdinalParse?e[Ut]=n._locale.eraYearOrdinalParse(t,r):e[Ut]=parseInt(t,10)})),V(0,["gg",2],0,(function(){return this.weekYear()%100})),V(0,["GG",2],0,(function(){return this.isoWeekYear()%100})),Hr("gggg","weekYear"),Hr("ggggg","weekYear"),Hr("GGGG","isoWeekYear"),Hr("GGGGG","isoWeekYear"),rt("weekYear","gg"),rt("isoWeekYear","GG"),lt("weekYear",1),lt("isoWeekYear",1),Lt("G",qt),Lt("g",qt),Lt("GG",kt,bt),Lt("gg",kt,bt),Lt("GGGG",Et,At),Lt("gggg",Et,At),Lt("GGGGG",St,xt),Lt("ggggg",St,xt),Vt(["gggg","ggggg","GGGG","GGGGG"],(function(t,e,n,i){e[i.substr(0,2)]=dt(t)})),Vt(["gg","GG"],(function(t,e,n,i){e[i]=o.parseTwoDigitYear(t)})),V("Q",0,"Qo","quarter"),rt("quarter","Q"),lt("quarter",7),Lt("Q",_t),zt("Q",(function(t,e){e[Wt]=3*(dt(t)-1)})),V("D",["DD",2],"Do","date"),rt("date","D"),lt("date",9),Lt("D",kt),Lt("DD",kt,bt),Lt("Do",(function(t,e){return t?e._dayOfMonthOrdinalParse||e._ordinalParse:e._dayOfMonthOrdinalParseLenient})),zt(["D","DD"],Gt),zt("Do",(function(t,e){e[Gt]=dt(t.match(kt)[0])}));var to=ft("Date",!0);function eo(t){var e=Math.round((this.clone().startOf("day")-this.clone().startOf("year"))/864e5)+1;return null==t?e:this.add(t-e,"d")}V("DDD",["DDDD",3],"DDDo","dayOfYear"),rt("dayOfYear","DDD"),lt("dayOfYear",4),Lt("DDD",Tt),Lt("DDDD",wt),zt(["DDD","DDDD"],(function(t,e,n){n._dayOfYear=dt(t)})),V("m",["mm",2],0,"minute"),rt("minute","m"),lt("minute",14),Lt("m",kt),Lt("mm",kt,bt),zt(["m","mm"],Zt);var no=ft("Minutes",!1);V("s",["ss",2],0,"second"),rt("second","s"),lt("second",15),Lt("s",kt),Lt("ss",kt,bt),zt(["s","ss"],Kt);var io,ro,oo=ft("Seconds",!1);for(V("S",0,0,(function(){return~~(this.millisecond()/100)})),V(0,["SS",2],0,(function(){return~~(this.millisecond()/10)})),V(0,["SSS",3],0,"millisecond"),V(0,["SSSS",4],0,(function(){return 10*this.millisecond()})),V(0,["SSSSS",5],0,(function(){return 100*this.millisecond()})),V(0,["SSSSSS",6],0,(function(){return 1e3*this.millisecond()})),V(0,["SSSSSSS",7],0,(function(){return 1e4*this.millisecond()})),V(0,["SSSSSSSS",8],0,(function(){return 1e5*this.millisecond()})),V(0,["SSSSSSSSS",9],0,(function(){return 1e6*this.millisecond()})),rt("millisecond","ms"),lt("millisecond",16),Lt("S",Tt,_t),Lt("SS",Tt,bt),Lt("SSS",Tt,wt),io="SSSS";io.length<=9;io+="S")Lt(io,Ot);function ao(t,e){e[Jt]=dt(1e3*("0."+t))}for(io="S";io.length<=9;io+="S")zt(io,ao);function so(){return this._isUTC?"UTC":""}function lo(){return this._isUTC?"Coordinated Universal Time":""}ro=ft("Milliseconds",!1),V("z",0,0,"zoneAbbr"),V("zz",0,0,"zoneName");var uo=k.prototype;function co(t){return Kn(1e3*t)}function ho(){return Kn.apply(null,arguments).parseZone()}function fo(t){return t}uo.add=Pi,uo.calendar=Yi,uo.clone=Hi,uo.diff=Ji,uo.endOf=yr,uo.format=nr,uo.from=ir,uo.fromNow=rr,uo.to=or,uo.toNow=ar,uo.get=mt,uo.invalidAt=Tr,uo.isAfter=Ui,uo.isBefore=Wi,uo.isBetween=Gi,uo.isSame=Qi,uo.isSameOrAfter=Zi,uo.isSameOrBefore=Ki,uo.isValid=jr,uo.lang=lr,uo.locale=sr,uo.localeData=ur,uo.max=Xn,uo.min=Jn,uo.parsingFlags=Cr,uo.set=gt,uo.startOf=gr,uo.subtract=Li,uo.toArray=Ar,uo.toObject=xr,uo.toDate=wr,uo.toISOString=tr,uo.inspect=er,"undefined"!==typeof Symbol&&null!=Symbol.for&&(uo[Symbol.for("nodejs.util.inspect.custom")]=function(){return"Moment<"+this.format()+">"}),uo.toJSON=kr,uo.toString=$i,uo.unix=br,uo.valueOf=_r,uo.creationData=Er,uo.eraName=Nr,uo.eraNarrow=Dr,uo.eraAbbr=Mr,uo.eraYear=Pr,uo.year=ye,uo.isLeapYear=_e,uo.weekYear=Ur,uo.isoWeekYear=Wr,uo.quarter=uo.quarters=$r,uo.month=de,uo.daysInMonth=fe,uo.week=uo.weeks=Oe,uo.isoWeek=uo.isoWeeks=qe,uo.weeksInYear=Zr,uo.weeksInWeekYear=Kr,uo.isoWeeksInYear=Gr,uo.isoWeeksInISOWeekYear=Qr,uo.date=to,uo.day=uo.days=We,uo.weekday=Ge,uo.isoWeekday=Qe,uo.dayOfYear=eo,uo.hour=uo.hours=an,uo.minute=uo.minutes=no,uo.second=uo.seconds=oo,uo.millisecond=uo.milliseconds=ro,uo.utcOffset=mi,uo.utc=yi,uo.local=_i,uo.parseZone=bi,uo.hasAlignedHourOffset=wi,uo.isDST=Ai,uo.isLocal=ki,uo.isUtcOffset=ji,uo.isUtc=Ci,uo.isUTC=Ci,uo.zoneAbbr=so,uo.zoneName=lo,uo.dates=T("dates accessor is deprecated. Use date instead.",to),uo.months=T("months accessor is deprecated. Use month instead",de),uo.years=T("years accessor is deprecated. Use year instead",ye),uo.zone=T("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/",gi),uo.isDSTShifted=T("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information",xi);var po=M.prototype;function vo(t,e,n,i){var r=_n(),o=m().set(i,e);return r[n](o,t)}function mo(t,e,n){if(d(t)&&(e=t,t=void 0),t=t||"",null!=e)return vo(t,e,n,"month");var i,r=[];for(i=0;i<12;i++)r[i]=vo(t,i,n,"month");return r}function go(t,e,n,i){"boolean"===typeof t?(d(e)&&(n=e,e=void 0),e=e||""):(e=t,n=e,t=!1,d(e)&&(n=e,e=void 0),e=e||"");var r,o=_n(),a=t?o._week.dow:0,s=[];if(null!=n)return vo(e,(n+a)%7,i,"day");for(r=0;r<7;r++)s[r]=vo(e,(r+a)%7,i,"day");return s}function yo(t,e){return mo(t,e,"months")}function _o(t,e){return mo(t,e,"monthsShort")}function bo(t,e,n){return go(t,e,n,"weekdays")}function wo(t,e,n){return go(t,e,n,"weekdaysShort")}function Ao(t,e,n){return go(t,e,n,"weekdaysMin")}po.calendar=L,po.longDateFormat=Q,po.invalidDate=K,po.ordinal=$,po.preparse=fo,po.postformat=fo,po.relativeTime=et,po.pastFuture=nt,po.set=N,po.eras=Sr,po.erasParse=Or,po.erasConvertYear=qr,po.erasAbbrRegex=Br,po.erasNameRegex=Lr,po.erasNarrowRegex=Ir,po.months=se,po.monthsShort=le,po.monthsParse=ce,po.monthsRegex=ve,po.monthsShortRegex=pe,po.week=Ce,po.firstDayOfYear=Se,po.firstDayOfWeek=Ee,po.weekdays=ze,po.weekdaysMin=Ye,po.weekdaysShort=Ve,po.weekdaysParse=Ue,po.weekdaysRegex=Ze,po.weekdaysShortRegex=Ke,po.weekdaysMinRegex=Je,po.isPM=rn,po.meridiem=sn,mn("en",{eras:[{since:"0001-01-01",until:1/0,offset:1,name:"Anno Domini",narrow:"AD",abbr:"AD"},{since:"0000-12-31",until:-1/0,offset:1,name:"Before Christ",narrow:"BC",abbr:"BC"}],dayOfMonthOrdinalParse:/\d{1,2}(th|st|nd|rd)/,ordinal:function(t){var e=t%10,n=1===dt(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th";return t+n}}),o.lang=T("moment.lang is deprecated. Use moment.locale instead.",mn),o.langData=T("moment.langData is deprecated. Use moment.localeData instead.",_n);var xo=Math.abs;function ko(){var t=this._data;return this._milliseconds=xo(this._milliseconds),this._days=xo(this._days),this._months=xo(this._months),t.milliseconds=xo(t.milliseconds),t.seconds=xo(t.seconds),t.minutes=xo(t.minutes),t.hours=xo(t.hours),t.months=xo(t.months),t.years=xo(t.years),this}function jo(t,e,n,i){var r=Si(e,n);return t._milliseconds+=i*r._milliseconds,t._days+=i*r._days,t._months+=i*r._months,t._bubble()}function Co(t,e){return jo(this,t,e,1)}function To(t,e){return jo(this,t,e,-1)}function Eo(t){return t<0?Math.floor(t):Math.ceil(t)}function So(){var t,e,n,i,r,o=this._milliseconds,a=this._days,s=this._months,l=this._data;return o>=0&&a>=0&&s>=0||o<=0&&a<=0&&s<=0||(o+=864e5*Eo(qo(s)+a),a=0,s=0),l.milliseconds=o%1e3,t=ht(o/1e3),l.seconds=t%60,e=ht(t/60),l.minutes=e%60,n=ht(e/60),l.hours=n%24,a+=ht(n/24),r=ht(Oo(a)),s+=r,a-=Eo(qo(r)),i=ht(s/12),s%=12,l.days=a,l.months=s,l.years=i,this}function Oo(t){return 4800*t/146097}function qo(t){return 146097*t/4800}function No(t){if(!this.isValid())return NaN;var e,n,i=this._milliseconds;if(t=ot(t),"month"===t||"quarter"===t||"year"===t)switch(e=this._days+i/864e5,n=this._months+Oo(e),t){case"month":return n;case"quarter":return n/3;case"year":return n/12}else switch(e=this._days+Math.round(qo(this._months)),t){case"week":return e/7+i/6048e5;case"day":return e+i/864e5;case"hour":return 24*e+i/36e5;case"minute":return 1440*e+i/6e4;case"second":return 86400*e+i/1e3;case"millisecond":return Math.floor(864e5*e)+i;default:throw new Error("Unknown unit "+t)}}function Do(){return this.isValid()?this._milliseconds+864e5*this._days+this._months%12*2592e6+31536e6*dt(this._months/12):NaN}function Mo(t){return function(){return this.as(t)}}var Po=Mo("ms"),Lo=Mo("s"),Bo=Mo("m"),Io=Mo("h"),Ro=Mo("d"),Fo=Mo("w"),zo=Mo("M"),Vo=Mo("Q"),Yo=Mo("y");function Ho(){return Si(this)}function Uo(t){return t=ot(t),this.isValid()?this[t+"s"]():NaN}function Wo(t){return function(){return this.isValid()?this._data[t]:NaN}}var Go=Wo("milliseconds"),Qo=Wo("seconds"),Zo=Wo("minutes"),Ko=Wo("hours"),Jo=Wo("days"),Xo=Wo("months"),$o=Wo("years");function ta(){return ht(this.days()/7)}var ea=Math.round,na={ss:44,s:45,m:45,h:22,d:26,w:null,M:11};function ia(t,e,n,i,r){return r.relativeTime(e||1,!!n,t,i)}function ra(t,e,n,i){var r=Si(t).abs(),o=ea(r.as("s")),a=ea(r.as("m")),s=ea(r.as("h")),l=ea(r.as("d")),u=ea(r.as("M")),c=ea(r.as("w")),h=ea(r.as("y")),d=o<=n.ss&&["s",o]||o<n.s&&["ss",o]||a<=1&&["m"]||a<n.m&&["mm",a]||s<=1&&["h"]||s<n.h&&["hh",s]||l<=1&&["d"]||l<n.d&&["dd",l];return null!=n.w&&(d=d||c<=1&&["w"]||c<n.w&&["ww",c]),d=d||u<=1&&["M"]||u<n.M&&["MM",u]||h<=1&&["y"]||["yy",h],d[2]=e,d[3]=+t>0,d[4]=i,ia.apply(null,d)}function oa(t){return void 0===t?ea:"function"===typeof t&&(ea=t,!0)}function aa(t,e){return void 0!==na[t]&&(void 0===e?na[t]:(na[t]=e,"s"===t&&(na.ss=e-1),!0))}function sa(t,e){if(!this.isValid())return this.localeData().invalidDate();var n,i,r=!1,o=na;return"object"===typeof t&&(e=t,t=!1),"boolean"===typeof t&&(r=t),"object"===typeof e&&(o=Object.assign({},na,e),null!=e.s&&null==e.ss&&(o.ss=e.s-1)),n=this.localeData(),i=ra(this,!r,o,n),r&&(i=n.pastFuture(+this,i)),n.postformat(i)}var la=Math.abs;function ua(t){return(t>0)-(t<0)||+t}function ca(){if(!this.isValid())return this.localeData().invalidDate();var t,e,n,i,r,o,a,s,l=la(this._milliseconds)/1e3,u=la(this._days),c=la(this._months),h=this.asSeconds();return h?(t=ht(l/60),e=ht(t/60),l%=60,t%=60,n=ht(c/12),c%=12,i=l?l.toFixed(3).replace(/\.?0+$/,""):"",r=h<0?"-":"",o=ua(this._months)!==ua(h)?"-":"",a=ua(this._days)!==ua(h)?"-":"",s=ua(this._milliseconds)!==ua(h)?"-":"",r+"P"+(n?o+n+"Y":"")+(c?o+c+"M":"")+(u?a+u+"D":"")+(e||t||l?"T":"")+(e?s+e+"H":"")+(t?s+t+"M":"")+(l?s+i+"S":"")):"P0D"}var ha=si.prototype;return ha.isValid=oi,ha.abs=ko,ha.add=Co,ha.subtract=To,ha.as=No,ha.asMilliseconds=Po,ha.asSeconds=Lo,ha.asMinutes=Bo,ha.asHours=Io,ha.asDays=Ro,ha.asWeeks=Fo,ha.asMonths=zo,ha.asQuarters=Vo,ha.asYears=Yo,ha.valueOf=Do,ha._bubble=So,ha.clone=Ho,ha.get=Uo,ha.milliseconds=Go,ha.seconds=Qo,ha.minutes=Zo,ha.hours=Ko,ha.days=Jo,ha.weeks=ta,ha.months=Xo,ha.years=$o,ha.humanize=sa,ha.toISOString=ca,ha.toString=ca,ha.toJSON=ca,ha.locale=sr,ha.localeData=ur,ha.toIsoString=T("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)",ca),ha.lang=lr,V("X",0,0,"unix"),V("x",0,0,"valueOf"),Lt("x",qt),Lt("X",Mt),zt("X",(function(t,e,n){n._d=new Date(1e3*parseFloat(t))})),zt("x",(function(t,e,n){n._d=new Date(dt(t))})),
37 37 //! moment.js
38   -r.version="2.29.1",a(Xn),r.fn=ur,r.min=ti,r.max=ei,r.now=ni,r.utc=g,r.unix=hr,r.months=mr,r.isDate=f,r.locale=gn,r.invalid=b,r.duration=Ii,r.isMoment=x,r.weekdays=br,r.parseZone=dr,r.localeData=yn,r.isDuration=li,r.monthsShort=yr,r.weekdaysMin=Er,r.defineLocale=vn,r.updateLocale=mn,r.locales=bn,r.weekdaysShort=wr,r.normalizeUnits=rt,r.relativeTimeRounding=ra,r.relativeTimeThreshold=aa,r.calendarFormat=Ui,r.prototype=ur,r.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},r}))}).call(this,n("62e4")(t))},c207:function(t,e){},c28b:function(t,e,n){!function(e,n){t.exports=n()}(0,(function(){var t="undefined"!=typeof window,e="undefined"!=typeof navigator,n=t&&("ontouchstart"in window||e&&navigator.msMaxTouchPoints>0)?["touchstart"]:["click"];function i(t){var e=t.event,n=t.handler;(0,t.middleware)(e)&&n(e)}function o(t,e){var o=function(t){var e="function"==typeof t;if(!e&&"object"!=typeof t)throw new Error("v-click-outside: Binding value must be a function or an object");return{handler:e?t:t.handler,middleware:t.middleware||function(t){return t},events:t.events||n,isActive:!(!1===t.isActive),detectIframe:!(!1===t.detectIframe)}}(e.value),r=o.handler,a=o.middleware,s=o.detectIframe;if(o.isActive){if(t["__v-click-outside"]=o.events.map((function(e){return{event:e,srcTarget:document.documentElement,handler:function(e){return function(t){var e=t.el,n=t.event,o=t.handler,r=t.middleware,a=n.path||n.composedPath&&n.composedPath();(a?a.indexOf(e)<0:!e.contains(n.target))&&i({event:n,handler:o,middleware:r})}({el:t,event:e,handler:r,middleware:a})}}})),s){var l={event:"blur",srcTarget:window,handler:function(e){return function(t){var e=t.el,n=t.event,o=t.handler,r=t.middleware;setTimeout((function(){var t=document.activeElement;t&&"IFRAME"===t.tagName&&!e.contains(t)&&i({event:n,handler:o,middleware:r})}),0)}({el:t,event:e,handler:r,middleware:a})}};t["__v-click-outside"]=[].concat(t["__v-click-outside"],[l])}t["__v-click-outside"].forEach((function(e){var n=e.event,i=e.srcTarget,o=e.handler;return setTimeout((function(){t["__v-click-outside"]&&i.addEventListener(n,o,!1)}),0)}))}}function r(t){(t["__v-click-outside"]||[]).forEach((function(t){return t.srcTarget.removeEventListener(t.event,t.handler,!1)})),delete t["__v-click-outside"]}var a=t?{bind:o,update:function(t,e){var n=e.value,i=e.oldValue;JSON.stringify(n)!==JSON.stringify(i)&&(r(t),o(t,{value:n}))},unbind:r}:{};return{install:function(t){t.directive("click-outside",a)},directive:a}}))},c2d8:function(t,e,n){n("a29f"),n("8a5a"),n("0607"),n("949e"),n("f251"),n("7565"),n("73b2")},c345:function(t,e,n){"use strict";var i=n("c532"),o=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"];t.exports=function(t){var e,n,r,a={};return t?(i.forEach(t.split("\n"),(function(t){if(r=t.indexOf(":"),e=i.trim(t.substr(0,r)).toLowerCase(),n=i.trim(t.substr(r+1)),e){if(a[e]&&o.indexOf(e)>=0)return;a[e]="set-cookie"===e?(a[e]?a[e]:[]).concat([n]):a[e]?a[e]+", "+n:n}})),a):a}},c366:function(t,e,n){var i=n("6821"),o=n("9def"),r=n("77f1");t.exports=function(t){return function(e,n,a){var s,l=i(e),c=o(l.length),u=r(a,c);if(t&&n!=n){while(c>u)if(s=l[u++],s!=s)return!0}else for(;c>u;u++)if((t||u in l)&&l[u]===n)return t||u||0;return!t&&-1}}},c367:function(t,e,n){"use strict";var i=n("8436"),o=n("50ed"),r=n("481b"),a=n("36c3");t.exports=n("30f1")(Array,"Array",(function(t,e){this._t=a(t),this._i=0,this._k=e}),(function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,o(1)):o(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])}),"values"),r.Arguments=r.Array,i("keys"),i("values"),i("entries")},c3a1:function(t,e,n){var i=n("e6f3"),o=n("1691");t.exports=Object.keys||function(t){return i(t,o)}},c401:function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e,n){return i.forEach(n,(function(n){t=n(t,e)})),t}},c532:function(t,e,n){"use strict";var i=n("1d2b"),o=Object.prototype.toString;function r(t){return"[object Array]"===o.call(t)}function a(t){return"undefined"===typeof t}function s(t){return null!==t&&!a(t)&&null!==t.constructor&&!a(t.constructor)&&"function"===typeof t.constructor.isBuffer&&t.constructor.isBuffer(t)}function l(t){return"[object ArrayBuffer]"===o.call(t)}function c(t){return"undefined"!==typeof FormData&&t instanceof FormData}function u(t){var e;return e="undefined"!==typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&t.buffer instanceof ArrayBuffer,e}function h(t){return"string"===typeof t}function d(t){return"number"===typeof t}function f(t){return null!==t&&"object"===typeof t}function A(t){return"[object Date]"===o.call(t)}function p(t){return"[object File]"===o.call(t)}function g(t){return"[object Blob]"===o.call(t)}function v(t){return"[object Function]"===o.call(t)}function m(t){return f(t)&&v(t.pipe)}function y(t){return"undefined"!==typeof URLSearchParams&&t instanceof URLSearchParams}function b(t){return t.replace(/^\s*/,"").replace(/\s*$/,"")}function w(){return("undefined"===typeof navigator||"ReactNative"!==navigator.product&&"NativeScript"!==navigator.product&&"NS"!==navigator.product)&&("undefined"!==typeof window&&"undefined"!==typeof document)}function E(t,e){if(null!==t&&"undefined"!==typeof t)if("object"!==typeof t&&(t=[t]),r(t))for(var n=0,i=t.length;n<i;n++)e.call(null,t[n],n,t);else for(var o in t)Object.prototype.hasOwnProperty.call(t,o)&&e.call(null,t[o],o,t)}function _(){var t={};function e(e,n){"object"===typeof t[n]&&"object"===typeof e?t[n]=_(t[n],e):t[n]=e}for(var n=0,i=arguments.length;n<i;n++)E(arguments[n],e);return t}function B(){var t={};function e(e,n){"object"===typeof t[n]&&"object"===typeof e?t[n]=B(t[n],e):t[n]="object"===typeof e?B({},e):e}for(var n=0,i=arguments.length;n<i;n++)E(arguments[n],e);return t}function x(t,e,n){return E(e,(function(e,o){t[o]=n&&"function"===typeof e?i(e,n):e})),t}t.exports={isArray:r,isArrayBuffer:l,isBuffer:s,isFormData:c,isArrayBufferView:u,isString:h,isNumber:d,isObject:f,isUndefined:a,isDate:A,isFile:p,isBlob:g,isFunction:v,isStream:m,isURLSearchParams:y,isStandardBrowserEnv:w,forEach:E,merge:_,deepMerge:B,extend:x,trim:b}},c59a:function(t,e,n){var i=n("63c4");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("1ccd2035",i,!0,{sourceMap:!1,shadowMode:!1})},c5f6:function(t,e,n){"use strict";var i=n("7726"),o=n("69a8"),r=n("2d95"),a=n("5dbc"),s=n("6a99"),l=n("79e5"),c=n("9093").f,u=n("11e9").f,h=n("86cc").f,d=n("aa77").trim,f="Number",A=i[f],p=A,g=A.prototype,v=r(n("2aeb")(g))==f,m="trim"in String.prototype,y=function(t){var e=s(t,!1);if("string"==typeof e&&e.length>2){e=m?e.trim():d(e,3);var n,i,o,r=e.charCodeAt(0);if(43===r||45===r){if(n=e.charCodeAt(2),88===n||120===n)return NaN}else if(48===r){switch(e.charCodeAt(1)){case 66:case 98:i=2,o=49;break;case 79:case 111:i=8,o=55;break;default:return+e}for(var a,l=e.slice(2),c=0,u=l.length;c<u;c++)if(a=l.charCodeAt(c),a<48||a>o)return NaN;return parseInt(l,i)}}return+e};if(!A(" 0o1")||!A("0b1")||A("+0x1")){A=function(t){var e=arguments.length<1?0:t,n=this;return n instanceof A&&(v?l((function(){g.valueOf.call(n)})):r(n)!=f)?a(new p(y(e)),n,A):y(e)};for(var b,w=n("9e1e")?c(p):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger".split(","),E=0;w.length>E;E++)o(p,b=w[E])&&!o(A,b)&&h(A,b,u(p,b));A.prototype=g,g.constructor=A,n("2aba")(i,f,A)}},c69a:function(t,e,n){t.exports=!n("9e1e")&&!n("79e5")((function(){return 7!=Object.defineProperty(n("230e")("div"),"a",{get:function(){return 7}}).a}))},c8af:function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e){i.forEach(t,(function(n,i){i!==e&&i.toUpperCase()===e.toUpperCase()&&(t[e]=n,delete t[i])}))}},c8ba:function(t,e){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(i){"object"===typeof window&&(n=window)}t.exports=n},ca48:function(t,e,n){"use strict";e.__esModule=!0,e.camelize=o,e.padZero=r;var i=/-(\w)/g;function o(t){return t.replace(i,(function(t,e){return e.toUpperCase()}))}function r(t,e){void 0===e&&(e=2);var n=t+"";while(n.length<e)n="0"+n;return n}},ca5a:function(t,e){var n=0,i=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+i).toString(36))}},cadf:function(t,e,n){"use strict";var i=n("9c6c"),o=n("d53b"),r=n("84f2"),a=n("6821");t.exports=n("01f9")(Array,"Array",(function(t,e){this._t=a(t),this._i=0,this._k=e}),(function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,o(1)):o(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])}),"values"),r.Arguments=r.Array,i("keys"),i("values"),i("entries")},cb7c:function(t,e,n){var i=n("d3f4");t.exports=function(t){if(!i(t))throw TypeError(t+" is not an object!");return t}},cc33:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".lbp-table{position:relative;overflow:hidden}.lbp-table table{position:absolute;table-layout:fixed;height:100%;background:#fff}.lbp-table table td{border-top:2px solid #ebeef5;border-left:2px solid #ebeef5}.lbp-table table tr:last-child{border-bottom:2px solid #ebeef5;border-right:2px solid #ebeef5}.lbp-table table tr:first-child{background-color:#f6f6f6;font-size:13px;font-weight:700}.lbp-table table td{text-align:center}.lbp-table .main-table-wrapper{position:absolute;left:0;top:0;overflow:auto;width:100%;height:100%}.lbp-table .fixed-table-wrapper{position:absolute;left:0;top:0;overflow:hidden}.lbp-table-theme-stripe table tbody tr:nth-child(odd):not(:first-child){background-color:#f6f6f6}.lbp-table-theme-stripe table tbody tr:nth-child(2n){background-color:#fff}.lbp-table-theme-light-blue table tbody tr:first-child,.lbp-table-theme-light-blue table tbody tr:nth-child(odd):not(:first-child){background-color:#edf8ff}.lbp-table-theme-light-blue table tbody tr:nth-child(2n){background-color:#fff}",""])},ccb9:function(t,e,n){e.f=n("5168")},cd1c:function(t,e,n){var i=n("e853");t.exports=function(t,e){return new(i(t))(e)}},ce10:function(t,e,n){var i=n("69a8"),o=n("6821"),r=n("c366")(!1),a=n("613b")("IE_PROTO");t.exports=function(t,e){var n,s=o(t),l=0,c=[];for(n in s)n!=a&&i(s,n)&&c.push(n);while(e.length>l)i(s,n=e[l++])&&(~r(c,n)||c.push(n));return c}},ce7e:function(t,e,n){var i=n("63b6"),o=n("584a"),r=n("294c");t.exports=function(t,e){var n=(o.Object||{})[t]||Object[t],a={};a[t]=e(n),i(i.S+i.F*r((function(){n(1)})),"Object",a)}},cee4:function(t,e,n){"use strict";var i=n("c532"),o=n("1d2b"),r=n("0a06"),a=n("4a7b"),s=n("2444");function l(t){var e=new r(t),n=o(r.prototype.request,e);return i.extend(n,r.prototype,e),i.extend(n,e),n}var c=l(s);c.Axios=r,c.create=function(t){return l(a(c.defaults,t))},c.Cancel=n("7a77"),c.CancelToken=n("8df4"),c.isCancel=n("2e67"),c.all=function(t){return Promise.all(t)},c.spread=n("0df6"),t.exports=c,t.exports.default=c},cf89:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'.lbp-rc-wrapper{position:relative;height:20px;clear:both}.lbp-rc-wrapper .lbp-rc-input{display:none}.lbp-rc-wrapper .tag{float:left;margin-left:20px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.lbp-rc-wrapper .lbp-rc-input+label{position:absolute;left:0;top:2px;-webkit-appearance:none;appearance:none;background-color:#fafafa;border:1px solid #cacece}.lbp-checkbox+label{top:2px;padding:6px;border-radius:2px}.lbp-checkbox:checked+label:after{content:" ";position:absolute;top:.5px;left:3.5px;z-index:999;width:4.5px;height:7.5px;border-style:solid;border-width:0 1px 1px 0;transform:rotate(45deg)}.lbp-radio+label{padding:6px;border-radius:50px;display:inline-block}.lbp-radio:checked+label:after{content:" ";position:absolute;top:3px;left:3px;width:6px;height:6px;border-radius:50px;background:#99a1a7;box-shadow:inset 0 0 10px rgba(0,0,0,.3);text-shadow:0;font-size:32px}',""])},d02c:function(t,e){var n=Object.create||function(){function t(){}return function(e){if(1!==arguments.length)throw new Error("Object.create shim only accepts one parameter.");return t.prototype=e,new t}}();function i(t,e){this.name="ParsingError",this.code=t.code,this.message=e||t.message}function o(t){function e(t,e,n,i){return 3600*(0|t)+60*(0|e)+(0|n)+(0|i)/1e3}var n=t.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/);return n?n[3]?e(n[1],n[2],n[3].replace(":",""),n[4]):n[1]>59?e(n[1],n[2],0,n[4]):e(0,n[1],n[2],n[4]):null}function r(){this.values=n(null)}function a(t,e,n,i){var o=i?t.split(i):[t];for(var r in o)if("string"===typeof o[r]){var a=o[r].split(n);if(2===a.length){var s=a[0],l=a[1];e(s,l)}}}function s(t,e,n){var s=t;function l(){var e=o(t);if(null===e)throw new i(i.Errors.BadTimeStamp,"Malformed timestamp: "+s);return t=t.replace(/^[^\sa-zA-Z-]+/,""),e}function c(t,e){var i=new r;a(t,(function(t,e){switch(t){case"region":for(var o=n.length-1;o>=0;o--)if(n[o].id===e){i.set(t,n[o].region);break}break;case"vertical":i.alt(t,e,["rl","lr"]);break;case"line":var r=e.split(","),a=r[0];i.integer(t,a),i.percent(t,a)&&i.set("snapToLines",!1),i.alt(t,a,["auto"]),2===r.length&&i.alt("lineAlign",r[1],["start","middle","end"]);break;case"position":r=e.split(","),i.percent(t,r[0]),2===r.length&&i.alt("positionAlign",r[1],["start","middle","end"]);break;case"size":i.percent(t,e);break;case"align":i.alt(t,e,["start","middle","end","left","right"]);break}}),/:/,/\s/),e.region=i.get("region",null),e.vertical=i.get("vertical",""),e.line=i.get("line","auto"),e.lineAlign=i.get("lineAlign","start"),e.snapToLines=i.get("snapToLines",!0),e.size=i.get("size",100),e.align=i.get("align","middle"),e.position=i.get("position",{start:0,left:0,middle:50,end:100,right:100},e.align),e.positionAlign=i.get("positionAlign",{start:"start",left:"start",middle:"middle",end:"end",right:"end"},e.align)}function u(){t=t.replace(/^\s+/,"")}if(u(),e.startTime=l(),u(),"--\x3e"!==t.substr(0,3))throw new i(i.Errors.BadTimeStamp,"Malformed time stamp (time stamps must be separated by '--\x3e'): "+s);t=t.substr(3),u(),e.endTime=l(),u(),c(t,e)}i.prototype=n(Error.prototype),i.prototype.constructor=i,i.Errors={BadSignature:{code:0,message:"Malformed WebVTT signature."},BadTimeStamp:{code:1,message:"Malformed time stamp."}},r.prototype={set:function(t,e){this.get(t)||""===e||(this.values[t]=e)},get:function(t,e,n){return n?this.has(t)?this.values[t]:e[n]:this.has(t)?this.values[t]:e},has:function(t){return t in this.values},alt:function(t,e,n){for(var i=0;i<n.length;++i)if(e===n[i]){this.set(t,e);break}},integer:function(t,e){/^-?\d+$/.test(e)&&this.set(t,parseInt(e,10))},percent:function(t,e){return!!(e.match(/^([\d]{1,3})(\.[\d]*)?%$/)&&(e=parseFloat(e),e>=0&&e<=100))&&(this.set(t,e),!0)}};var l={"&amp;":"&","&lt;":"<","&gt;":">","&lrm;":"‎","&rlm;":"‏","&nbsp;":" "},c={c:"span",i:"i",b:"b",u:"u",ruby:"ruby",rt:"rt",v:"span",lang:"span"},u={v:"title",lang:"lang"},h={rt:"ruby"};function d(t,e){function n(){if(!e)return null;function t(t){return e=e.substr(t.length),t}var n=e.match(/^([^<]*)(<[^>]*>?)?/);return t(n[1]?n[1]:n[2])}function i(t){return l[t]}function r(t){while(m=t.match(/&(amp|lt|gt|lrm|rlm|nbsp);/))t=t.replace(m[0],i);return t}function a(t,e){return!h[e.localName]||h[e.localName]===t.localName}function s(e,n){var i=c[e];if(!i)return null;var o=t.document.createElement(i);o.localName=i;var r=u[e];return r&&n&&(o[r]=n.trim()),o}var d,f=t.document.createElement("div"),A=f,p=[];while(null!==(d=n()))if("<"!==d[0])A.appendChild(t.document.createTextNode(r(d)));else{if("/"===d[1]){p.length&&p[p.length-1]===d.substr(2).replace(">","")&&(p.pop(),A=A.parentNode);continue}var g,v=o(d.substr(1,d.length-2));if(v){g=t.document.createProcessingInstruction("timestamp",v),A.appendChild(g);continue}var m=d.match(/^<([^.\s/0-9>]+)(\.[^\s\\>]+)?([^>\\]+)?(\\?)>?$/);if(!m)continue;if(g=s(m[1],m[3]),!g)continue;if(!a(A,g))continue;m[2]&&(g.className=m[2].substr(1).replace("."," ")),p.push(m[1]),A.appendChild(g),A=g}return f}var f=[[1470,1470],[1472,1472],[1475,1475],[1478,1478],[1488,1514],[1520,1524],[1544,1544],[1547,1547],[1549,1549],[1563,1563],[1566,1610],[1645,1647],[1649,1749],[1765,1766],[1774,1775],[1786,1805],[1807,1808],[1810,1839],[1869,1957],[1969,1969],[1984,2026],[2036,2037],[2042,2042],[2048,2069],[2074,2074],[2084,2084],[2088,2088],[2096,2110],[2112,2136],[2142,2142],[2208,2208],[2210,2220],[8207,8207],[64285,64285],[64287,64296],[64298,64310],[64312,64316],[64318,64318],[64320,64321],[64323,64324],[64326,64449],[64467,64829],[64848,64911],[64914,64967],[65008,65020],[65136,65140],[65142,65276],[67584,67589],[67592,67592],[67594,67637],[67639,67640],[67644,67644],[67647,67669],[67671,67679],[67840,67867],[67872,67897],[67903,67903],[67968,68023],[68030,68031],[68096,68096],[68112,68115],[68117,68119],[68121,68147],[68160,68167],[68176,68184],[68192,68223],[68352,68405],[68416,68437],[68440,68466],[68472,68479],[68608,68680],[126464,126467],[126469,126495],[126497,126498],[126500,126500],[126503,126503],[126505,126514],[126516,126519],[126521,126521],[126523,126523],[126530,126530],[126535,126535],[126537,126537],[126539,126539],[126541,126543],[126545,126546],[126548,126548],[126551,126551],[126553,126553],[126555,126555],[126557,126557],[126559,126559],[126561,126562],[126564,126564],[126567,126570],[126572,126578],[126580,126583],[126585,126588],[126590,126590],[126592,126601],[126603,126619],[126625,126627],[126629,126633],[126635,126651],[1114109,1114109]];function A(t){for(var e=0;e<f.length;e++){var n=f[e];if(t>=n[0]&&t<=n[1])return!0}return!1}function p(t){var e,n=[],i="";if(!t||!t.childNodes)return"ltr";function o(t,e){for(var n=e.childNodes.length-1;n>=0;n--)t.push(e.childNodes[n])}function r(t){if(!t||!t.length)return null;var e=t.pop(),n=e.textContent||e.innerText;if(n){var i=n.match(/^.*(\n|\r)/);return i?(t.length=0,i[0]):n}return"ruby"===e.tagName?r(t):e.childNodes?(o(t,e),r(t)):void 0}o(n,t);while(i=r(n))for(var a=0;a<i.length;a++)if(e=i.charCodeAt(a),A(e))return"rtl";return"ltr"}function g(t){if("number"===typeof t.line&&(t.snapToLines||t.line>=0&&t.line<=100))return t.line;if(!t.track||!t.track.textTrackList||!t.track.textTrackList.mediaElement)return-1;for(var e=t.track,n=e.textTrackList,i=0,o=0;o<n.length&&n[o]!==e;o++)"showing"===n[o].mode&&i++;return-1*++i}function v(){}function m(t,e,n){var i=/MSIE\s8\.0/.test(navigator.userAgent),o="rgba(255, 255, 255, 1)",r="rgba(0, 0, 0, 0.8)";i&&(o="rgb(255, 255, 255)",r="rgb(0, 0, 0)"),v.call(this),this.cue=e,this.cueDiv=d(t,e.text);var a={color:o,backgroundColor:r,position:"relative",left:0,right:0,top:0,bottom:0,display:"inline"};i||(a.writingMode=""===e.vertical?"horizontal-tb":"lr"===e.vertical?"vertical-lr":"vertical-rl",a.unicodeBidi="plaintext"),this.applyStyles(a,this.cueDiv),this.div=t.document.createElement("div"),a={textAlign:"middle"===e.align?"center":e.align,font:n.font,whiteSpace:"pre-line",position:"absolute"},i||(a.direction=p(this.cueDiv),a.writingMode=""===e.vertical?"horizontal-tb":"lr"===e.vertical?"vertical-lr":"vertical-rl".stylesunicodeBidi="plaintext"),this.applyStyles(a),this.div.appendChild(this.cueDiv);var s=0;switch(e.positionAlign){case"start":s=e.position;break;case"middle":s=e.position-e.size/2;break;case"end":s=e.position-e.size;break}""===e.vertical?this.applyStyles({left:this.formatStyle(s,"%"),width:this.formatStyle(e.size,"%")}):this.applyStyles({top:this.formatStyle(s,"%"),height:this.formatStyle(e.size,"%")}),this.move=function(t){this.applyStyles({top:this.formatStyle(t.top,"px"),bottom:this.formatStyle(t.bottom,"px"),left:this.formatStyle(t.left,"px"),right:this.formatStyle(t.right,"px"),height:this.formatStyle(t.height,"px"),width:this.formatStyle(t.width,"px")})}}function y(t){var e,n,i,o,r=/MSIE\s8\.0/.test(navigator.userAgent);if(t.div){n=t.div.offsetHeight,i=t.div.offsetWidth,o=t.div.offsetTop;var a=(a=t.div.childNodes)&&(a=a[0])&&a.getClientRects&&a.getClientRects();t=t.div.getBoundingClientRect(),e=a?Math.max(a[0]&&a[0].height||0,t.height/a.length):0}this.left=t.left,this.right=t.right,this.top=t.top||o,this.height=t.height||n,this.bottom=t.bottom||o+(t.height||n),this.width=t.width||i,this.lineHeight=void 0!==e?e:t.lineHeight,r&&!this.lineHeight&&(this.lineHeight=13)}function b(t,e,n,i){function o(t,e){for(var o,r=new y(t),a=1,s=0;s<e.length;s++){while(t.overlapsOppositeAxis(n,e[s])||t.within(n)&&t.overlapsAny(i))t.move(e[s]);if(t.within(n))return t;var l=t.intersectPercentage(n);a>l&&(o=new y(t),a=l),t=new y(r)}return o||r}var r=new y(e),a=e.cue,s=g(a),l=[];if(a.snapToLines){var c;switch(a.vertical){case"":l=["+y","-y"],c="height";break;case"rl":l=["+x","-x"],c="width";break;case"lr":l=["-x","+x"],c="width";break}var u=r.lineHeight,h=u*Math.round(s),d=n[c]+u,f=l[0];Math.abs(h)>d&&(h=h<0?-1:1,h*=Math.ceil(d/u)*u),s<0&&(h+=""===a.vertical?n.height:n.width,l=l.reverse()),r.move(f,h)}else{var A=r.lineHeight/n.height*100;switch(a.lineAlign){case"middle":s-=A/2;break;case"end":s-=A;break}switch(a.vertical){case"":e.applyStyles({top:e.formatStyle(s,"%")});break;case"rl":e.applyStyles({left:e.formatStyle(s,"%")});break;case"lr":e.applyStyles({right:e.formatStyle(s,"%")});break}l=["+y","-x","+x","-y"],r=new y(e)}var p=o(r,l);e.move(p.toCSSCompatValues(n))}function w(){}v.prototype.applyStyles=function(t,e){for(var n in e=e||this.div,t)t.hasOwnProperty(n)&&(e.style[n]=t[n])},v.prototype.formatStyle=function(t,e){return 0===t?0:t+e},m.prototype=n(v.prototype),m.prototype.constructor=m,y.prototype.move=function(t,e){switch(e=void 0!==e?e:this.lineHeight,t){case"+x":this.left+=e,this.right+=e;break;case"-x":this.left-=e,this.right-=e;break;case"+y":this.top+=e,this.bottom+=e;break;case"-y":this.top-=e,this.bottom-=e;break}},y.prototype.overlaps=function(t){return this.left<t.right&&this.right>t.left&&this.top<t.bottom&&this.bottom>t.top},y.prototype.overlapsAny=function(t){for(var e=0;e<t.length;e++)if(this.overlaps(t[e]))return!0;return!1},y.prototype.within=function(t){return this.top>=t.top&&this.bottom<=t.bottom&&this.left>=t.left&&this.right<=t.right},y.prototype.overlapsOppositeAxis=function(t,e){switch(e){case"+x":return this.left<t.left;case"-x":return this.right>t.right;case"+y":return this.top<t.top;case"-y":return this.bottom>t.bottom}},y.prototype.intersectPercentage=function(t){var e=Math.max(0,Math.min(this.right,t.right)-Math.max(this.left,t.left)),n=Math.max(0,Math.min(this.bottom,t.bottom)-Math.max(this.top,t.top)),i=e*n;return i/(this.height*this.width)},y.prototype.toCSSCompatValues=function(t){return{top:this.top-t.top,bottom:t.bottom-this.bottom,left:this.left-t.left,right:t.right-this.right,height:this.height,width:this.width}},y.getSimpleBoxPosition=function(t){var e=t.div?t.div.offsetHeight:t.tagName?t.offsetHeight:0,n=t.div?t.div.offsetWidth:t.tagName?t.offsetWidth:0,i=t.div?t.div.offsetTop:t.tagName?t.offsetTop:0;t=t.div?t.div.getBoundingClientRect():t.tagName?t.getBoundingClientRect():t;var o={left:t.left,right:t.right,top:t.top||i,height:t.height||e,bottom:t.bottom||i+(t.height||e),width:t.width||n};return o},w.StringDecoder=function(){return{decode:function(t){if(!t)return"";if("string"!==typeof t)throw new Error("Error - expected string data.");return decodeURIComponent(encodeURIComponent(t))}}},w.convertCueToDOMTree=function(t,e){return t&&e?d(t,e):null};var E=.05,_="sans-serif",B="1.5%";w.processCues=function(t,e,n){if(!t||!e||!n)return null;while(n.firstChild)n.removeChild(n.firstChild);var i=t.document.createElement("div");function o(t){for(var e=0;e<t.length;e++)if(t[e].hasBeenReset||!t[e].displayState)return!0;return!1}if(i.style.position="absolute",i.style.left="0",i.style.right="0",i.style.top="0",i.style.bottom="0",i.style.margin=B,n.appendChild(i),o(e)){var r=[],a=y.getSimpleBoxPosition(i),s=Math.round(a.height*E*100)/100,l={font:s+"px "+_};(function(){for(var n,o,s=0;s<e.length;s++)o=e[s],n=new m(t,o,l),i.appendChild(n.div),b(t,n,a,r),o.displayState=n.div,r.push(y.getSimpleBoxPosition(n))})()}else for(var c=0;c<e.length;c++)i.appendChild(e[c].displayState)},w.Parser=function(t,e,n){n||(n=e,e={}),e||(e={}),this.window=t,this.vttjs=e,this.state="INITIAL",this.buffer="",this.decoder=n||new TextDecoder("utf8"),this.regionList=[]},w.Parser.prototype={reportOrThrowError:function(t){if(!(t instanceof i))throw t;this.onparsingerror&&this.onparsingerror(t)},parse:function(t){var e=this;function n(){var t=e.buffer,n=0;while(n<t.length&&"\r"!==t[n]&&"\n"!==t[n])++n;var i=t.substr(0,n);return"\r"===t[n]&&++n,"\n"===t[n]&&++n,e.buffer=t.substr(n),i}function l(t){var n=new r;if(a(t,(function(t,e){switch(t){case"id":n.set(t,e);break;case"width":n.percent(t,e);break;case"lines":n.integer(t,e);break;case"regionanchor":case"viewportanchor":var i=e.split(",");if(2!==i.length)break;var o=new r;if(o.percent("x",i[0]),o.percent("y",i[1]),!o.has("x")||!o.has("y"))break;n.set(t+"X",o.get("x")),n.set(t+"Y",o.get("y"));break;case"scroll":n.alt(t,e,["up"]);break}}),/=/,/\s/),n.has("id")){var i=new(e.vttjs.VTTRegion||e.window.VTTRegion);i.width=n.get("width",100),i.lines=n.get("lines",3),i.regionAnchorX=n.get("regionanchorX",0),i.regionAnchorY=n.get("regionanchorY",100),i.viewportAnchorX=n.get("viewportanchorX",0),i.viewportAnchorY=n.get("viewportanchorY",100),i.scroll=n.get("scroll",""),e.onregion&&e.onregion(i),e.regionList.push({id:n.get("id"),region:i})}}function c(t){var n=new r;a(t,(function(t,e){switch(t){case"MPEGT":n.integer(t+"S",e);break;case"LOCA":n.set(t+"L",o(e));break}}),/[^\d]:/,/,/),e.ontimestampmap&&e.ontimestampmap({MPEGTS:n.get("MPEGTS"),LOCAL:n.get("LOCAL")})}function u(t){t.match(/X-TIMESTAMP-MAP/)?a(t,(function(t,e){switch(t){case"X-TIMESTAMP-MAP":c(e);break}}),/=/):a(t,(function(t,e){switch(t){case"Region":l(e);break}}),/:/)}t&&(e.buffer+=e.decoder.decode(t,{stream:!0}));try{var h;if("INITIAL"===e.state){if(!/\r\n|\n/.test(e.buffer))return this;h=n();var d=h.match(/^WEBVTT([ \t].*)?$/);if(!d||!d[0])throw new i(i.Errors.BadSignature);e.state="HEADER"}var f=!1;while(e.buffer){if(!/\r\n|\n/.test(e.buffer))return this;switch(f?f=!1:h=n(),e.state){case"HEADER":/:/.test(h)?u(h):h||(e.state="ID");continue;case"NOTE":h||(e.state="ID");continue;case"ID":if(/^NOTE($|[ \t])/.test(h)){e.state="NOTE";break}if(!h)continue;if(e.cue=new(e.vttjs.VTTCue||e.window.VTTCue)(0,0,""),e.state="CUE",-1===h.indexOf("--\x3e")){e.cue.id=h;continue}case"CUE":try{s(h,e.cue,e.regionList)}catch(p){e.reportOrThrowError(p),e.cue=null,e.state="BADCUE";continue}e.state="CUETEXT";continue;case"CUETEXT":var A=-1!==h.indexOf("--\x3e");if(!h||A&&(f=!0)){e.oncue&&e.oncue(e.cue),e.cue=null,e.state="ID";continue}e.cue.text&&(e.cue.text+="\n"),e.cue.text+=h;continue;case"BADCUE":h||(e.state="ID");continue}}}catch(p){e.reportOrThrowError(p),"CUETEXT"===e.state&&e.cue&&e.oncue&&e.oncue(e.cue),e.cue=null,e.state="INITIAL"===e.state?"BADWEBVTT":"BADCUE"}return this},flush:function(){var t=this;try{if(t.buffer+=t.decoder.decode(),(t.cue||"HEADER"===t.state)&&(t.buffer+="\n\n",t.parse()),"INITIAL"===t.state)throw new i(i.Errors.BadSignature)}catch(e){t.reportOrThrowError(e)}return t.onflush&&t.onflush(),this}},t.exports=w},d282:function(t,e,n){"use strict";function i(t,e){return e?"string"===typeof e?" "+t+"--"+e:Array.isArray(e)?e.reduce((function(e,n){return e+i(t,n)}),""):Object.keys(e).reduce((function(n,o){return n+(e[o]?i(t,o):"")}),""):""}function o(t){return function(e,n){return e&&"string"!==typeof e&&(n=e,e=""),e=e?t+"__"+e:t,""+e+i(e,n)}}n.d(e,"a",(function(){return _}));var r=n("a142"),a=/-(\w)/g;function s(t){return t.replace(a,(function(t,e){return e.toUpperCase()}))}var l={methods:{slots:function(t,e){void 0===t&&(t="default");var n=this.$slots,i=this.$scopedSlots,o=i[t];return o?o(e):n[t]}}},c=n("8bbf"),u=n.n(c);function h(t){var e=this.name;t.component(e,this),t.component(s("-"+e),this)}function d(t){var e=t.scopedSlots||t.data.scopedSlots||{},n=t.slots();return Object.keys(n).forEach((function(t){e[t]||(e[t]=function(){return n[t]})})),e}function f(t){return{functional:!0,props:t.props,model:t.model,render:function(e,n){return t(e,n.props,d(n),n)}}}function A(t){return function(e){return Object(r["d"])(e)&&(e=f(e)),e.functional||(e.mixins=e.mixins||[],e.mixins.push(l)),e.name=t,e.install=h,e}}var p=Object.prototype.hasOwnProperty;function g(t,e,n){var i=e[n];Object(r["c"])(i)&&(p.call(t,n)&&Object(r["e"])(i)?t[n]=v(Object(t[n]),e[n]):t[n]=i)}function v(t,e){return Object.keys(e).forEach((function(n){g(t,e,n)})),t}var m={name:"姓名",tel:"电话",save:"保存",confirm:"确认",cancel:"取消",delete:"删除",complete:"完成",loading:"加载中...",telEmpty:"请填写电话",nameEmpty:"请填写姓名",nameInvalid:"请输入正确的姓名",confirmDelete:"确定要删除吗",telInvalid:"请输入正确的手机号",vanCalendar:{end:"结束",start:"开始",title:"日期选择",confirm:"确定",startEnd:"开始/结束",weekdays:["日","一","二","三","四","五","六"],monthTitle:function(t,e){return t+"年"+e+"月"},rangePrompt:function(t){return"选择天数不能超过 "+t+" 天"}},vanCascader:{select:"请选择"},vanContactCard:{addText:"添加联系人"},vanContactList:{addText:"新建联系人"},vanPagination:{prev:"上一页",next:"下一页"},vanPullRefresh:{pulling:"下拉即可刷新...",loosing:"释放即可刷新..."},vanSubmitBar:{label:"合计:"},vanCoupon:{unlimited:"无使用门槛",discount:function(t){return t+"折"},condition:function(t){return"满"+t+"元可用"}},vanCouponCell:{title:"优惠券",tips:"暂无可用",count:function(t){return t+"张可用"}},vanCouponList:{empty:"暂无优惠券",exchange:"兑换",close:"不使用优惠券",enable:"可用",disabled:"不可用",placeholder:"请输入优惠码"},vanAddressEdit:{area:"地区",postal:"邮政编码",areaEmpty:"请选择地区",addressEmpty:"请填写详细地址",postalEmpty:"邮政编码格式不正确",defaultAddress:"设为默认收货地址",telPlaceholder:"收货人手机号",namePlaceholder:"收货人姓名",areaPlaceholder:"选择省 / 市 / 区"},vanAddressEditDetail:{label:"详细地址",placeholder:"街道门牌、楼层房间号等信息"},vanAddressList:{add:"新增地址"}},y=u.a.prototype,b=u.a.util.defineReactive;b(y,"$vantLang","zh-CN"),b(y,"$vantMessages",{"zh-CN":m});var w={messages:function(){return y.$vantMessages[y.$vantLang]},use:function(t,e){var n;y.$vantLang=t,this.add((n={},n[t]=e,n))},add:function(t){void 0===t&&(t={}),v(y.$vantMessages,t)}};function E(t){var e=s(t)+".";return function(t){for(var n=w.messages(),i=Object(r["a"])(n,e+t)||Object(r["a"])(n,t),o=arguments.length,a=new Array(o>1?o-1:0),s=1;s<o;s++)a[s-1]=arguments[s];return Object(r["d"])(i)?i.apply(void 0,a):i}}function _(t){return t="van-"+t,[A(t),o(t),E(t)]}},d29d:function(t,e,n){"use strict";function i(t){return/^\d+(\.\d+)?$/.test(t)}function o(t){return Number.isNaN?Number.isNaN(t):t!==t}e.__esModule=!0,e.isNumeric=i,e.isNaN=o},d2c8:function(t,e,n){var i=n("aae3"),o=n("be13");t.exports=function(t,e,n){if(i(e))throw TypeError("String#"+n+" doesn't accept regex!");return String(o(t))}},d2d5:function(t,e,n){n("1654"),n("549b"),t.exports=n("584a").Array.from},d31c:function(t,e,n){var i=n("b041");e=t.exports=n("2350")(!1),e.push([t.i,"@-webkit-keyframes rotating{0%{transform:rotate(0deg)}to{transform:rotate(1turn)}}@keyframes rotating{0%{transform:rotate(0deg)}to{transform:rotate(1turn)}}.bg-music-wrapper,.bg-music-wrapper .bg-music-btn{right:0;top:0;position:absolute;z-index:200;width:30px;height:30px}.bg-music-wrapper .bg-music-btn{border-radius:15px;background-image:url("+i(n("7298"))+");background-size:contain;background-repeat:no-repeat}.bg-music-wrapper .bg-music-btn.rotate{-webkit-animation:rotating 1.2s linear infinite;animation:rotating 1.2s linear infinite}",""])},d3ab:function(t,e,n){var i=n("7674");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("49226a74",i,!0,{sourceMap:!1,shadowMode:!1})},d3f4:function(t,e){t.exports=function(t){return"object"===typeof t?null!==t:"function"===typeof t}},d53b:function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},d6d3:function(t,e,n){!function(e,i){t.exports=i(n("3d33"))}(0,(function(t){return function(t){function e(i){if(n[i])return n[i].exports;var o=n[i]={i:i,l:!1,exports:{}};return t[i].call(o.exports,o,o.exports,e),o.l=!0,o.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,i){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:i})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=3)}([function(e,n){e.exports=t},function(t,e,n){"use strict";function i(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}Object.defineProperty(e,"__esModule",{value:!0});var o=n(0),r=function(t){return t&&t.__esModule?t:{default:t}}(o),a=window.videojs||r.default;"function"!=typeof Object.assign&&Object.defineProperty(Object,"assign",{value:function(t,e){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var n=Object(t),i=1;i<arguments.length;i++){var o=arguments[i];if(null!=o)for(var r in o)Object.prototype.hasOwnProperty.call(o,r)&&(n[r]=o[r])}return n},writable:!0,configurable:!0});var s=["loadeddata","canplay","canplaythrough","play","pause","waiting","playing","ended","error"];e.default={name:"video-player",props:{start:{type:Number,default:0},crossOrigin:{type:String,default:""},playsinline:{type:Boolean,default:!1},customEventName:{type:String,default:"statechanged"},options:{type:Object,required:!0},events:{type:Array,default:function(){return[]}},globalOptions:{type:Object,default:function(){return{controls:!0,controlBar:{remainingTimeDisplay:!1,playToggle:{},progressControl:{},fullscreenToggle:{},volumeMenuButton:{inline:!1,vertical:!0}},techOrder:["html5"],plugins:{}}}},globalEvents:{type:Array,default:function(){return[]}}},data:function(){return{player:null,reseted:!0}},mounted:function(){this.player||this.initialize()},beforeDestroy:function(){this.player&&this.dispose()},methods:{initialize:function(){var t=this,e=Object.assign({},this.globalOptions,this.options);this.playsinline&&(this.$refs.video.setAttribute("playsinline",this.playsinline),this.$refs.video.setAttribute("webkit-playsinline",this.playsinline),this.$refs.video.setAttribute("x5-playsinline",this.playsinline),this.$refs.video.setAttribute("x5-video-player-type","h5"),this.$refs.video.setAttribute("x5-video-player-fullscreen",!1)),""!==this.crossOrigin&&(this.$refs.video.crossOrigin=this.crossOrigin,this.$refs.video.setAttribute("crossOrigin",this.crossOrigin));var n=function(e,n){e&&t.$emit(e,t.player),n&&t.$emit(t.customEventName,i({},e,n))};e.plugins&&delete e.plugins.__ob__;var o=this;this.player=a(this.$refs.video,e,(function(){for(var t=this,e=s.concat(o.events).concat(o.globalEvents),i={},r=0;r<e.length;r++)"string"==typeof e[r]&&void 0===i[e[r]]&&function(e){i[e]=null,t.on(e,(function(){n(e,!0)}))}(e[r]);this.on("timeupdate",(function(){n("timeupdate",this.currentTime())})),o.$emit("ready",this)}))},dispose:function(t){var e=this;this.player&&this.player.dispose&&("Flash"!==this.player.techName_&&this.player.pause&&this.player.pause(),this.player.dispose(),this.player=null,this.$nextTick((function(){e.reseted=!1,e.$nextTick((function(){e.reseted=!0,e.$nextTick((function(){t&&t()}))}))})))}},watch:{options:{deep:!0,handler:function(t,e){var n=this;this.dispose((function(){t&&t.sources&&t.sources.length&&n.initialize()}))}}}}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),o=n.n(i);for(var r in i)["default","default"].indexOf(r)<0&&function(t){n.d(e,t,(function(){return i[t]}))}(r);var a=n(5),s=n(4),l=s(o.a,a.a,!1,null,null,null);e.default=l.exports},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0}),e.install=e.videoPlayer=e.videojs=void 0;var o=n(0),r=i(o),a=n(2),s=i(a),l=window.videojs||r.default,c=function(t,e){e&&(e.options&&(s.default.props.globalOptions.default=function(){return e.options}),e.events&&(s.default.props.globalEvents.default=function(){return e.events})),t.component(s.default.name,s.default)},u={videojs:l,videoPlayer:s.default,install:c};e.default=u,e.videojs=l,e.videoPlayer=s.default,e.install=c},function(t,e){t.exports=function(t,e,n,i,o,r){var a,s=t=t||{},l=typeof t.default;"object"!==l&&"function"!==l||(a=t,s=t.default);var c,u="function"==typeof s?s.options:s;if(e&&(u.render=e.render,u.staticRenderFns=e.staticRenderFns,u._compiled=!0),n&&(u.functional=!0),o&&(u._scopeId=o),r?(c=function(t){t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext,t||"undefined"==typeof __VUE_SSR_CONTEXT__||(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(r)},u._ssrRegister=c):i&&(c=i),c){var h=u.functional,d=h?u.render:u.beforeCreate;h?(u._injectStyles=c,u.render=function(t,e){return c.call(e),d(t,e)}):u.beforeCreate=d?[].concat(d,c):[c]}return{esModule:a,exports:s,options:u}}},function(t,e,n){"use strict";var i=function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.reseted?n("div",{staticClass:"video-player"},[n("video",{ref:"video",staticClass:"video-js"})]):t._e()},o=[],r={render:i,staticRenderFns:o};e.a=r}])}))},d864:function(t,e,n){var i=n("79aa");t.exports=function(t,e,n){if(i(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,i){return t.call(e,n,i)};case 3:return function(n,i,o){return t.call(e,n,i,o)}}return function(){return t.apply(e,arguments)}}},d8d6:function(t,e,n){n("1654"),n("6c1c"),t.exports=n("ccb9").f("iterator")},d8e8:function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},d916:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'.bsth-line-item-label{display:inline-block;overflow:hidden;line-height:39px;white-space:nowrap;text-align:right;vertical-align:middle}.bsth-line-item-label label{position:relative}.bsth-line-item-label>label{font-size:12px;color:rgba(0,0,0,.85);white-space:normal;display:inline-block;text-align:center;line-height:12px}.bsth-line-item-label>label:after{content:":";position:relative;top:-.5px;margin:0 8px 0 2px}.bsth-line-item-divider{text-align:center;line-height:0;background:#00f;margin-left:-20px;margin-right:-70px}.bsth-line-item-divider:after{content:attr(data-label);font-weight:700;font-size:14px;background:#fff;z-index:2;padding-left:5px;padding-right:5px}',""])},d925:function(t,e,n){"use strict";t.exports=function(t){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(t)}},d980:function(t,e,n){t.exports=n.p+"img/lbp-picture-placeholder.aa9bb3d3.png"},d992:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,".van-rate{display:-webkit-inline-box;display:-webkit-inline-flex;display:inline-flex;cursor:pointer;-webkit-user-select:none;user-select:none}.van-rate__item{position:relative}.van-rate__item:not(:last-child){padding-right:4px}.van-rate__icon{display:block;width:1em;color:#c8c9cc;font-size:20px}.van-rate__icon--half{position:absolute;top:0;left:0;width:.5em;overflow:hidden}.van-rate__icon--full{color:#ee0a24}.van-rate__icon--disabled{color:#c8c9cc}.van-rate--disabled{cursor:not-allowed}.van-rate--readonly{cursor:default}",""])},d9c7:function(t,e,n){"use strict";e.__esModule=!0,e.SlotsMixin=void 0;var i={methods:{slots:function(t,e){void 0===t&&(t="default");var n=this.$slots,i=this.$scopedSlots,o=i[t];return o?o(e):n[t]}}};e.SlotsMixin=i},d9f6:function(t,e,n){var i=n("e4ae"),o=n("794b"),r=n("1bc3"),a=Object.defineProperty;e.f=n("8e60")?Object.defineProperty:function(t,e,n){if(i(t),e=r(e,!0),i(n),o)try{return a(t,e,n)}catch(s){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},dbdb:function(t,e,n){var i=n("584a"),o=n("e53d"),r="__core-js_shared__",a=o[r]||(o[r]={});(t.exports=function(t,e){return a[t]||(a[t]=void 0!==e?e:{})})("versions",[]).push({version:i.version,mode:n("b8e3")?"pure":"global",copyright:"© 2020 Denis Pushkarev (zloirock.ru)"})},dc8a:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.inherit=l,e.emit=c,e.mount=u;var o=i(n("a559")),r=i(n("8bbf")),a=["ref","key","style","class","attrs","refInFor","nativeOn","directives","staticClass","staticStyle"],s={nativeOn:"on"};function l(t,e){var n=a.reduce((function(e,n){return t.data[n]&&(e[s[n]||n]=t.data[n]),e}),{});return e&&(n.on=n.on||{},(0,o.default)(n.on,t.data.on)),n}function c(t,e){for(var n=arguments.length,i=new Array(n>2?n-2:0),o=2;o<n;o++)i[o-2]=arguments[o];var r=t.listeners[e];r&&(Array.isArray(r)?r.forEach((function(t){t.apply(void 0,i)})):r.apply(void 0,i))}function u(t,e){var n=new r.default({el:document.createElement("div"),props:t.props,render:function(n){return n(t,(0,o.default)({props:this.$props},e))}});return document.body.appendChild(n.$el),n}},dda8:function(t,e,n){"use strict";e.__esModule=!0,e.CloseOnPopstateMixin=void 0;var i=n("18d0"),o=n("fc4d"),r={mixins:[(0,o.BindEventMixin)((function(t,e){this.handlePopstate(e&&this.closeOnPopstate)}))],props:{closeOnPopstate:Boolean},data:function(){return{bindStatus:!1}},watch:{closeOnPopstate:function(t){this.handlePopstate(t)}},methods:{onPopstate:function(){this.close(),this.shouldReopen=!1},handlePopstate:function(t){if(!this.$isServer&&this.bindStatus!==t){this.bindStatus=t;var e=t?i.on:i.off;e(window,"popstate",this.onPopstate)}}}};e.CloseOnPopstateMixin=r},ddfb:function(t,e,n){t.exports=n.p+"fonts/VideoJS.46ac6629.eot"},e11e:function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},e265:function(t,e,n){t.exports=n("ed33")},e335:function(t,e,n){n("a29f"),n("0607"),n("949e"),n("460f")},e4a9:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.createI18N=s;var o=n("e5f6"),r=n("ca48"),a=i(n("6328"));function s(t){var e=(0,r.camelize)(t)+".";return function(t){for(var n=a.default.messages(),i=(0,o.get)(n,e+t)||(0,o.get)(n,t),r=arguments.length,s=new Array(r>1?r-1:0),l=1;l<r;l++)s[l-1]=arguments[l];return(0,o.isFunction)(i)?i.apply(void 0,s):i}}},e4ae:function(t,e,n){var i=n("f772");t.exports=function(t){if(!i(t))throw TypeError(t+" is not an object!");return t}},e53d:function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},e5f6:function(t,e,n){"use strict";var i=n("4ea4");e.__esModule=!0,e.noop=c,e.isDef=u,e.isFunction=h,e.isObject=d,e.isPromise=f,e.get=A,e.isEmpty=p,e.isServer=e.inBrowser=e.addUnit=e.createNamespace=void 0;var o=i(n("8bbf")),r=n("818e");e.createNamespace=r.createNamespace;var a=n("1182");e.addUnit=a.addUnit;var s="undefined"!==typeof window;e.inBrowser=s;var l=o.default.prototype.$isServer;function c(){}function u(t){return void 0!==t&&null!==t}function h(t){return"function"===typeof t}function d(t){return null!==t&&"object"===typeof t}function f(t){return d(t)&&h(t.then)&&h(t.catch)}function A(t,e){var n=e.split("."),i=t;return n.forEach((function(t){var e;i=null!=(e=i[t])?e:""})),i}function p(t){return null==t||("object"!==typeof t||0===Object.keys(t).length)}e.isServer=l},e683:function(t,e,n){"use strict";t.exports=function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}},e6f3:function(t,e,n){var i=n("07e3"),o=n("36c3"),r=n("5b4e")(!1),a=n("5559")("IE_PROTO");t.exports=function(t,e){var n,s=o(t),l=0,c=[];for(n in s)n!=a&&i(s,n)&&c.push(n);while(e.length>l)i(s,n=e[l++])&&(~r(c,n)||c.push(n));return c}},e853:function(t,e,n){var i=n("d3f4"),o=n("1169"),r=n("2b4c")("species");t.exports=function(t){var e;return o(t)&&(e=t.constructor,"function"!=typeof e||e!==Array&&!o(e.prototype)||(e=void 0),i(e)&&(e=e[r],null===e&&(e=void 0))),void 0===e?Array:e}},e8a2:function(t,e,n){"use strict";e.__esModule=!0,e.PopupMixin=d,e.popupMixinProps=void 0;var i=n("b778"),o=n("bfbf"),r=n("18d0"),a=n("f83e"),s=n("742b"),l=n("fa5c"),c=n("5329"),u=n("dda8"),h={transitionAppear:Boolean,value:Boolean,overlay:Boolean,overlayStyle:Object,overlayClass:String,closeOnClickOverlay:Boolean,zIndex:[Number,String],lockScroll:{type:Boolean,default:!0},lazyRender:{type:Boolean,default:!0}};function d(t){return void 0===t&&(t={}),{mixins:[l.TouchMixin,u.CloseOnPopstateMixin,(0,c.PortalMixin)({afterPortal:function(){this.overlay&&(0,o.updateOverlay)()}})],provide:function(){return{vanPopup:this}},props:h,data:function(){return this.onReopenCallback=[],{inited:this.value}},computed:{shouldRender:function(){return this.inited||!this.lazyRender}},watch:{value:function(e){var n=e?"open":"close";this.inited=this.inited||this.value,this[n](),t.skipToggleEvent||this.$emit(n)},overlay:"renderOverlay"},mounted:function(){this.value&&this.open()},activated:function(){this.shouldReopen&&(this.$emit("input",!0),this.shouldReopen=!1)},beforeDestroy:function(){(0,o.removeOverlay)(this),this.opened&&this.removeLock(),this.getContainer&&(0,a.removeNode)(this.$el)},deactivated:function(){this.value&&(this.close(),this.shouldReopen=!0)},methods:{open:function(){this.$isServer||this.opened||(void 0!==this.zIndex&&(i.context.zIndex=this.zIndex),this.opened=!0,this.renderOverlay(),this.addLock(),this.onReopenCallback.forEach((function(t){t()})))},addLock:function(){this.lockScroll&&((0,r.on)(document,"touchstart",this.touchStart),(0,r.on)(document,"touchmove",this.onTouchMove),i.context.lockCount||document.body.classList.add("van-overflow-hidden"),i.context.lockCount++)},removeLock:function(){this.lockScroll&&i.context.lockCount&&(i.context.lockCount--,(0,r.off)(document,"touchstart",this.touchStart),(0,r.off)(document,"touchmove",this.onTouchMove),i.context.lockCount||document.body.classList.remove("van-overflow-hidden"))},close:function(){this.opened&&((0,o.closeOverlay)(this),this.opened=!1,this.removeLock(),this.$emit("input",!1))},onTouchMove:function(t){this.touchMove(t);var e=this.deltaY>0?"10":"01",n=(0,s.getScroller)(t.target,this.$el),i=n.scrollHeight,o=n.offsetHeight,a=n.scrollTop,l="11";0===a?l=o>=i?"00":"01":a+o>=i&&(l="10"),"11"===l||"vertical"!==this.direction||parseInt(l,2)&parseInt(e,2)||(0,r.preventDefault)(t,!0)},renderOverlay:function(){var t=this;!this.$isServer&&this.value&&this.$nextTick((function(){t.updateZIndex(t.overlay?1:0),t.overlay?(0,o.openOverlay)(t,{zIndex:i.context.zIndex++,duration:t.duration,className:t.overlayClass,customStyle:t.overlayStyle}):(0,o.closeOverlay)(t)}))},updateZIndex:function(t){void 0===t&&(t=0),this.$el.style.zIndex=++i.context.zIndex+t},onReopen:function(t){this.onReopenCallback.push(t)}}}}e.popupMixinProps=h},ea8e:function(t,e,n){"use strict";n.d(e,"a",(function(){return r}));var i=n("a142");function o(t){return/^\d+(\.\d+)?$/.test(t)}function r(t){if(Object(i["c"])(t))return t=String(t),o(t)?t+"px":t}},ebd6:function(t,e,n){var i=n("cb7c"),o=n("d8e8"),r=n("2b4c")("species");t.exports=function(t,e){var n,a=i(t).constructor;return void 0===a||void 0==(n=i(a)[r])?e:o(n)}},ebfd:function(t,e,n){var i=n("62a0")("meta"),o=n("f772"),r=n("07e3"),a=n("d9f6").f,s=0,l=Object.isExtensible||function(){return!0},c=!n("294c")((function(){return l(Object.preventExtensions({}))})),u=function(t){a(t,i,{value:{i:"O"+ ++s,w:{}}})},h=function(t,e){if(!o(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!r(t,i)){if(!l(t))return"F";if(!e)return"E";u(t)}return t[i].i},d=function(t,e){if(!r(t,i)){if(!l(t))return!0;if(!e)return!1;u(t)}return t[i].w},f=function(t){return c&&A.NEED&&l(t)&&!r(t,i)&&u(t),t},A=t.exports={KEY:i,NEED:!1,fastKey:h,getWeak:d,onFreeze:f}},ed33:function(t,e,n){n("014b"),t.exports=n("584a").Object.getOwnPropertySymbols},eec7:function(t,e,n){"use strict";var i=n("be09"),o=n("8362"),r=n("6444"),a=n("53a8");function s(t,e){for(var n=0;n<t.length;n++)e(t[n])}function l(t){for(var e in t)if(t.hasOwnProperty(e))return!1;return!0}function c(t,e,n){var i=t;return o(e)?(n=e,"string"===typeof t&&(i={uri:t})):i=a(e,{uri:t}),i.callback=n,i}function u(t,e,n){return e=c(t,e,n),h(e)}function h(t){if("undefined"===typeof t.callback)throw new Error("callback argument missing");var e=!1,n=function(n,i,o){e||(e=!0,t.callback(n,i,o))};function i(){4===f.readyState&&setTimeout(s,0)}function o(){var t=void 0;if(t=f.response?f.response:f.responseText||d(f),b)try{t=JSON.parse(t)}catch(e){}return t}function a(t){return clearTimeout(A),t instanceof Error||(t=new Error(""+(t||"Unknown XMLHttpRequest Error"))),t.statusCode=0,n(t,w)}function s(){if(!h){var e;clearTimeout(A),e=t.useXDR&&void 0===f.status?200:1223===f.status?204:f.status;var i=w,a=null;return 0!==e?(i={body:o(),statusCode:e,method:g,headers:{},url:p,rawRequest:f},f.getAllResponseHeaders&&(i.headers=r(f.getAllResponseHeaders()))):a=new Error("Internal XMLHttpRequest Error"),n(a,i,i.body)}}var c,h,f=t.xhr||null;f||(f=t.cors||t.useXDR?new u.XDomainRequest:new u.XMLHttpRequest);var A,p=f.url=t.uri||t.url,g=f.method=t.method||"GET",v=t.body||t.data,m=f.headers=t.headers||{},y=!!t.sync,b=!1,w={body:void 0,headers:{},statusCode:0,method:g,url:p,rawRequest:f};if("json"in t&&!1!==t.json&&(b=!0,m["accept"]||m["Accept"]||(m["Accept"]="application/json"),"GET"!==g&&"HEAD"!==g&&(m["content-type"]||m["Content-Type"]||(m["Content-Type"]="application/json"),v=JSON.stringify(!0===t.json?v:t.json))),f.onreadystatechange=i,f.onload=s,f.onerror=a,f.onprogress=function(){},f.onabort=function(){h=!0},f.ontimeout=a,f.open(g,p,!y,t.username,t.password),y||(f.withCredentials=!!t.withCredentials),!y&&t.timeout>0&&(A=setTimeout((function(){if(!h){h=!0,f.abort("timeout");var t=new Error("XMLHttpRequest timeout");t.code="ETIMEDOUT",a(t)}}),t.timeout)),f.setRequestHeader)for(c in m)m.hasOwnProperty(c)&&f.setRequestHeader(c,m[c]);else if(t.headers&&!l(t.headers))throw new Error("Headers cannot be set on an XDomainRequest object");return"responseType"in t&&(f.responseType=t.responseType),"beforeSend"in t&&"function"===typeof t.beforeSend&&t.beforeSend(f),f.send(v||null),f}function d(t){if("document"===t.responseType)return t.responseXML;var e=t.responseXML&&"parsererror"===t.responseXML.documentElement.nodeName;return""!==t.responseType||e?null:t.responseXML}function f(){}t.exports=u,u.XMLHttpRequest=i.XMLHttpRequest||f,u.XDomainRequest="withCredentials"in new u.XMLHttpRequest?u.XMLHttpRequest:i.XDomainRequest,s(["get","put","post","patch","head","delete"],(function(t){u["delete"===t?"del":t]=function(e,n,i){return n=c(e,n,i),n.method=t.toUpperCase(),h(n)}}))},ef34:function(t,e,n){(function(e){var i,o="undefined"!==typeof e?e:"undefined"!==typeof window?window:{},r=n(0);"undefined"!==typeof document?i=document:(i=o["__GLOBAL_DOCUMENT_CACHE@4"],i||(i=o["__GLOBAL_DOCUMENT_CACHE@4"]=r)),t.exports=i}).call(this,n("c8ba"))},f01b:function(t,e,n){var i=n("ad81");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("e63ddc14",i,!0,{sourceMap:!1,shadowMode:!1})},f130:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'html{-webkit-tap-highlight-color:transparent}body{margin:0;font-family:-apple-system,BlinkMacSystemFont,Helvetica Neue,Helvetica,Segoe UI,Arial,Roboto,PingFang SC,miui,Hiragino Sans GB,Microsoft Yahei,sans-serif}a{text-decoration:none}button,input,textarea{color:inherit;font:inherit}[class*=van-]:focus,a:focus,button:focus,input:focus,textarea:focus{outline:0}ol,ul{margin:0;padding:0;list-style:none}.van-ellipsis{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.van-multi-ellipsis--l2{-webkit-line-clamp:2}.van-multi-ellipsis--l2,.van-multi-ellipsis--l3{display:-webkit-box;overflow:hidden;text-overflow:ellipsis;-webkit-box-orient:vertical}.van-multi-ellipsis--l3{-webkit-line-clamp:3}.van-clearfix:after{display:table;clear:both;content:""}[class*=van-hairline]:after{position:absolute;box-sizing:border-box;content:" ";pointer-events:none;top:-50%;right:-50%;bottom:-50%;left:-50%;border:0 solid #ebedf0;-webkit-transform:scale(.5);transform:scale(.5)}.van-hairline,.van-hairline--bottom,.van-hairline--left,.van-hairline--right,.van-hairline--surround,.van-hairline--top,.van-hairline--top-bottom{position:relative}.van-hairline--top:after{border-top-width:1px}.van-hairline--left:after{border-left-width:1px}.van-hairline--right:after{border-right-width:1px}.van-hairline--bottom:after{border-bottom-width:1px}.van-hairline--top-bottom:after,.van-hairline-unset--top-bottom:after{border-width:1px 0}.van-hairline--surround:after{border-width:1px}@-webkit-keyframes van-slide-up-enter{0%{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@keyframes van-slide-up-enter{0%{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@-webkit-keyframes van-slide-up-leave{to{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@keyframes van-slide-up-leave{to{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@-webkit-keyframes van-slide-down-enter{0%{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@keyframes van-slide-down-enter{0%{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@-webkit-keyframes van-slide-down-leave{to{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@keyframes van-slide-down-leave{to{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@-webkit-keyframes van-slide-left-enter{0%{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@keyframes van-slide-left-enter{0%{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@-webkit-keyframes van-slide-left-leave{to{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@keyframes van-slide-left-leave{to{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@-webkit-keyframes van-slide-right-enter{0%{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@keyframes van-slide-right-enter{0%{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@-webkit-keyframes van-slide-right-leave{to{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@keyframes van-slide-right-leave{to{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@-webkit-keyframes van-fade-in{0%{opacity:0}to{opacity:1}}@keyframes van-fade-in{0%{opacity:0}to{opacity:1}}@-webkit-keyframes van-fade-out{0%{opacity:1}to{opacity:0}}@keyframes van-fade-out{0%{opacity:1}to{opacity:0}}@-webkit-keyframes van-rotate{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes van-rotate{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}.van-fade-enter-active{-webkit-animation:van-fade-in .3s ease-out both;animation:van-fade-in .3s ease-out both}.van-fade-leave-active{-webkit-animation:van-fade-out .3s ease-in both;animation:van-fade-out .3s ease-in both}.van-slide-up-enter-active{-webkit-animation:van-slide-up-enter .3s ease-out both;animation:van-slide-up-enter .3s ease-out both}.van-slide-up-leave-active{-webkit-animation:van-slide-up-leave .3s ease-in both;animation:van-slide-up-leave .3s ease-in both}.van-slide-down-enter-active{-webkit-animation:van-slide-down-enter .3s ease-out both;animation:van-slide-down-enter .3s ease-out both}.van-slide-down-leave-active{-webkit-animation:van-slide-down-leave .3s ease-in both;animation:van-slide-down-leave .3s ease-in both}.van-slide-left-enter-active{-webkit-animation:van-slide-left-enter .3s ease-out both;animation:van-slide-left-enter .3s ease-out both}.van-slide-left-leave-active{-webkit-animation:van-slide-left-leave .3s ease-in both;animation:van-slide-left-leave .3s ease-in both}.van-slide-right-enter-active{-webkit-animation:van-slide-right-enter .3s ease-out both;animation:van-slide-right-enter .3s ease-out both}.van-slide-right-leave-active{-webkit-animation:van-slide-right-leave .3s ease-in both;animation:van-slide-right-leave .3s ease-in both}',""])},f1ae:function(t,e,n){"use strict";var i=n("86cc"),o=n("4630");t.exports=function(t,e,n){e in t?i.f(t,e,o(0,n)):t[e]=n}},f251:function(t,e,n){var i=n("67dd");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("6b37bac0",i,!0,{sourceMap:!1,shadowMode:!1})},f410:function(t,e,n){n("1af6"),t.exports=n("584a").Array.isArray},f6b4:function(t,e,n){"use strict";var i=n("c532");function o(){this.handlers=[]}o.prototype.use=function(t,e){return this.handlers.push({fulfilled:t,rejected:e}),this.handlers.length-1},o.prototype.eject=function(t){this.handlers[t]&&(this.handlers[t]=null)},o.prototype.forEach=function(t){i.forEach(this.handlers,(function(e){null!==e&&t(e)}))},t.exports=o},f772:function(t,e){t.exports=function(t){return"object"===typeof t?null!==t:"function"===typeof t}},f83e:function(t,e,n){"use strict";function i(t){var e=t.parentNode;e&&e.removeChild(t)}e.__esModule=!0,e.removeNode=i},f921:function(t,e,n){n("014b"),n("c207"),n("69d3"),n("765d"),t.exports=n("584a").Symbol},f97d:function(t,e){var n={"":!0,up:!0};function i(t){if("string"!==typeof t)return!1;var e=n[t.toLowerCase()];return!!e&&t.toLowerCase()}function o(t){return"number"===typeof t&&t>=0&&t<=100}function r(){var t=100,e=3,n=0,r=100,a=0,s=100,l="";Object.defineProperties(this,{width:{enumerable:!0,get:function(){return t},set:function(e){if(!o(e))throw new Error("Width must be between 0 and 100.");t=e}},lines:{enumerable:!0,get:function(){return e},set:function(t){if("number"!==typeof t)throw new TypeError("Lines must be set to a number.");e=t}},regionAnchorY:{enumerable:!0,get:function(){return r},set:function(t){if(!o(t))throw new Error("RegionAnchorX must be between 0 and 100.");r=t}},regionAnchorX:{enumerable:!0,get:function(){return n},set:function(t){if(!o(t))throw new Error("RegionAnchorY must be between 0 and 100.");n=t}},viewportAnchorY:{enumerable:!0,get:function(){return s},set:function(t){if(!o(t))throw new Error("ViewportAnchorY must be between 0 and 100.");s=t}},viewportAnchorX:{enumerable:!0,get:function(){return a},set:function(t){if(!o(t))throw new Error("ViewportAnchorX must be between 0 and 100.");a=t}},scroll:{enumerable:!0,get:function(){return l},set:function(t){var e=i(t);if(!1===e)throw new SyntaxError("An invalid or illegal string was specified.");l=e}}})}t.exports=r},fa5b:function(t,e,n){t.exports=n("5537")("native-function-to-string",Function.toString)},fa5c:function(t,e,n){"use strict";e.__esModule=!0,e.TouchMixin=void 0;var i=n("18d0"),o=10;function r(t,e){return t>e&&t>o?"horizontal":e>t&&e>o?"vertical":""}var a={data:function(){return{direction:""}},methods:{touchStart:function(t){this.resetTouchStatus(),this.startX=t.touches[0].clientX,this.startY=t.touches[0].clientY},touchMove:function(t){var e=t.touches[0];this.deltaX=e.clientX<0?0:e.clientX-this.startX,this.deltaY=e.clientY-this.startY,this.offsetX=Math.abs(this.deltaX),this.offsetY=Math.abs(this.deltaY),this.direction=this.direction||r(this.offsetX,this.offsetY)},resetTouchStatus:function(){this.direction="",this.deltaX=0,this.deltaY=0,this.offsetX=0,this.offsetY=0},bindTouchEvent:function(t){var e=this.onTouchStart,n=this.onTouchMove,o=this.onTouchEnd;(0,i.on)(t,"touchstart",e),(0,i.on)(t,"touchmove",n),o&&((0,i.on)(t,"touchend",o),(0,i.on)(t,"touchcancel",o))}}};e.TouchMixin=a},fab2:function(t,e,n){var i=n("7726").document;t.exports=i&&i.documentElement},fb15:function(t,e,n){"use strict";var i;(n.r(e),"undefined"!==typeof window)&&((i=window.document.currentScript)&&(i=i.src.match(/(.+\/)[^/]+\.js(\?.*)?$/))&&(n.p=i[1]));n("ac6a"),n("386d"),n("75ab");var o=n("8bbf"),r=n.n(o),a=(n("8e6e"),n("cadf"),n("456d"),n("c5f6"),n("85f2")),s=n.n(a);function l(t,e,n){return e in t?s()(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var c=n("e265"),u=n.n(c),h=n("a4bb"),d=n.n(h);function f(t,e){if(null==t)return{};var n,i,o={},r=d()(t);for(i=0;i<r.length;i++)n=r[i],e.indexOf(n)>=0||(o[n]=t[n]);return o}function A(t,e){if(null==t)return{};var n,i,o=f(t,e);if(u.a){var r=u()(t);for(i=0;i<r.length;i++)n=r[i],e.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(t,n)&&(o[n]=t[n])}return o}var p=["label","defaultValue","props","visible"],g=["label","defaultValue","visible"],v=["label","defaultValue","layout","visible"],m=["label","defaultValue","props","visible"],y=["label","defaultValue","component","props","extra","visible"],b=["label","defaultValue","visible"],w=["label","defaultValue","visible"],E=["label","defaultValue","layout","visible"],_=["valueType","label","defaultValue","visible","options"];function B(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function x(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?B(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):B(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var C={},k={labelCol:{span:24},wrapperCol:{span:24,offset:0}},j={boolean:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"开关":e,i=t.defaultValue,o=void 0!==i&&i,r=t.props,a=void 0===r?{}:r,s=t.visible,l=void 0===s||s,c=A(t,p);return{type:Boolean,default:o,visible:l,editor:x({type:"a-switch",label:n,props:a},c)}},required:{type:Boolean,default:!1},vertical:{type:Boolean,default:!1},color:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"文字颜色":e,i=t.defaultValue,o=void 0===i?"#000000":i,r=t.visible,a=void 0===r||r,s=A(t,g);return{type:String,default:o,visible:a,editor:x({type:"el-color-picker",label:n,props:{size:"mini",showAlpha:!0},require:!0},s)}},colors:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"颜色面板":e,i=t.defaultValue,o=void 0===i?function(){return[]}:i,r=t.layout,a=void 0===r?k:r,s=t.visible,l=void 0===s||s,c=A(t,v);return{type:Array,default:o,visible:l,editor:x({type:"colors-panel",label:n,props:{size:"mini",showAlpha:!0},layout:a,require:!0},c)}},number:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"数值":e,i=t.defaultValue,o=void 0===i?10:i,r=t.props,a=void 0===r?C:r,s=t.visible,l=void 0===s||s,c=A(t,m);return{type:Number,default:o,visible:l,editor:x({type:"a-input-number",label:n,require:!0,props:a},c)}},string:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"按钮文字":e,i=t.defaultValue,o=void 0===i?"按钮":i,r=t.component,a=void 0===r?"a-input":r,s=t.props,l=void 0===s?{}:s,c=t.extra,u=t.visible,h=void 0===u||u,d=A(t,y);return{type:String,default:o,visible:h,editor:x({type:a,label:n,require:!0,props:l,extra:c},d)}},textAlign:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"文字对齐":e,i=t.defaultValue,o=void 0===i?"center":i,r=t.visible,a=void 0===r||r;return{type:String,default:o,visible:a,editor:{type:"lbs-text-align",label:n,require:!0}}},textOptions:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"选项列表":e,i=t.defaultValue,o=void 0===i?function(){return[{label:"label1",value:"value1"}]}:i,r=t.visible,a=void 0===r||r,s=A(t,b);return{type:Array,default:o,visible:a,editor:x({type:"lbs-props-text-enum-editor",label:n,require:!0},s)}},image:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"图片":e,i=t.defaultValue,o=void 0===i?"":i,r=t.visible,a=void 0===r||r,s=A(t,w);return{type:String,default:o,visible:a,editor:x({type:"lbs-image-gallery",label:n},s)}},excel:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"数据源":e,i=t.defaultValue,o=void 0===i?[]:i,r=t.layout,a=void 0===r?k:r,s=t.visible,l=void 0===s||s,c=A(t,E);return{type:Array,default:o,visible:l,editor:x({type:"lbs-excel-editor",label:n,layout:a},c)}},select:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.valueType,n=void 0===e?String:e,i=t.label,o=void 0===i?"选项":i,r=t.defaultValue,a=void 0===r?[]:r,s=t.visible,l=void 0===s||s,c=t.options,u=void 0===c?[]:c,h=A(t,_);return{type:n,default:a,visible:l,editor:x({type:"a-select",label:o,props:{options:u}},h)}}},I=(j.string(),j.boolean(),j.color({label:"背景色",defaultValue:"#ffffff"}),j.color(),j.number({label:"字号(px)",defaultValue:14}),j.number({label:"行高(px)",defaultValue:1}),j.number({label:"边框宽度(px)",defaultValue:1}),j.number({label:"圆角(px)",defaultValue:4}),j.color({label:"边框颜色",defaultValue:"#ced4da"}),j.textAlign(),n("d980")),D=n.n(I),F=(j.image(),n("ae16")),M=n.n(F),T=(n("a55b"),j.boolean({label:"disabled"}),j.boolean({label:"使用iframe"}),j.string({default:"",label:"iframe 地址",props:{type:"textarea",placeholder:"只有使用iframe打开的时候,这个才有效"},extra:function(t){return"「使用iframe」打开的时候,这个才有效;上传视频请忽略该配置"}}),n("c28b")),N=n.n(T),S=n("953d"),Q=(n("a753"),n("8096"),n("911b"),{directives:{clickOutside:N.a.directive},render:function(t){var e=this,n=this.canEdit&&"edit"===this.editorMode&&this.isEditingElement,i={position:"relative",color:"".concat(this.color," !important"),textDecoration:"none",backgroundColor:this.backgroundColor||"rgba(255, 255, 255, 0.2)",lineHeight:"".concat(this.lineHeight,"em"),border:"".concat(this.borderWidth,"px solid ").concat(this.borderColor),borderRadius:"".concat(this.borderRadius,"px")},o=t("div",{class:"ql-snow"},[t("div",{domProps:{innerHTML:this.text},class:"ql-editor ql-container"})]);return t("div",{on:{dblclick:function(t){e.canEdit=!0,t.stopPropagation()},mousedown:function(t){e.canEdit&&t.stopPropagation()},keydown:function(t){var e=t.keyCode||t.charCode;8!==e&&46!==e||t.stopPropagation()}},directives:[{name:"click-outside",value:function(t){e.canEdit=!1}}],style:i},[n?t(S["quillEditor"],{attrs:{content:this.text,options:{modules:{toolbar:[["bold","italic","underline","strike"],[{list:"ordered"},{list:"bullet"}],[{color:[]},{background:[]}],[{align:[]}],["clean"],[{header:[1,2,3,4,5,6,!1]}]]},theme:"snow"}},on:{change:function(t){t.quill;var n=t.html;t.text;e.$emit("input",{value:n,pluginName:"lbp-text"})}}}):o])},name:"lbp-text",data:function(){return{canEdit:!1,innerText:this.text||"双击修改文字"}},props:{backgroundColor:j.color({label:"背景色",defaultValue:"rgba(0, 0, 0, 0)"}),borderWidth:j.number({label:"边框宽度(px)",defaultValue:0}),borderRadius:j.number({label:"圆角(px)"}),borderColor:j.color({label:"边框颜色"}),text:j.string({label:"内容",defaultValue:"双击修改文字",visible:!1}),editorMode:j.string({defaultValue:"preview",label:"模式",visible:!1}),isEditingElement:j.boolean({defaultValue:!1,label:"是否当前元素",visible:!1})},editorConfig:{}}),Y=[{label:"文字",value:"text"},{label:"密码",value:"password"},{label:"日期",value:"date"},{label:"邮箱",value:"email"},{label:"手机号",value:"tel"}],O=(j.select({defaultValue:"text",label:"类型",options:Y}),j.string({defaultValue:"name",label:"name"}),j.boolean({label:"disabled"}),j.number({label:"字号(px)"}),j.string({defaultValue:"提示信息",label:"提示信息"}),j.color(),j.color({label:"背景色",defaultValue:"rgba(255, 255, 255, 0.2)"}),j.number({label:"边框宽度(px)",defaultValue:1}),j.number({label:"圆角(px)",defaultValue:0}),j.color({label:"边框颜色",defaultValue:"#ced4da"}),j.textAlign({defaultValue:"left"}),j.boolean(),j.number({label:"行高(px)",defaultValue:1}),n("6d29")),R=n.n(O),P=(n("c2d8"),j.string({defaultValue:"提交"}),j.boolean(),j.color({label:"背景色",defaultValue:"rgba(255, 255, 255, 0.2)"}),j.color(),j.number({label:"字号(px)",defaultValue:14}),j.number({label:"行高(px)",defaultValue:1}),j.number({label:"边框宽度(px)",defaultValue:1}),j.number({label:"圆角(px)",defaultValue:4}),j.color({label:"边框颜色",defaultValue:"#ced4da"}),j.textAlign(),j.boolean(),n("5c4b"),n("6b54"),320);function q(t){var e=Math.pow(10,6),n=t/(P/10)*e,i=Math.round(n)/e+"rem";return i}function U(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return e?q(t):"".concat(t,"px")}var L=function(){return Math.random().toString(36).substring(2,15)+Math.random().toString(36).substring(2,15)};function z(){return(65536*(1+Math.random())|0).toString(16).substring(1)}function H(){return z()+z()+"-"+z()+"-"+z()+"-"+z()+"-"+z()+z()+z()}var G={name:"lbp-form-radio",props:{value:{type:[String,Number],default:"选项值"},aliasName:{type:String,default:"标题演示"},type:{type:String,default:"radio"},checked:{type:Boolean,default:!1},onFocus:{type:Function,default:function(){}},onClick:{type:Function,default:function(){}},onBlur:{type:Function,default:function(){}},doChange:{type:Function,default:function(){}}},methods:{handleChange:function(t){this.disabled||this.$emit("change",t.target.value)}},render:function(){var t=arguments[0],e=this.aliasName,n=this.type,i=this.disabled,o=this.checked,r=this.value,a=+new Date+L();return t("div",{class:["lbp-"+this.type+"-wrapper","lbp-rc-wrapper"]},[t("span",{class:"tag"},[r]),t("input",{class:["lbp-"+this.type,"lbp-rc-input"],attrs:{name:e,id:a,type:n,disabled:i},ref:"input",domProps:{value:r,checked:!!o},on:{change:this.handleChange}}),t("label",{attrs:{for:a}})])}};function W(){var t=[{value:"选项A"},{value:"选项B"},{value:"选项C"}];return t}j.string({defaultValue:"标题演示",label:"填写标题"}),j.textOptions({label:"选项列表",defaultValue:function(){return W()}}),n("6762"),n("2fdb");function J(){var t=[{value:"选项A"},{value:"选项B"},{value:"选项C"}];return t}j.string({defaultValue:"标题演示",label:"填写标题"}),j.textOptions({label:"选项列表",defaultValue:function(){return J()}});function V(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.container,n=void 0===e?document.body:e,i=t.width,o=void 0===i?"100px":i,r=t.height,a=void 0===r?"100px":r,s=t.textAlign,l=void 0===s?"center":s,c=t.textBaseline,u=void 0===c?"middle":c,h=t.fontSize,d=void 0===h?16:h,f=t.fillStyle,A=void 0===f?"rgba(184, 184, 184, 0.2 )":f,p=t.content,g=void 0===p?"水印文字":p,v=t.rotate,m=void 0===v?0:v,y=t.zIndex,b=void 0===y?1e3:y,w=document.createElement("canvas");w.setAttribute("width",o),w.setAttribute("height",a);var E=w.getContext("2d");E.textAlign=l,E.textBaseline=u,E.font="".concat(d,"px Arial"),E.fillStyle=A,E.fillText(g,0,parseFloat(a)/3);var _=w.toDataURL(),B=document.querySelector(".luban_h5__wm"),x=B||document.createElement("div"),C="\n transform: rotate(".concat(m,"deg);\n position:absolute;\n top:0;\n left:0;\n width:100%;\n height:100%;\n z-index:").concat(b,";\n pointer-events:none;\n background-repeat:repeat;\n background-image:url('").concat(_,"')");x.setAttribute("style",C),B||(x.classList.add("luban_h5__wm"),n.style.position="relative",n.insertBefore(x,n.firstChild))}function X(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function Z(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?X(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):X(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var K={name:"lbp-background",props:{imgSrc:j.image({label:"背景图","en-US-label":"BgImage"}),backgroundColor:j.color({label:"背景色","en-US-label":"BgColor",defaultValue:"rgba(255, 255, 255, 0.2)"}),waterMarkText:j.string({label:"水印文字","en-US-label":"BgColor",defaultValue:"水印文字"}),waterMarkFontSize:j.number({label:"水印文字大小(px)","en-US-label":"WaterMaskSize",defaultValue:16}),waterMarkRotate:j.number({label:"水印旋转角度","en-US-label":"WaterMaskRotate",defaultValue:10}),waterMarkColor:j.color({label:"水印文字颜色","en-US-label":"WaterMaskColor",defaultValue:"rgba(184, 184, 184, 0.2)"})},methods:{renderWaterMark:function(){V({container:this.$refs.root,content:this.waterMarkText,fontSize:this.waterMarkFontSize,rotate:this.waterMarkRotate,fillStyle:this.waterMarkColor})}},render:function(){var t=arguments[0],e={width:"100%",height:"100%"};return e=this.imgSrc?Z(Z({},e),{},{"background-size":"cover","background-position":"50% 50%","background-origin":"content-box","background-image":"url(".concat(this.imgSrc,")")}):Z(Z({},e),{},{backgroundColor:this.backgroundColor}),t("div",{style:"width: 100%; height: 100%; overflow: hidden; position: absolute; z-index: 0; opacity: 1;",ref:"root"},[t("div",{style:e})])},mounted:function(){var t=this;this.renderWaterMark(),["waterMarkText","waterMarkFontSize","waterMarkRotate","waterMarkColor"].forEach((function(e){t.$watch(e,t.renderWaterMark)}))}},$=n("d282");function tt(t){var e=window.getComputedStyle(t),n="none"===e.display,i=null===t.offsetParent&&"fixed"!==e.position;return n||i}var et=n("a142"),nt=!1;if(!et["f"])try{var it={};Object.defineProperty(it,"passive",{get:function(){nt=!0}}),window.addEventListener("test-passive",null,it)}catch(Wn){}function ot(t,e,n,i){void 0===i&&(i=!1),et["f"]||t.addEventListener(e,n,!!nt&&{capture:!1,passive:i})}function rt(t,e,n){et["f"]||t.removeEventListener(e,n)}function at(t){t.stopPropagation()}function st(t,e){("boolean"!==typeof t.cancelable||t.cancelable)&&t.preventDefault(),e&&at(t)}var lt=n("4598");function ct(t,e,n){return Math.min(Math.max(t,e),n)}var ut=10;function ht(t,e){return t>e&&t>ut?"horizontal":e>t&&e>ut?"vertical":""}var dt={data:function(){return{direction:""}},methods:{touchStart:function(t){this.resetTouchStatus(),this.startX=t.touches[0].clientX,this.startY=t.touches[0].clientY},touchMove:function(t){var e=t.touches[0];this.deltaX=e.clientX<0?0:e.clientX-this.startX,this.deltaY=e.clientY-this.startY,this.offsetX=Math.abs(this.deltaX),this.offsetY=Math.abs(this.deltaY),this.direction=this.direction||ht(this.offsetX,this.offsetY)},resetTouchStatus:function(){this.direction="",this.deltaX=0,this.deltaY=0,this.offsetX=0,this.offsetY=0},bindTouchEvent:function(t){var e=this.onTouchStart,n=this.onTouchMove,i=this.onTouchEnd;ot(t,"touchstart",e),ot(t,"touchmove",n),i&&(ot(t,"touchend",i),ot(t,"touchcancel",i))}}};function ft(t){var e=[];function n(t){t.forEach((function(t){e.push(t),t.componentInstance&&n(t.componentInstance.$children.map((function(t){return t.$vnode}))),t.children&&n(t.children)}))}return n(t),e}function At(t,e){var n=e.$vnode.componentOptions;if(n&&n.children){var i=ft(n.children);t.sort((function(t,e){return i.indexOf(t.$vnode)-i.indexOf(e.$vnode)}))}}function pt(t,e){var n,i;void 0===e&&(e={});var o=e.indexKey||"index";return{inject:(n={},n[t]={default:null},n),computed:(i={parent:function(){return this.disableBindRelation?null:this[t]}},i[o]=function(){return this.bindRelation(),this.parent?this.parent.children.indexOf(this):null},i),watch:{disableBindRelation:function(t){t||this.bindRelation()}},mounted:function(){this.bindRelation()},beforeDestroy:function(){var t=this;this.parent&&(this.parent.children=this.parent.children.filter((function(e){return e!==t})))},methods:{bindRelation:function(){if(this.parent&&-1===this.parent.children.indexOf(this)){var t=[].concat(this.parent.children,[this]);At(t,this.parent),this.parent.children=t}}}}}function gt(t){return{provide:function(){var e;return e={},e[t]=this,e},data:function(){return{children:[]}}}}var vt=0;function mt(t){var e="binded_"+vt++;function n(){this[e]||(t.call(this,ot,!0),this[e]=!0)}function i(){this[e]&&(t.call(this,rt,!1),this[e]=!1)}return{mounted:n,activated:n,deactivated:i,beforeDestroy:i}}var yt=Object($["a"])("swipe"),bt=yt[0],wt=yt[1],Et=bt({mixins:[dt,gt("vanSwipe"),mt((function(t,e){t(window,"resize",this.resize,!0),t(window,"orientationchange",this.resize,!0),t(window,"visibilitychange",this.onVisibilityChange),e?this.initialize():this.clear()}))],props:{width:[Number,String],height:[Number,String],autoplay:[Number,String],vertical:Boolean,lazyRender:Boolean,indicatorColor:String,loop:{type:Boolean,default:!0},duration:{type:[Number,String],default:500},touchable:{type:Boolean,default:!0},initialSwipe:{type:[Number,String],default:0},showIndicators:{type:Boolean,default:!0},stopPropagation:{type:Boolean,default:!0}},data:function(){return{rect:null,offset:0,active:0,deltaX:0,deltaY:0,swiping:!1,computedWidth:0,computedHeight:0}},watch:{children:function(){this.initialize()},initialSwipe:function(){this.initialize()},autoplay:function(t){t>0?this.autoPlay():this.clear()}},computed:{count:function(){return this.children.length},maxCount:function(){return Math.ceil(Math.abs(this.minOffset)/this.size)},delta:function(){return this.vertical?this.deltaY:this.deltaX},size:function(){return this[this.vertical?"computedHeight":"computedWidth"]},trackSize:function(){return this.count*this.size},activeIndicator:function(){return(this.active+this.count)%this.count},isCorrectDirection:function(){var t=this.vertical?"vertical":"horizontal";return this.direction===t},trackStyle:function(){var t={transitionDuration:(this.swiping?0:this.duration)+"ms",transform:"translate"+(this.vertical?"Y":"X")+"("+this.offset+"px)"};if(this.size){var e=this.vertical?"height":"width",n=this.vertical?"width":"height";t[e]=this.trackSize+"px",t[n]=this[n]?this[n]+"px":""}return t},indicatorStyle:function(){return{backgroundColor:this.indicatorColor}},minOffset:function(){return(this.vertical?this.rect.height:this.rect.width)-this.size*this.count}},mounted:function(){this.bindTouchEvent(this.$refs.track)},methods:{initialize:function(t){if(void 0===t&&(t=+this.initialSwipe),this.$el&&!tt(this.$el)){clearTimeout(this.timer);var e={width:this.$el.offsetWidth,height:this.$el.offsetHeight};this.rect=e,this.swiping=!0,this.active=t,this.computedWidth=+this.width||e.width,this.computedHeight=+this.height||e.height,this.offset=this.getTargetOffset(t),this.children.forEach((function(t){t.offset=0})),this.autoPlay()}},resize:function(){this.initialize(this.activeIndicator)},onVisibilityChange:function(){document.hidden?this.clear():this.autoPlay()},onTouchStart:function(t){this.touchable&&(this.clear(),this.touchStartTime=Date.now(),this.touchStart(t),this.correctPosition())},onTouchMove:function(t){this.touchable&&this.swiping&&(this.touchMove(t),this.isCorrectDirection&&(st(t,this.stopPropagation),this.move({offset:this.delta})))},onTouchEnd:function(){if(this.touchable&&this.swiping){var t=this.size,e=this.delta,n=Date.now()-this.touchStartTime,i=e/n,o=Math.abs(i)>.25||Math.abs(e)>t/2;if(o&&this.isCorrectDirection){var r=this.vertical?this.offsetY:this.offsetX,a=0;a=this.loop?r>0?e>0?-1:1:0:-Math[e>0?"ceil":"floor"](e/t),this.move({pace:a,emitChange:!0})}else e&&this.move({pace:0});this.swiping=!1,this.autoPlay()}},getTargetActive:function(t){var e=this.active,n=this.count,i=this.maxCount;return t?this.loop?ct(e+t,-1,n):ct(e+t,0,i):e},getTargetOffset:function(t,e){void 0===e&&(e=0);var n=t*this.size;this.loop||(n=Math.min(n,-this.minOffset));var i=e-n;return this.loop||(i=ct(i,this.minOffset,0)),i},move:function(t){var e=t.pace,n=void 0===e?0:e,i=t.offset,o=void 0===i?0:i,r=t.emitChange,a=this.loop,s=this.count,l=this.active,c=this.children,u=this.trackSize,h=this.minOffset;if(!(s<=1)){var d=this.getTargetActive(n),f=this.getTargetOffset(d,o);if(a){if(c[0]&&f!==h){var A=f<h;c[0].offset=A?u:0}if(c[s-1]&&0!==f){var p=f>0;c[s-1].offset=p?-u:0}}this.active=d,this.offset=f,r&&d!==l&&this.$emit("change",this.activeIndicator)}},prev:function(){var t=this;this.correctPosition(),this.resetTouchStatus(),Object(lt["a"])((function(){t.swiping=!1,t.move({pace:-1,emitChange:!0})}))},next:function(){var t=this;this.correctPosition(),this.resetTouchStatus(),Object(lt["a"])((function(){t.swiping=!1,t.move({pace:1,emitChange:!0})}))},swipeTo:function(t,e){var n=this;void 0===e&&(e={}),this.correctPosition(),this.resetTouchStatus(),Object(lt["a"])((function(){var i;i=n.loop&&t===n.count?0===n.active?0:t:t%n.count,e.immediate?Object(lt["a"])((function(){n.swiping=!1})):n.swiping=!1,n.move({pace:i-n.active,emitChange:!0})}))},correctPosition:function(){this.swiping=!0,this.active<=-1&&this.move({pace:this.count}),this.active>=this.count&&this.move({pace:-this.count})},clear:function(){clearTimeout(this.timer)},autoPlay:function(){var t=this,e=this.autoplay;e>0&&this.count>1&&(this.clear(),this.timer=setTimeout((function(){t.next(),t.autoPlay()}),e))},genIndicator:function(){var t=this,e=this.$createElement,n=this.count,i=this.activeIndicator,o=this.slots("indicator");return o||(this.showIndicators&&n>1?e("div",{class:wt("indicators",{vertical:this.vertical})},[Array.apply(void 0,Array(n)).map((function(n,o){return e("i",{class:wt("indicator",{active:o===i}),style:o===i?t.indicatorStyle:null})}))]):void 0)}},render:function(){var t=arguments[0];return t("div",{class:wt()},[t("div",{ref:"track",style:this.trackStyle,class:wt("track",{vertical:this.vertical})},[this.slots()]),this.genIndicator()])}});function _t(){return _t=Object.assign||function(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var i in n)Object.prototype.hasOwnProperty.call(n,i)&&(t[i]=n[i])}return t},_t.apply(this,arguments)}var Bt=Object($["a"])("swipe-item"),xt=Bt[0],Ct=Bt[1],kt=xt({mixins:[pt("vanSwipe")],data:function(){return{offset:0,inited:!1,mounted:!1}},mounted:function(){var t=this;this.$nextTick((function(){t.mounted=!0}))},computed:{style:function(){var t={},e=this.parent,n=e.size,i=e.vertical;return n&&(t[i?"height":"width"]=n+"px"),this.offset&&(t.transform="translate"+(i?"Y":"X")+"("+this.offset+"px)"),t},shouldRender:function(){var t=this.index,e=this.inited,n=this.parent,i=this.mounted;if(!n.lazyRender||e)return!0;if(!i)return!1;var o=n.activeIndicator,r=n.count-1,a=0===o&&n.loop?r:o-1,s=o===r&&n.loop?0:o+1,l=t===o||t===a||t===s;return l&&(this.inited=!0),l}},render:function(){var t=arguments[0];return t("div",{class:Ct(),style:this.style,on:_t({},this.$listeners)},[this.shouldRender&&this.slots()])}});n("4149"),n("598e");function jt(){var t=[{image:"https://img.yzcdn.cn/vant/apple-1.jpg"},{image:"https://img.yzcdn.cn/vant/apple-2.jpg"}];return t}j.number({defaultValue:4e3,label:"间隔时间"}),j.string({defaultValue:"preview",label:"模式"}),n("acc7"),j.boolean({defaultValue:!0,label:"disabled"}),j.boolean({defaultValue:!0,label:"自动播放"}),j.string({label:"音乐URL",defaultValue:"http://go.163.com/2018/0209/mengniu/audio/bgm.mp3",props:{type:"textarea"}});var It=n("2638"),Dt=n.n(It),Ft=n("ea8e"),Mt=["ref","key","style","class","attrs","refInFor","nativeOn","directives","staticClass","staticStyle"],Tt={nativeOn:"on"};function Nt(t,e){var n=Mt.reduce((function(e,n){return t.data[n]&&(e[Tt[n]||n]=t.data[n]),e}),{});return e&&(n.on=n.on||{},_t(n.on,t.data.on)),n}var St=Object($["a"])("info"),Qt=St[0],Yt=St[1];function Ot(t,e,n,i){var o=e.dot,r=e.info,a=Object(et["c"])(r)&&""!==r;if(o||a)return t("div",Dt()([{class:Yt({dot:o})},Nt(i,!0)]),[o?"":e.info])}Ot.props={dot:Boolean,info:[Number,String]};var Rt=Qt(Ot),Pt=Object($["a"])("icon"),qt=Pt[0],Ut=Pt[1];function Lt(t){return!!t&&-1!==t.indexOf("/")}var zt={medel:"medal","medel-o":"medal-o","calender-o":"calendar-o"};function Ht(t){return t&&zt[t]||t}function Gt(t,e,n,i){var o,r=Ht(e.name),a=Lt(r);return t(e.tag,Dt()([{class:[e.classPrefix,a?"":e.classPrefix+"-"+r],style:{color:e.color,fontSize:Object(Ft["a"])(e.size)}},Nt(i,!0)]),[n.default&&n.default(),a&&t("img",{class:Ut("image"),attrs:{src:r}}),t(Rt,{attrs:{dot:e.dot,info:null!=(o=e.badge)?o:e.info}})])}Gt.props={dot:Boolean,name:String,size:[Number,String],info:[Number,String],badge:[Number,String],color:String,tag:{type:String,default:"i"},classPrefix:{type:String,default:Ut()}};var Wt=qt(Gt),Jt=Object($["a"])("notice-bar"),Vt=Jt[0],Xt=Jt[1],Zt=Vt({mixins:[mt((function(t){t(window,"pageshow",this.start)}))],inject:{vanPopup:{default:null}},props:{text:String,mode:String,color:String,leftIcon:String,wrapable:Boolean,background:String,scrollable:{type:Boolean,default:null},delay:{type:[Number,String],default:1},speed:{type:[Number,String],default:60}},data:function(){return{show:!0,offset:0,duration:0,wrapWidth:0,contentWidth:0}},watch:{scrollable:"start",text:{handler:"start",immediate:!0}},created:function(){var t=this;this.vanPopup&&this.vanPopup.onReopen((function(){t.start()}))},activated:function(){this.start()},methods:{onClickIcon:function(t){"closeable"===this.mode&&(this.show=!1,this.$emit("close",t))},onTransitionEnd:function(){var t=this;this.offset=this.wrapWidth,this.duration=0,Object(lt["b"])((function(){Object(lt["a"])((function(){t.offset=-t.contentWidth,t.duration=(t.contentWidth+t.wrapWidth)/t.speed,t.$emit("replay")}))}))},reset:function(){this.offset=0,this.duration=0,this.wrapWidth=0,this.contentWidth=0},start:function(){var t=this,e=Object(et["c"])(this.delay)?1e3*this.delay:0;this.reset(),clearTimeout(this.startTimer),this.startTimer=setTimeout((function(){var e=t.$refs,n=e.wrap,i=e.content;if(n&&i&&!1!==t.scrollable){var o=n.getBoundingClientRect().width,r=i.getBoundingClientRect().width;(t.scrollable||r>o)&&Object(lt["a"])((function(){t.offset=-r,t.duration=r/t.speed,t.wrapWidth=o,t.contentWidth=r}))}}),e)}},render:function(){var t=this,e=arguments[0],n=this.slots,i=this.mode,o=this.leftIcon,r=this.onClickIcon,a={color:this.color,background:this.background},s={transform:this.offset?"translateX("+this.offset+"px)":"",transitionDuration:this.duration+"s"};function l(){var t=n("left-icon");return t||(o?e(Wt,{class:Xt("left-icon"),attrs:{name:o}}):void 0)}function c(){var t,o=n("right-icon");return o||("closeable"===i?t="cross":"link"===i&&(t="arrow"),t?e(Wt,{class:Xt("right-icon"),attrs:{name:t},on:{click:r}}):void 0)}return e("div",{attrs:{role:"alert"},directives:[{name:"show",value:this.show}],class:Xt({wrapable:this.wrapable}),style:a,on:{click:function(e){t.$emit("click",e)}}},[l(),e("div",{ref:"wrap",class:Xt("wrap"),attrs:{role:"marquee"}},[e("div",{ref:"content",class:[Xt("content"),{"van-ellipsis":!1===this.scrollable&&!this.wrapable}],style:s,on:{transitionend:this.onTransitionEnd}},[this.slots()||this.text])]),c()])}}),Kt=(n("e335"),j.string({defaultValue:"请填写内容,如果过长,将会在手机上滚动显示",label:"公告",props:{type:"textarea"}}),j.boolean(),j.color({label:"背景色",defaultValue:"#fffbe8"}),j.color({defaultValue:"#ed6a0c"}),{inject:{vanField:{default:null}},watch:{value:function(){var t=this.vanField;t&&(t.resetValidation(),t.validateWithTrigger("onChange"))}},created:function(){var t=this.vanField;t&&!t.children&&(t.children=this)}}),$t=Object($["a"])("rate"),te=$t[0],ee=$t[1];function ne(t,e,n){return t>=e?"full":t+.5>=e&&n?"half":"void"}var ie=te({mixins:[dt,Kt],props:{size:[Number,String],color:String,gutter:[Number,String],readonly:Boolean,disabled:Boolean,allowHalf:Boolean,voidColor:String,iconPrefix:String,disabledColor:String,value:{type:Number,default:0},icon:{type:String,default:"star"},voidIcon:{type:String,default:"star-o"},count:{type:[Number,String],default:5},touchable:{type:Boolean,default:!0}},computed:{list:function(){for(var t=[],e=1;e<=this.count;e++)t.push(ne(this.value,e,this.allowHalf));return t},sizeWithUnit:function(){return Object(Ft["a"])(this.size)},gutterWithUnit:function(){return Object(Ft["a"])(this.gutter)}},mounted:function(){this.bindTouchEvent(this.$el)},methods:{select:function(t){this.disabled||this.readonly||t===this.value||(this.$emit("input",t),this.$emit("change",t))},onTouchStart:function(t){var e=this;if(!this.readonly&&!this.disabled&&this.touchable){this.touchStart(t);var n=this.$refs.items.map((function(t){return t.getBoundingClientRect()})),i=[];n.forEach((function(t,n){e.allowHalf?i.push({score:n+.5,left:t.left},{score:n+1,left:t.left+t.width/2}):i.push({score:n+1,left:t.left})})),this.ranges=i}},onTouchMove:function(t){if(!this.readonly&&!this.disabled&&this.touchable&&(this.touchMove(t),"horizontal"===this.direction)){st(t);var e=t.touches[0].clientX;this.select(this.getScoreByPosition(e))}},getScoreByPosition:function(t){for(var e=this.ranges.length-1;e>0;e--)if(t>this.ranges[e].left)return this.ranges[e].score;return this.allowHalf?.5:1},genStar:function(t,e){var n,i=this,o=this.$createElement,r=this.icon,a=this.color,s=this.count,l=this.voidIcon,c=this.disabled,u=this.voidColor,h=this.disabledColor,d=e+1,f="full"===t,A="void"===t;return this.gutterWithUnit&&d!==+s&&(n={paddingRight:this.gutterWithUnit}),o("div",{ref:"items",refInFor:!0,key:e,attrs:{role:"radio",tabindex:"0","aria-setsize":s,"aria-posinset":d,"aria-checked":String(!A)},style:n,class:ee("item")},[o(Wt,{attrs:{size:this.sizeWithUnit,name:f?r:l,color:c?h:f?a:u,classPrefix:this.iconPrefix,"data-score":d},class:ee("icon",{disabled:c,full:f}),on:{click:function(){i.select(d)}}}),this.allowHalf&&o(Wt,{attrs:{size:this.sizeWithUnit,name:A?l:r,color:c?h:A?u:a,classPrefix:this.iconPrefix,"data-score":d-.5},class:ee("icon",["half",{disabled:c,full:!A}]),on:{click:function(){i.select(d-.5)}}})])}},render:function(){var t=this,e=arguments[0];return e("div",{class:ee({readonly:this.readonly,disabled:this.disabled}),attrs:{tabindex:"0",role:"radiogroup"}},[this.list.map((function(e,n){return t.genStar(e,n)}))])}}),oe=(n("9eb6"),n("c59a"),j.number({defaultValue:5,label:"当前分值"}),j.number({defaultValue:5,label:"图标总数"}),j.number({defaultValue:16,label:"图标大小"}),j.number({defaultValue:16,label:"图标间距"}),function(){var t=this,e=t.$createElement,n=t._self._c||e;return n("div",[n("div",{ref:"mapElement",staticStyle:{height:"100%",width:"100%"},attrs:{id:"qq-map-container"}})])}),re=[];function ae(t){return!!document.querySelector('script[src="'+t+'"]')}var se={map:null,load:function(t){return new Promise((function(e,n){var i="//map.qq.com/api/js?v=2.exp&libraries=place&callback=init&key="+t;if(ae(i))e(window.qq);else{window.init=function(){e(window.qq)};var o=document.createElement("script");o.type="text/javascript",o.src=i,o.onerror=n,document.head.appendChild(o)}}))},getPosition:function(t){var e=t.lat,n=t.lng;return new window.qq.maps.LatLng(e,n)}};function le(t){var e=t.lat,n=t.lng;return new window.qq.maps.LatLng(e,n)}var ce={methods:{loadMap:function(t){return se.load(t)},setMarker:function(t){var e=this.map,n=le(t.latLng);this.marker?(this.marker.setMap(null),this.marker=new window.qq.maps.Marker({map:e,position:t.latLng}),e.panTo(n)):this.marker=new window.qq.maps.Marker({map:e,position:n})}}},ue={extra:{defaultStyle:{width:320,height:180}},name:"lbp-qq-map",mixins:[ce],props:{labelContent:j.string({label:"地址名称",defaultValue:""}),zoomLevel:j.number({label:"缩放层级",defaultValue:12,visible:!1}),qqMapKey:j.string({label:"腾讯地图Key",defaultValue:"GENBZ-G5S3J-7OLFW-FLBX4-WVEMK-SOBL4",component:"a-textarea",extra:function(t){return t("div",[t("div",["1. 请填入自己的腾讯地图开发密钥,",t("a",{attrs:{href:"https://lbs.qq.com/dev/console/key/manage",target:"_blank"}},["前往申请>>"])]),t("div",["2. 鲁班的 Demo Key 随时可能失效;失效提示: 鉴权失败,请传入正确的key"])])}}),poi:{type:Object,default:function(){return{latLng:{lat:39.90469,lng:116.40717},name:"北京市",type:4}},editor:{custom:!0}}},watch:{poi:{handler:function(t){this.checkMapAvailable()&&this.setMarker(t)},deep:!0},labelContent:function(t){this.checkMapAvailable()&&this.setLabel(t)},zoomLevel:function(t){this.checkMapAvailable()&&this.setZoomLevel(t)}},methods:{checkMapAvailable:function(){return window.qq&&window.qq.maps},onSearch:function(t){console.log(t)},setLabel:function(t){var e=se.getPosition(this.poi.latLng);this.label=this.label||new window.qq.maps.Label({position:e,map:this.map,content:""}),t.trim()?(this.label.setVisible(!0),this.label.setContent(t||""),this.label.setPosition(e)):this.label.setVisible(!1)},setZoomLevel:function(t){this.map.zoomTo(t)},init:function(){var t=this,e=this.poi,n=this.qqMapKey;this.loadMap(n).then((function(n){t.initMap(e),t.setLabel(t.labelContent),t.setMarker(e)}))},initMap:function(t){var e=this.$refs.mapElement,n=se.getPosition(t.latLng);this.map=new window.qq.maps.Map(e,{center:n,zoom:this.zoomLevel,disableDefaultUI:!0,draggable:!1,scrollwheel:!1,disableDoubleClickZoom:!0})}},mounted:function(){this.init()}},he=ue;function de(t,e,n,i,o,r,a,s){var l,c="function"===typeof t?t.options:t;if(e&&(c.render=e,c.staticRenderFns=n,c._compiled=!0),i&&(c.functional=!0),r&&(c._scopeId="data-v-"+r),a?(l=function(t){t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext,t||"undefined"===typeof __VUE_SSR_CONTEXT__||(t=__VUE_SSR_CONTEXT__),o&&o.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(a)},c._ssrRegister=l):o&&(l=s?function(){o.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:o),l)if(c.functional){c._injectStyles=l;var u=c.render;c.render=function(t,e){return l.call(e),u(t,e)}}else{var h=c.beforeCreate;c.beforeCreate=h?[].concat(h,l):[l]}return{exports:t,options:c}}var fe=de(he,oe,re,!1,null,null,null),Ae=(fe.exports,n("a745")),pe=n.n(Ae);function ge(t){if(pe()(t))return t}var ve=n("67bb"),me=n.n(ve),ye=n("5d58"),be=n.n(ye);function we(t,e){var n=t&&("undefined"!==typeof me.a&&t[be.a]||t["@@iterator"]);if(null!=n){var i,o,r=[],a=!0,s=!1;try{for(n=n.call(t);!(a=(i=n.next()).done);a=!0)if(r.push(i.value),e&&r.length===e)break}catch(l){s=!0,o=l}finally{try{a||null==n["return"]||n["return"]()}finally{if(s)throw o}}return r}}var Ee=n("774e"),_e=n.n(Ee);function Be(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}function xe(t,e){if(t){if("string"===typeof t)return Be(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?_e()(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Be(t,e):void 0}}function Ce(){throw new TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function ke(t,e){return ge(t)||we(t,e)||xe(t,e)||Ce()}function je(t){return je="function"===typeof me.a&&"symbol"===typeof be.a?function(t){return typeof t}:function(t){return t&&"function"===typeof me.a&&t.constructor===me.a&&t!==me.a.prototype?"symbol":typeof t},je(t)}n("8615");function Ie(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function De(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),s()(t,i.key,i)}}function Fe(t,e,n){return e&&De(t.prototype,e),n&&De(t,n),t}var Me=function(){function t(){Ie(this,t)}return Fe(t,null,[{key:"dataset2excel",value:function(t){return t.map((function(t){return{cells:{0:{text:t.x},1:{text:t.y},2:{text:t.s}}}}))}},{key:"binaryMatrix2excel",value:function(t){var e=t.map((function(t,e){var n={};return t.forEach((function(t,e){n[e]={text:t}})),{cells:n}}));return e}},{key:"excel2chartDataSet",value:function(t){var e=Object.values(t.rows).filter((function(t){return"object"===je(t)})),n=e.map((function(t){var e=Object.values(t.cells).map((function(t){return t.text})),n=ke(e,3),i=n[0],o=n[1],r=n[2];return{x:i,y:o,s:r}}));return n}},{key:"excel2BinaryMatrix",value:function(t){var e=Object.values(t.rows).filter((function(t){return"object"===je(t)})),n=e.map((function(t){var e=Object.values(t.cells).map((function(t){return t.text}));return e}));return console.log("dataset",n),n}},{key:"csv2VChartJson",value:function(t){var e=t[0],n=t.slice(1),i={columns:e,rows:n.map((function(t,n){var i={};return e.forEach((function(e,n){i[e.trim()]=t[n]})),i}))};return i}}]),t}(),Te=window.VeIndex,Ne=Te.VeLine,Se=Te.VeRadar,Qe=Te.VePie,Ye=Te.VeHistogram,Oe=Te.VeFunnel;j.excel({defaultValue:function(){return[["日期","销售量"],["1月1日",123],["1月2日",1223],["1月3日",2123],["1月4日",4123],["1月5日",3123],["1月6日",7123]]}}),j.string({label:"类型",defaultValue:"line",visible:!1}),j.colors({label:"颜色面板",defaultValue:function(){return["#19d4ae","#5ab1ef","#fa6e86","#ffb980","#0067a6","#c4b4e4","#d87a80","#9cbbff","#d9d0c7","#87a997","#d49ea2","#5b4947","#7ba3a8"]}});function Re(t){if(pe()(t))return Be(t)}function Pe(t){if("undefined"!==typeof me.a&&null!=t[be.a]||null!=t["@@iterator"])return _e()(t)}function qe(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function Ue(t){return Re(t)||Pe(t)||xe(t)||qe()}var Le=null;function ze(t){return Le||(window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||function(t){return setTimeout(t,16)}).bind(window),Le(t)}var He=null;function Ge(t){He||(window.cancelAnimationFrame||window.webkitCancelAnimationFrame||window.mozCancelAnimationFrame||function(t){clearTimeout(t)}).bind(window),He(t)}function We(t){var e=document.createElement("style");return e.type="text/css",e.styleSheet?e.styleSheet.cssText=t:e.appendChild(document.createTextNode(t)),(document.querySelector("head")||document.body).appendChild(e),e}function Je(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=document.createElement(t);return Object.keys(e).forEach((function(t){n[t]=e[t]})),n}function Ve(t,e,n){var i=window.getComputedStyle(t,n||null)||{display:"none"};return i[e]}function Xe(t){if(!document.documentElement.contains(t))return{detached:!0,rendered:!1};var e=t;while(e!==document){if("none"===Ve(e,"display"))return{detached:!1,rendered:!1};e.parentNode}return{detached:!1,rendered:!0}}var Ze='.resize-triggers{visibility:hidden;opacity:0;pointer-events:none}.resize-contract-trigger,.resize-contract-trigger:before,.resize-expand-trigger,.resize-triggers{content:"";position:absolute;top:0;left:0;height:100%;width:100%;overflow:hidden}.resize-contract-trigger,.resize-expand-trigger{background:#eee;overflow:auto}.resize-contract-trigger:before{width:200%;height:200%}',Ke=0,$e=null;function tn(t,e){t.__resize_mutation_handler__||(t.__resize_mutation_handler__=on.bind(t));var n=t.__resize_listeners__;if(!n)if(t.__resize_listeners__=[],window.ResizeObserver){var i=t.offsetWidth,o=t.offsetHeight,r=new ResizeObserver((function(){(t.__resize_observer_triggered__||(t.__resize_observer_triggered__=!0,t.offsetWidth!==i||t.offsetHeight!==o))&&an(t)})),a=Xe(t),s=a.detached,l=a.rendered;t.__resize_observer_triggered__=!1===s&&!1===l,t.__resize_observer__=r,r.observe(t)}else if(t.attachEvent&&t.addEventListener)t.__resize_legacy_resize_handler__=function(){an(t)},t.attachEvent("onresize",t.__resize_legacy_resize_handler__),document.addEventListener("DOMSubtreeModified",t.__resize_mutation_handler__);else if(Ke||We(Ze),sn(t),t.__resize_rendered__=Xe(t).rendered,window.MutationObserver){var c=new MutationObserver(t.__resize_mutation_handler__);c.observe(document,{attributes:!0,childList:!0,characterData:!0,subtree:!0}),t.__resize_mutation_observer__=c}t.__resize_listeners__.push(e)}function en(t,e){var n=t.__resize_listeners__;if(n){if(e&&n.splice(n.indexOf(e),1),!n.length||!e){if(t.detachEvent&&t.removeEventListener)return t.detachEvent("onresize",t.__resize_legacy_resize_handler__),void document.removeEventListener("DOMSubtreeModified",t.__resize_mutation_handler__);t.__resize_observer__?(t.__resize_observer__.unobserve(t),t.__resize_observer__.disconnect(),t.__resize_observer__=null):(t.__resize_mutation_observer__&&(t.__resize_mutation_observer__.disconnect(),t.__resize_mutation_observer__=null),t.removeEventListener("scroll",rn),t.removeChild(t.__resize_triggers__.triggers),t.__resize_triggers__=null),t.__resize_listeners__=null}!--Ke&&$e&&$e.parentNode.removeChild($e)}}function nn(t){var e=t.__resize_last__,n=e.width,i=e.height,o=t.offsetWidth,r=t.offsetHeight;return o!==n||r!==i?{width:o,height:r}:null}function on(){var t=Xe(this),e=t.rendered,n=t.detached;e!==this.__resize_rendered__&&(!n&&this.__resize_triggers__&&(ln(this),this.addEventListener("scroll",rn,!0)),this.__resize_rendered__=e,an(this))}function rn(){var t=this;ln(this),this.__resize_raf__&&Ge(this.__resize_raf__),this.__resize_raf__=ze((function(){var e=nn(t);e&&(t.__resize_last__=e,an(t))}))}function an(t){t&&t.__resize_listeners__&&t.__resize_listeners__.forEach((function(e){e.call(t,t)}))}function sn(t){var e=Ve(t,"position");e&&"static"!==e||(t.style.position="relative"),t.__resize_old_position__=e,t.__resize_last__={};var n=Je("div",{className:"resize-triggers"}),i=Je("div",{className:"resize-expand-trigger"}),o=Je("div"),r=Je("div",{className:"resize-contract-trigger"});i.appendChild(o),n.appendChild(i),n.appendChild(r),t.appendChild(n),t.__resize_triggers__={triggers:n,expand:i,expandChild:o,contract:r},ln(t),t.addEventListener("scroll",rn,!0),t.__resize_last__={width:t.offsetWidth,height:t.offsetHeight}}function ln(t){var e=t.__resize_triggers__,n=e.expand,i=e.expandChild,o=e.contract,r=o.scrollWidth,a=o.scrollHeight,s=n.offsetWidth,l=n.offsetHeight,c=n.scrollWidth,u=n.scrollHeight;o.scrollLeft=r,o.scrollTop=a,i.style.width=s+1+"px",i.style.height=l+1+"px",n.scrollLeft=c,n.scrollTop=u}n("78b9");function cn(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],e=arguments.length>1?arguments[1]:void 0;return t.map((function(t){return t[e]})).reduce((function(t,e){return t+e}),0)}j.string({defaultValue:"",label:"主题",visible:!1}),j.number({label:"每列宽度(px)",defaultValue:100}),j.number({label:"冻结列数(px)",defaultValue:0}),j.excel({defaultValue:function(){return[["列A","列B","列C"],["————","————","————"],["————","————","————"],["————","————","————"]]}}),n("6a0f"),j.excel({defaultValue:function(){return[["新闻标题","摘要","链接","日期","来源"],["1 . 鲁班H5 可视化搭建平台!","鲁班H5-是一款基于常见业务组件,通过拖拽的形式,生成页面的可视化搭建系统;我们的初心也是希望能通过工程化的手段,提高简单H5页面的制作效率","https://luban-h5.com/","2020-01-01","鲁班H5"],["2 . 鲁班H5-开源的可视化搭建平台!","en: web design tool || mobile page builder/editor || mini webflow for mobile page. zh: 类似易企秀的H5制作、建站工具、可视化搭建系统.","https://github.com/ly525/luban-h5","2020-01-01","鲁班H5(github)"]]}}),n("28a5"),n("7514");var un={route_test_data:[{names:["A起点站"],ids:["ACODE_0","ACODE_1"],type:2,stationMark:"B"},{names:["B中途站","C1中途站"],ids:["BCODE_0","C1CODE_1"],type:3,stationMark:"Z"},{names:["C中途站"],ids:["CCODE_0"],type:0,stationMark:"Z"},{names:["D中途站"],ids:["DCODE_0","DCODE_1"],type:2,stationMark:"Z"},{names:["E中途站","E1中途站"],ids:["ECODE_0","E1CODE_1"],type:3,stationMark:"Z"},{names:["F终点站"],ids:["FCODE_0","FCODE_1"],type:2,stationMark:"E"}],gps_test_data:[{stopNo:"BCODE",upDown:0,deviceId:"559L1014",instation:1,nbbm:"W2B-064"},{stopNo:"BCODE",upDown:0,deviceId:"559L1013",instation:1,nbbm:"W2B-065"},{stopNo:"CCODE",upDown:0,deviceId:"559L1015",instation:0,nbbm:"W2B-066"},{stopNo:"E1CODE",upDown:1,deviceId:"559L1025",instation:1,nbbm:"W2B-026"},{stopNo:"ACODE",upDown:1,deviceId:"559L1035",instation:1,nbbm:"W2B-036"},{stopNo:"ACODE",upDown:1,deviceId:"559L1045",instation:1,nbbm:"W2B-046"},{stopNo:"ACODE",upDown:1,deviceId:"559L1055",instation:1,nbbm:"W2B-056"},{stopNo:"FCODE",upDown:0,deviceId:"558L1035",instation:1,nbbm:"W2A-036"},{stopNo:"FCODE",upDown:0,deviceId:"558L1045",instation:1,nbbm:"W2A-046"},{stopNo:"FCODE",upDown:0,deviceId:"558L1055",instation:1,nbbm:"W2A-056"}]};n("ac4d"),n("5df3"),n("1c4c");function hn(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=dn(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,o=function(){};return{s:o,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,r=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw r}}}}function dn(t,e){if(t){if("string"===typeof t)return fn(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?fn(t,e):void 0}}function fn(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var An={objectEquals:function(t,e){var n=this,i=t instanceof Object,o=e instanceof Object,r=t instanceof Array,a=e instanceof Array;if(i&&o){if(Object.keys(t).length!==Object.keys(e).length)return!1;for(var s=Object.keys(t),l=0;l<s.length;l++){var c=t[s[l]],u=e[s[l]],h=n.objectEquals(c,u);if(!h)return h}}else{if(!r||!a)return t===e;if(t.length!==e.length)return!1;for(var d=0;d<t.length;d++){var f=n.objectEquals(t[d],e[d]);if(!f)return f}}return!0},listGroupBy:function(t,e){var n,i={},o=hn(t);try{for(o.s();!(n=o.n()).done;){var r=n.value,a=e(r);i[a]||(i[a]=[]),i[a].push(r)}}catch(s){o.e(s)}finally{o.f()}return i},listIndexOf:function(t,e,n){for(var i=0,o=t.length;i<o;i++)if(null!=t[i]&&e[n]===t[i][n])return i;return-1},insertNullToList:function(t,e,n){for(var i=0;i<n;i++)t.splice(i+e,0,null)}},pn=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.stopNo=e.stopNo,this.upDown=e.upDown,this.deviceId=e.deviceId,this.instation=e.instation,this.nbbm=e.nbbm}return Fe(t,[{key:"getKey",value:function(){return this.deviceId+"_"+this.nbbm}},{key:"getText",value:function(){return this.nbbm.indexOf("沪")>=0?vn.call(this):gn.call(this)}}]),t}();function gn(){var t=this;if(t.nbbm){var e=t.nbbm.length;if(e>3){var n=t.nbbm.substr(e-3);return t.nbbm.indexOf("-")>0?t.nbbm.substr(t.nbbm.indexOf("-")-1,1)+n:n}return t.nbbm}return t.nbbm}function vn(){var t=this.nbbm;if(-1!==t.indexOf("沪")){var e=t.indexOf("沪");if(e+5>t.length)return t.substr(0,3);var n=t.substr(e+1,1),i=t.substr(e+2,1);return"-"===i?n+t.substr(e+3,3):n+t.substr(e+2,3)}return t.substr(0,3)}var mn=pn,yn=(n("60d4"),n("9af6"),{extra:{defaultStyle:{top:0,left:0,width:350,height:300}},name:"bsth-line-chart",data:function(){return this.private_svgns="http://www.w3.org/2000/svg",this.private_svg=null,this.private_gps_wrap_svg=null,this.private_gps_marker_cluster_svg=null,this.private_jQuery=jQuery.noConflict(),this.private_d3=d3,{watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},line_width:350,line_height:300,line_route_data:[],line_gps_data:[]}},props:{useMode:j.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:j.string({defaultValue:"edit",label:"模式",visible:!1}),line_chart_outer_div_width:j.number({defaultValue:350,label:"line-chart-outer-div样式的div宽度",visible:!1}),line_chart_outer_div_height:j.number({defaultValue:300,label:"line-chart-outer-div样式的div高度",visible:!1}),line_route_data_child:{type:Array,default:function(){return[]}},line_gps_data_child:{type:Array,default:function(){return[]}},_flag_1_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),line_name:j.string({label:"线路名称",defaultValue:"线路1",layout:{prefixCls:"bsth-line"}}),line_code:j.string({label:"线路代码",defaultValue:"ACODE",layout:{prefixCls:"bsth-line"}}),_flag_2_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),line_name_font_size:j.number({label:"线路名称字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),line_name_font_color:j.color({label:"线路名称字体颜色",defaultValue:"#babdbd",layout:{prefixCls:"bsth-line"}}),margin_left:j.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:j.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:j.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:j.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_3_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层css属性"},class:"bsth-line-item-divider"})}}),chart_left_padding:j.number({label:"内部线路图距离左边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_right_padding:j.number({label:"内部线路图距离右边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_center_top_padding:j.number({label:"内部线路图居中修正padding",defaultValue:4,layout:{prefixCls:"bsth-line"}}),chart_station_name_max_size:j.number({label:"站定名显示最大文字个数",defaultValue:7,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_color:j.color({label:"上行线颜色",defaultValue:"#5E96D2",layout:{prefixCls:"bsth-line"}}),chart_down_line_path_s_color:j.color({label:"下行线颜色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color:j.color({label:"上行线站点圆圈填充色",defaultValue:"#5e96d2",layout:{prefixCls:"bsth-line"}}),chart_down_line_circle_f_color:j.color({label:"下行线站点圆圈填充色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size:j.number({label:"站名字体大小",defaultValue:14,layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color:j.color({label:"上行站名颜色",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),chart_down_station_text_font_f_color:j.color({label:"下行站名颜色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_up_down_station_text_font_f_color:j.color({label:"上行下行同名站名颜色",defaultValue:"#3e3e3e",layout:{prefixCls:"bsth-line"}}),chart_gps_up_rect_color:j.color({label:"上行gps车辆rect背景色",defaultValue:"#3e50b3",layout:{prefixCls:"bsth-line"}}),chart_gps_up_text_f_color:j.color({label:"上行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_rect_color:j.color({label:"下行gps车辆rect背景色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_gps_down_text_f_color:j.color({label:"下行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_rect_color:j.color({label:"上行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_text_f_color:j.color({label:"上行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_rect_color:j.color({label:"下行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_text_f_color:j.color({label:"下行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.line_width+"px",height:this.line_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative"},n={height:"44px",position:"absolute",left:"50%",transform:"translate(-50%, 0)","-webkit-transform":"translate(-50%, 0)",color:this.line_name_font_color,"font-size":this.line_name_font_size+"px",padding:"20px 0px","font-weight":"bold","font-family":"Open Sans, sans-serif"};return t("div",{class:"line-chart-outer-div"},[t("div",{style:e},[t("div",{style:n},[this.line_name]),t("svg",{class:"line-chart",attrs:{"data-code":this.line_code},style:{height:this.line_height+"px"}},[t("g",{class:"gps-wrap"}),t("g",{class:"marker-clusterer"})])])])},mounted:function(){this.private_svg=this.findD3SvgDom(),this.private_gps_wrap_svg=this.findD3GpsWrapSvg(),this.private_gps_marker_cluster_svg=this.findD3GpsMarkerClusterSvg();var t=this.private_jQuery;this.line_width=t(this.$el).width()-this.margin_left-this.margin_right,this.line_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.line_width=this.line_chart_outer_div_width-this.margin_left-this.margin_right,this.line_height=this.line_chart_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode?(this.line_route_data=un.route_test_data,this.line_gps_data=un.gps_test_data):(this.line_route_data=this.line_route_data_child,this.line_gps_data=this.line_gps_data_child),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++,this.refreshLineSvg(),this.refreshGpsSvg()},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null)},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.line_width&&(e.line_width=t-e.margin_left-e.margin_right),i!==e.line_height&&(e.line_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},line_chart_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.line_width=t-e.margin_left-e.margin_right)},line_chart_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.line_height=t-e.margin_top-e.margin_bottom)},line_route_data_child:function(t){var e=this;"child"===e.useMode&&(e.line_route_data=t)},line_gps_data_child:function(t){var e=this;"child"===e.useMode&&(e.line_gps_data=t)},line_route_data:function(t,e){var n=this;An.objectEquals(t,e)||(n.refreshLineSvg(),n.refreshGpsSvg())},line_gps_data:function(t,e){var n=this;n.refreshGpsSvg()},line_width:function(){this.refreshLineSvg(),this.refreshGpsSvg()},line_height:function(){this.refreshLineSvg(),this.refreshGpsSvg()},margin_left:function(){var t=this;t.line_width=t.line_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.line_width=t.line_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.line_height=t.line_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.line_height=t.line_height-t.margin_top-t.margin_bottom},border_size:function(){this.refreshLineSvg(),this.refreshGpsSvg()},chart_up_line_path_s_color:function(t){var e=this.private_svg;e.selectAll("g.item path.station_link:not(.down)").style("stroke",t)},chart_down_line_path_s_color:function(t){var e=this.private_svg;e.selectAll("g.item path.station_link.down").style("stroke",t)},chart_up_line_circle_f_color:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle:not(.down").style("fill",t)},chart_down_line_circle_f_color:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle.down").style("fill",t)},chart_station_text_font_size:function(t){var e=this.private_svg;e.selectAll("g.item text").style("font-size",t)},chart_up_station_text_font_f_color:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up").style("stroke",t)},chart_down_station_text_font_f_color:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.down").style("stroke",t)},chart_up_down_station_text_font_f_color:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text:not(.up):not(.down)").style("stroke",t)},chart_gps_up_rect_color:function(t){var e=this.private_svg;e.selectAll("g.gps-wrap rect[updown='0']").style("fill",t).style("stroke",t)},chart_gps_up_text_f_color:function(t){var e=this.private_svg;e.selectAll("g.gps-wrap text[updown='0']").style("fill",t)},chart_gps_down_rect_color:function(t){var e=this.private_svg;e.selectAll("g.gps-wrap rect[updown='1']").style("fill",t).style("stroke",t)},chart_gps_down_text_f_color:function(t){var e=this.private_svg;e.selectAll("g.gps-wrap text[updown='1']").style("fill",t)},chart_gps_up_merge_rect_color:function(t){var e=this.private_svg;e.selectAll("g.marker-clusterer g.merge-item[updown='0'] rect").style("fill",t).style("stroke",t)},chart_gps_up_merge_text_f_color:function(t){var e=this.private_svg;e.selectAll("g.marker-clusterer g.merge-item[updown='0'] text").style("fill",t)},chart_gps_down_merge_rect_color:function(t){var e=this.private_svg;e.selectAll("g.marker-clusterer g.merge-item[updown='1'] rect").style("fill",t).style("stroke",t)},chart_gps_down_merge_text_f_color:function(t){var e=this.private_svg;e.selectAll("g.marker-clusterer g.merge-item[updown='1'] text").style("fill",t)}},methods:{findD3SvgDom:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg")[0];return e.select(n)},findD3GpsWrapSvg:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.gps-wrap")[0];return e.select(n)},findD3GpsMarkerClusterSvg:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.marker-clusterer")[0];return e.select(n)},refreshLineSvg:function(){var t=this,e=t.private_jQuery,n=t.private_d3,i=t.line_route_data,o=t.line_width-2*t.border_size,r=t.line_height-2*t.border_size,a=t.private_svgns,s=t.private_svg,l=Math.ceil(r/2),c=t.chart_center_top_padding,u=t.chart_left_padding,h=t.chart_right_padding,d=t.chart_station_name_max_size,f=s.selectAll("g.item").data(i,(function(t){return t.ids.join("#")})),A=f,p=f.exit();p.remove(),A=A.enter().append("g").classed("item",!0);var g=n.scaleLinear().domain([0,i.length-1]).range([u,o-h]),v=n.line().x(g).y((function(){return(r-l)/2+c}));A.append("path").classed("station_link",!0).style("stroke",t.chart_up_line_path_s_color).attr("d",(function(t,e){return e<i.length-1?v([e,e+1]):""})),f.select("path").attr("d",(function(t,e){return e<i.length-1?v([e,e+1]):""}));var m=n.line().x(g).y((function(){return(r-l)/2+c+l}));A.append("path").classed("station_link",!0).classed("down",!0).style("stroke",t.chart_down_line_path_s_color).attr("d",(function(t,e){return e<i.length-1?m([e,e+1]):""})),f.select("path.down").attr("d",(function(t,e){return e<i.length-1?m([e,e+1]):""})),A.select((function(t){return 1!==t.type?this:null})).append("circle").classed("station_circle",!0).style("fill",t.chart_up_line_circle_f_color).attr("r","5.5").attr("cx",(function(t,e){return g(e)})).attr("cy",(function(){return(r-l)/2+c})).attr("data-id",(function(t){return t.ids[0]})),f.select("circle").attr("cx",(function(t,e){return g(e)})).attr("cy",(function(){return(r-l)/2+c})),A.select((function(t){return 0!==t.type?this:null})).append("circle").classed("station_circle",!0).classed("down",!0).style("fill",t.chart_down_line_circle_f_color).attr("r","5.5").attr("cx",(function(t,e){return g(e)})).attr("cy",(function(){return(r-l)/2+c+l})).attr("data-id",(function(t){return 1===t.type?t.ids[0]:t.ids[1]})),f.select("circle.down").attr("cx",(function(t,e){return g(e)})).attr("cy",(function(){return(r-l)/2+c+l})),A.append("text").classed("station_text",!0).classed("up",(function(t){return 3===t.type||0===t.type})).classed("down",(function(t){return 1===t.type})).style("font-size",t.chart_station_text_font_size+"px").style("stroke",(function(e){return 0===e.type?t.chart_up_station_text_font_f_color:1===e.type?t.chart_down_station_text_font_f_color:2===e.type?t.chart_up_down_station_text_font_f_color:(e.type,t.chart_up_station_text_font_f_color)})).text((function(t){return t.names[0]?t.names[0].length>d?t.names[0].substr(0,d):t.names[0]:0})).attr("title",(function(t){return t.names[0]})).attr("x",(function(i,o){if(3!==i.type)return g(o);var s=document.createElementNS(a,"text"),u=i.names[1].length>d?i.names[1].substr(0,d):i.names[1],h=g(o),f=(r-l)/2+c,A=(l-l/d*u.length)/2+5;return n.select(s).attr("class","station_text down").style("fill",t.chart_down_station_text_font_f_color).attr("title",u).attr("x",h+8).attr("y",f+A).text(u),e(this).after(s),g(o)-8})).attr("y",(function(t){var e=(r-l)/2+c,n=t.names[0].length>d?t.names[0].substr(0,d):t.names[0],i=(l-l/d*n.length)/2+5;return e+i})),f.select("text.station_text").classed("up",(function(t){return 3===t.type||0===t.type})).classed("down",(function(t){return 1===t.type})).text((function(t){return t.names[0]?t.names[0].length>d?t.names[0].substr(0,d):t.names[0]:0})).attr("title",(function(t){return t.names[0]})).attr("x",(function(i,o){if(3!==i.type)return g(o);e(this).next().remove();var s=document.createElementNS(a,"text"),u=i.names[1].length>d?i.names[1].substr(0,d):i.names[1],h=g(o),f=(r-l)/2+c,A=(l-l/d*u.length)/2+5;return n.select(s).attr("class","station_text down").style("fill",t.chart_down_station_text_font_f_color).attr("title",u).attr("x",h+8).attr("y",f+A).text(u),e(this).after(s),g(o)-8})).attr("y",(function(t){var e=(r-l)/2+c,n=t.names[0].length>d?t.names[0].substr(0,d):t.names[0],i=(l-l/d*n.length)/2+5;return e+i}))},findLineCircle:function(t,e){var n,i=this,o=i.private_jQuery;try{n=o(this.$el).find(".station_circle[data-id="+t+"_"+e+"]"),0===n.length&&(n=null)}catch(Wn){console.log("未找到svg circle, data-id = "+t+"_"+e),n=null}return n},refreshGpsSvg:function(){var t=this,e=t.private_jQuery,n=t.private_svg,i=t.private_gps_wrap_svg,o=t.private_gps_marker_cluster_svg,r=t.line_route_data,a=t.line_gps_data,s=t.line_width-2*t.border_size,l=t.chart_left_padding,c=t.chart_right_padding,u={};e.each(a,(function(t,e){if(e&&!(e instanceof mn))throw new Error("d不等于null,up参数不是LineGpsDataOfLineChart类型");var n=e.stopNo,i=e.upDown,o=n+"_"+i;u[o]||(u[o]=[]),u[o].push(e.getKey())}));var h={};e.each(u,(function(t,n){h[t]||(h[t]={}),e.each(n,(function(e,n){h[t][n]=e}))})),e(t.$el).find(".merge_hide",n).removeAttr("class");var d=i.selectAll("rect").data(a,(function(t){return t.getKey()})),f=d,A=d.exit();A.remove();var p=function(n){var i,o=t.findLineCircle(n.stopNo,n.upDown);if(!o)return i=-100,i;var a=parseInt(o.attr("cx"))-16.5,u=(s-(l+c))/r.length;return i=0===n.instation?0===n.upDown?a+u:a-u:a,-100===i?e(this).css("transition-duration",0).hide():e(this).show(),i},g=function(e){var n,i=t.findLineCircle(e.stopNo,e.upDown);if(!i)return n=-100,n;n=parseInt(i.attr("cy"));var o=h[e.stopNo+"_"+e.upDown][e.getKey()];return n=0===e.upDown?n-22-17*o:n+6+19*o,n};f.enter().append("rect").style("fill",(function(e){return 0===e.upDown?t.chart_gps_up_rect_color:1===e.upDown?t.chart_gps_down_rect_color:t.chart_gps_up_rect_color})).style("stroke",(function(e){return 0===e.upDown?t.chart_gps_up_rect_color:1===e.upDown?t.chart_gps_down_rect_color:t.chart_gps_up_rect_color})).attr("_id",(function(t){return"rct_"+t.getKey()})).transition().attr("width","30px").attr("height","15px").attr("rx","2px").attr("x",p).attr("y",g).attr("updown",(function(t){return t.upDown})),d.attr("_id",(function(t){return"rct_"+t.getKey()})).transition().attr("x",p).attr("y",g).attr("updown",(function(t){return t.upDown}));var v=i.selectAll("text").data(a,(function(t){return t.getKey()})),m=v,y=v.exit();y.remove();var b=function(n){var i,o=t.findLineCircle(n.stopNo,n.upDown);if(!o)return i=-100,i;var a=parseInt(o.attr("cx"))-16.5,u=(s-(l+c))/r.length;return i=0===n.instation?0===n.upDown?a+u:a-u:a,-100===i?e(this).css("transition-duration",0).hide():e(this).show(),i},w=function(e){var n,i=t.findLineCircle(e.stopNo,e.upDown);if(!i)return n=-100,n;n=parseInt(i.attr("cy"));var o=h[e.stopNo+"_"+e.upDown][e.getKey()];return n=0===e.upDown?n-22-17*o:n+6+19*o,n},E=function(t){return t.getText()};m.enter().append("text").style("fill",(function(e){return 0===e.upDown?t.chart_gps_up_text_f_color:1===e.upDown?t.chart_gps_down_text_f_color:t.chart_gps_up_text_f_color})).attr("_id",(function(t){return"tx_"+t.getKey()})).transition().attr("x",b).attr("y",w).attr("updown",(function(t){return t.upDown})).text(E),v.attr("_id",(function(t){return"tx_"+t.getKey()})).transition().attr("x",b).attr("y",w).attr("updown",(function(t){return t.upDown})).text(E);var _=[];e.each(h,(function(n,i){var o=n.split("_")[0],r=n.split("_")[1],a=[];if(e.each(i,(function(t){a.push(t)})),e(t.$el).find("g[_id=merger_"+n+"]").remove(),a.length<=2)return!0;var s=t.findLineCircle(o,r);if(!s)return!0;var l=parseInt(s.attr("cx")),c=parseInt(s.attr("cy"));e.each(a,(function(n,i){e(t.$el).find("rect[_id=rct_"+i+"],text[_id=tx_"+i+"]").attr("class","merge_hide")})),_.push({x:l,y:c,key:n,upDown:parseInt(r),length:a.length})}));var B=o.selectAll("g").data(_,(function(t){return t.key})),x=B,C=B.exit();C.remove(),x=x.enter().append("g").classed("merge-item",!0).attr("updown",(function(t){return t.upDown})).attr("_id",(function(t){return"merger_"+t.key})),x.append("rect").style("fill",(function(e){return 0===e.upDown?t.chart_gps_up_merge_rect_color:1===e.upDown?t.chart_gps_down_merge_rect_color:t.chart_gps_up_merge_rect_color})).style("stroke",(function(e){return 0===e.upDown?t.chart_gps_up_merge_rect_color:1===e.upDown?t.chart_gps_down_merge_rect_color:t.chart_gps_up_merge_rect_color})).attr("width","22px").attr("height","22px").attr("rx","15px").attr("x",(function(t){return t.x-11})).attr("y",(function(t){return 0===t.upDown?t.y-31:t.y+8})),B.select("rect").attr("x",(function(t){return t.x-11})).attr("y",(function(t){return 0===t.upDown?t.y-31:t.y+8})),x.append("text").text((function(t){return t.length})).style("fill",(function(e){return 0===e.upDown?t.chart_gps_up_merge_text_f_color:1===e.upDown?t.chart_gps_down_merge_text_f_color:t.chart_gps_up_merge_text_f_color})).attr("x",(function(t){return t.x-4.5*(t.length+"").length})).attr("y",(function(t){return 0===t.upDown?t.y-14:t.y+24})),B.select("text").text((function(t){return t.length})).attr("x",(function(t){return t.x-4.5*(t.length+"").length})).attr("y",(function(t){return 0===t.upDown?t.y-14:t.y+24}))}}});n("55dd");function bn(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=wn(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,o=function(){};return{s:o,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,r=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw r}}}}function wn(t,e){if(t){if("string"===typeof t)return En(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?En(t,e):void 0}}function En(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var _n=function(){function t(e,n,i){Ie(this,t),this.page=0,this.pageSize=0===n?1:n,this.allDataSet=i,this.count=this.allDataSet.length,this.pageCount=Math.ceil(this.count/this.pageSize),this.currentPageDataSet=this.allDataSet.slice(this.page*this.pageSize,this.page*this.pageSize+this.pageSize)}return Fe(t,[{key:"dataSet",set:function(t){this.allDataSet=t,this.count=t.length,this.pageCount=Math.ceil(this.count/this.pageSize),this.page>this.pageCount-1&&(this.page=this.pageCount-1),this.currentPageDataSet=this.allDataSet.slice(this.page*this.pageSize,this.page*this.pageSize+this.pageSize)}},{key:"resetPageSize",value:function(t){this.pageSize=t,this.pageCount=Math.ceil(this.count/this.pageSize),this.page>this.pageCount-1&&(this.page=this.pageCount-1),this.currentPageDataSet=this.allDataSet.slice(this.page*this.pageSize,this.page*this.pageSize+this.pageSize)}},{key:"currentPage",get:function(){return this.currentPageDataSet}},{key:"next",value:function(){var t=this.currentPageDataSet;return this.page++,this.page>this.pageCount-1&&(this.page=0),this.currentPageDataSet=this.allDataSet.slice(this.page*this.pageSize,this.page*this.pageSize+this.pageSize),t}}]),t}(),Bn=function(){function t(e,n,i){Ie(this,t),this._pageSize=0===e?1:e,this._dataSet=n,this._valueFun=i,this._dataCount=this._dataSet.length,this._cLinkedList=[],this._pageCLinkedNode=null,this._currentPageDataSet=[],xn.call(this)}return Fe(t,[{key:"dataSet",set:function(t){this._dataSet=t,this._dataCount=this._dataSet.length,xn.call(this)}},{key:"currentPage",get:function(){return this._currentPageDataSet}},{key:"pageSize",set:function(t){this._pageSize=0===t?1:t,this._currentPageDataSet=[];for(var e=Math.min(this._cLinkedList.length,this._pageSize),n=this._pageCLinkedNode,i=0;i<e;i++)this._currentPageDataSet.push(n.nodeDataObj),n=n.nextNode}},{key:"scrollDown",value:function(){if(!this._pageCLinkedNode)return this._currentPageDataSet;this._pageCLinkedNode=this._pageCLinkedNode.preNode,this._currentPageDataSet=[];for(var t=Math.min(this._cLinkedList.length,this._pageSize),e=this._pageCLinkedNode,n=0;n<t;n++)this._currentPageDataSet.push(e.nodeDataObj),e=e.nextNode;return this._currentPageDataSet}},{key:"scrollUp",value:function(){if(!this._pageCLinkedNode)return this._currentPageDataSet;this._pageCLinkedNode=this._pageCLinkedNode.nextNode,this._currentPageDataSet=[];for(var t=Math.min(this._cLinkedList.length,this._pageSize),e=this._pageCLinkedNode,n=0;n<t;n++)this._currentPageDataSet.push(e.nodeDataObj),e=e.nextNode;return this._currentPageDataSet}}]),t}();function xn(){this._cLinkedList=[];for(var t=0;t<this._dataCount;t++){var e={preNode:null,nodeDataObj:this._dataSet[t],nextNode:null};this._cLinkedList.push(e)}for(var n=0;n<this._cLinkedList.length;n++)0===n?(this._cLinkedList[0].preNode=this._cLinkedList[this._cLinkedList.length-1],1===this._cLinkedList.length?this._cLinkedList[0].nextNode=this._cLinkedList[0]:this._cLinkedList[0].nextNode=this._cLinkedList[n+1]):n===this._cLinkedList.length-1?(this._cLinkedList[this._cLinkedList.length-1].nextNode=this._cLinkedList[0],1===this._cLinkedList.length?this._cLinkedList[this._cLinkedList.length-1].preNode=this._cLinkedList[this._cLinkedList.length-1]:this._cLinkedList[this._cLinkedList.length-1].preNode=this._cLinkedList[n-1]):(this._cLinkedList[n].preNode=this._cLinkedList[n-1],this._cLinkedList[n].nextNode=this._cLinkedList[n+1]);if(0===this._cLinkedList.length)this._pageCLinkedNode=null;else if(this._pageCLinkedNode){var i,o=bn(this._cLinkedList);try{for(o.s();!(i=o.n()).done;){var r=i.value;if(this._valueFun(r.nodeDataObj)===this._valueFun(this._pageCLinkedNode.nodeDataObj)){this._pageCLinkedNode=r;break}}}catch(c){o.e(c)}finally{o.f()}this._pageCLinkedNode||(this._pageCLinkedNode=this._cLinkedList[0])}else this._pageCLinkedNode=this._cLinkedList[0];if(this._pageCLinkedNode){this._currentPageDataSet=[];for(var a=Math.min(this._cLinkedList.length,this._pageSize),s=this._pageCLinkedNode,l=0;l<a;l++)this._currentPageDataSet.push(s.nodeDataObj),s=s.nextNode}else this.currentPageDataSet=[]}var Cn={lineRouteList:[{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"}],lineGpsList:[{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"BCODE",upDown:0,deviceId:"559L1014",instation:1,nbbm:"W2B-064"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"BCODE",upDown:0,deviceId:"559L1013",instation:1,nbbm:"W2B-065"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"CCODE",upDown:0,deviceId:"559L1015",instation:0,nbbm:"W2B-066"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"E1CODE",upDown:1,deviceId:"559L1025",instation:1,nbbm:"W2B-026"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1035",instation:1,nbbm:"W2B-036"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1045",instation:1,nbbm:"W2B-046"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1055",instation:1,nbbm:"W2B-056"}]};function kn(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||jn(t)||e&&t&&"number"===typeof t.length){n&&n;var i=0,o=function(){};return{s:o,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,a=!0,s=!1;return{s:function(){n.call(t)},n:function(){var t=n.next();return t.done,t},e:function(t){!0,t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw r}}}}function jn(t,e){if(t){if("string"===typeof t)return In(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&t.constructor.name,"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?In(t,e):void 0}}function In(t,e){(null==e||e>t.length)&&t.length;for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}j.string({defaultValue:"preview",label:"模式",visible:!1}),j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),j.number({label:"每页显示线路图数量",defaultValue:5,layout:{prefixCls:"bsth-line"}}),j.select({label:"分页模式",defaultValue:"normal",options:[{label:"左右翻页",value:"normal"},{label:"滚动翻页",value:"scroll"}],layout:{prefixCls:"bsth-line"}}),j.number({label:"自动翻页间隔(毫秒)",defaultValue:2e3,layout:{prefixCls:"bsth-line"}}),j.number({label:"gps数据刷新间隔(分钟)",defaultValue:1,layout:{prefixCls:"bsth-line"}}),j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"外层css属性"},class:"bsth-line-item-divider"})}}),j.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),j.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),j.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),j.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图外层css属性"},class:"bsth-line-item-divider"})}}),j.number({label:"线路名称字体大小",defaultValue:20,layout:{prefixCls:"bsth-line"}}),j.color({label:"线路名称字体颜色",defaultValue:"#babdbd",layout:{prefixCls:"bsth-line"}}),j.number({label:"图左边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),j.number({label:"图右边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),j.number({label:"图上边margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),j.number({label:"图底部margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图内层css属性"},class:"bsth-line-item-divider"})}}),j.number({label:"内部线路图距离左边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),j.number({label:"内部线路图居中修正padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),j.number({label:"内部线路图居中修正padding",defaultValue:4,layout:{prefixCls:"bsth-line"}}),j.number({label:"站定名显示最大文字个数",defaultValue:7,layout:{prefixCls:"bsth-line"}}),j.color({label:"上行线颜色",defaultValue:"#5E96D2",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行线颜色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行线站点圆圈填充色",defaultValue:"#5e96d2",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行线站点圆圈填充色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),j.number({label:"站名字体大小",defaultValue:14,layout:{prefixCls:"bsth-line"}}),j.color({label:"上行站名颜色",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行站名颜色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行下行同名站名颜色",defaultValue:"#3e3e3e",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行gps车辆rect背景色",defaultValue:"#3e50b3",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行gps车辆rect背景色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),j.color({label:"上行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),j.color({label:"下行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}});var Dn=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.directions=parseInt(e.directions),this.stationRouteCode=parseInt(e.stationRouteCode),this.stationCode=e.stationCode,this.stationName=e.stationName,this.stationMark=e.stationMark}return Fe(t,[{key:"toObject",value:function(){return{lineName:this.lineName,lineCode:this.lineCode,directions:this.directions,stationRouteCode:this.stationRouteCode,stationCode:this.stationCode,stationName:this.stationName,stationMark:this.stationMark}}}]),t}(),Fn=Dn,Mn=function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.stopNo=e.stopNo,this.upDown=parseInt(e.upDown),this.deviceId=e.deviceId,this.instation=parseInt(e.instation),this.nbbm=e.nbbm},Tn=Mn,Nn=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.names=e.names,this.ids=e.ids,this.type=e.type,this.stationMark=e.stationMark}return Fe(t,null,[{key:"fromLineRouteDataOfApi",value:function(e,n){if(!e&&!n)return null;if(e&&!(e instanceof Fn))throw new Error("up不等于null,up参数不是LineRouteDataOfApi类型");if(n&&!(n instanceof Fn))throw new Error("down不等于null,down参数不是LineRouteDataOfApi类型");var i=null,o=2,r=null,a=null;return e?n?(i=[e.stationName],r=[e.stationCode+"_"+e.directions,n.stationCode+"_"+n.directions],a=e.stationMark,e.stationName!==n.stationName&&(o=3,i.push(n.stationName))):(o=0,i=[e.stationName],r=[e.stationCode+"_"+e.directions],a=e.stationMark):(o=1,i=[n.stationName],r=[n.stationCode+"_"+n.directions],a=n.stationMark),new t({names:i,ids:r,type:o,stationMark:a})}}]),t}(),Sn=Nn,Qn=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.route=e.route,this.gps=e.gps,this.width=0,this.height=0,this.top=e.top,this.itemIndex=e.itemIndex,this.pageIndex=e.pageIndex}return Fe(t,[{key:"toObject",value:function(){return{lineName:this.lineName,lineCode:this.lineCode,route:this.route,gps:this.gps,width:this.width,height:this.height,top:this.top,itemIndex:this.itemIndex,pageIndex:this.pageIndex}}}]),t}(),Yn=Qn;function On(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=Rn(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,o=function(){};return{s:o,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,r=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw r}}}}function Rn(t,e){if(t){if("string"===typeof t)return Pn(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Pn(t,e):void 0}}function Pn(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var qn=function(){function t(e,n,i){Ie(this,t),this._pageSize=e,this._listWidth=n,this._listHeight=i,this._innerDataItemList=[],this._pageCount=0,this._scrollDataItemList=[],this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer={timer:null,count:0,millisecond:1}}return Fe(t,[{key:"pageSize",set:function(t){this._pageSize=t,this._pageCount=Math.ceil(this._innerDataItemList.length/this._pageSize),Un.call(this)}},{key:"scrollDataItemList",get:function(){return this._scrollDataItemList}},{key:"listWidth",set:function(t){this._listWidth=t,Ln.call(this)}},{key:"listHeight",set:function(t){this._listHeight=t,Ln.call(this)}},{key:"scrollUp",value:function(t){if(!(this._scrollDataItemList.length<=this._pageSize)){if(this._scrollAnimateTimer.timer){try{clearInterval(this._scrollAnimateTimer.timer)}catch(a){}this._scrollAnimateTimer.timer=null}var e=this._scrollDataItemList[this._currentScrollIndex].top,n=this._scrollDataItemList[this._nextScrollIndex].top,i=t.scroll_speed,o=-i/1e3,r=this;r._scrollAnimateTimer.timer=setInterval((function(){r._scrollAnimateTimer.count++;var i=e+r._scrollAnimateTimer.count*o;if(t.$emit("scrollTop",i),Math.abs(n-i)<Math.abs(o)){if(t.$emit("scrollTop",n),r._scrollAnimateTimer.count=0,r._scrollDataItemList[r._nextScrollIndex].pageIndex===r._pageCount?(t.$emit("scrollTop",r._scrollDataItemList[0].top),r._currentScrollIndex=0,r._nextScrollIndex=1):(r._currentScrollIndex=r._nextScrollIndex,r._nextScrollIndex++),r._scrollAnimateTimer.timer){try{clearInterval(r._scrollAnimateTimer.timer)}catch(a){}r._scrollAnimateTimer.timer=null}t.scrollTimer.count++}}),1)}}},{key:"initRouteData",value:function(t){this.resetData(),this._innerDataItemList.splice(0,this._innerDataItemList.length);var e,n=On(Hn(t));try{for(n.s();!(e=n.n()).done;){var i=e.value;this._innerDataItemList.push(i)}}catch(o){n.e(o)}finally{n.f()}this._pageCount=Math.ceil(this._innerDataItemList.length/this._pageSize),Un.call(this)}},{key:"refreshGps",value:function(t){zn(t,this._scrollDataItemList)}},{key:"resetData",value:function(){if(this._innerDataItemList.splice(0,this._innerDataItemList.length),this._pageCount=0,this._scrollDataItemList.splice(0,this._scrollDataItemList.length),this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer.timer)try{clearInterval(this._scrollAnimateTimer.timer)}catch(t){}this._scrollAnimateTimer.timer=null,this._scrollAnimateTimer.count=0}}]),t}();function Un(){this._scrollDataItemList.splice(0,this._scrollDataItemList.length);var t,e=On(this._innerDataItemList);try{for(e.s();!(t=e.n()).done;){var n=t.value;this._scrollDataItemList.push(new Yn(n))}}catch(c){e.e(c)}finally{e.f()}if(!(this._innerDataItemList.length<=this._pageSize)){for(var i=0;i<this._pageCount;i++)for(var o=0;o<this._pageSize;o++){var r=i*this._pageSize+o;if(r===this._scrollDataItemList.length)break;var a=this._scrollDataItemList[i*this._pageSize+o];a.itemIndex=o,a.pageIndex=i}for(var s=0;s<this._pageSize;s++){var l=new Yn(this._innerDataItemList[s]);l.pageIndex=this._pageCount,this._scrollDataItemList.push(l)}Ln.call(this)}}function Ln(){for(var t=Math.floor(this._listHeight/this._pageSize),e=0;e<this._scrollDataItemList.length;e++){var n=this._scrollDataItemList[e];n.width=this._listWidth,n.height=t,n.top=-e*t}}function zn(t,e){var n,i=An.listGroupBy(t,(function(t){return t.lineName+"_"+t.lineCode})),o=On(e);try{for(o.s();!(n=o.n()).done;){var r=n.value,a=r.lineName+"_"+r.lineCode;if(r.gps.splice(0,r.gps.length),i[a]){var s,l=On(i[a]);try{for(l.s();!(s=l.n()).done;){var c=s.value;r.gps.push(new mn(c))}}catch(u){l.e(u)}finally{l.f()}}}}catch(u){o.e(u)}finally{o.f()}}function Hn(t){for(var e=An.listGroupBy(t,(function(t){return t.lineName+"_"+t.lineCode})),n=[],i=Object.keys(e),o=0,r=i;o<r.length;o++){var a=r[o];n.push(a)}if(n.sort((function(t,e){return t.localeCompare(e)})),0===n.length)return[];for(var s=[],l=0,c=n;l<c.length;l++){var u=c[l],h=u.split("_")[0],d=u.split("_")[1],f=new Yn({lineName:h,lineCode:d,route:[],gps:[],width:0,height:0,top:0,itemIndex:0,pageIndex:0}),A=e[u],p=An.listGroupBy(A,(function(t){return t.directions}));p[0]||(p[0]=[]),p[1]||(p[1]=[]);try{p[0].sort((function(t,e){return t.stationRouteCode-e.stationRouteCode})),p[1].sort((function(t,e){return e.stationRouteCode-t.stationRouteCode}))}catch(Wn){console.log("站定路由数据异常!"),console.log(Wn)}for(var g=[],v=void 0,m=void 0,y=0;y<888;y++){if(v=p[0][y],m=p[1][y],null!=v&&null!=m&&v.stationName!==m.stationName){var b=An.listIndexOf(p[1],v,"stationName");if(b>y){An.insertNullToList(p[0],y,b-y),y-=1;continue}if(b=An.listIndexOf(p[0],m,"stationName"),b>y){An.insertNullToList(p[1],y,b-y),y-=1;continue}}if(null==v&&null==m)break;g.splice(y,1,Sn.fromLineRouteDataOfApi(v,m))}f.route=g,s.push(f)}return s}var Gn=qn;function Wn(t,e){t=t.replace(/=/g,"");var n=[];switch(e.constructor){case String:case Number:case Boolean:n.push(encodeURIComponent(t)+"="+encodeURIComponent(e));break;case Array:e.forEach((function(e){n=n.concat(Wn(t+"[]=",e))}));break;case Object:Object.keys(e).forEach((function(i){var o=e[i];n=n.concat(Wn(t+"["+i+"]",o))}))}return n}function Jn(t){var e=[];return t.forEach((function(t){"string"==typeof t?e.push(t):e=e.concat(Jn(t))})),e}
  38 +o.version="2.29.1",a(Kn),o.fn=uo,o.min=ti,o.max=ei,o.now=ni,o.utc=m,o.unix=co,o.months=yo,o.isDate=f,o.locale=mn,o.invalid=b,o.duration=Si,o.isMoment=j,o.weekdays=bo,o.parseZone=ho,o.localeData=_n,o.isDuration=li,o.monthsShort=_o,o.weekdaysMin=Ao,o.defineLocale=gn,o.updateLocale=yn,o.locales=bn,o.weekdaysShort=wo,o.normalizeUnits=ot,o.relativeTimeRounding=oa,o.relativeTimeThreshold=aa,o.calendarFormat=Vi,o.prototype=uo,o.HTML5_FMT={DATETIME_LOCAL:"YYYY-MM-DDTHH:mm",DATETIME_LOCAL_SECONDS:"YYYY-MM-DDTHH:mm:ss",DATETIME_LOCAL_MS:"YYYY-MM-DDTHH:mm:ss.SSS",DATE:"YYYY-MM-DD",TIME:"HH:mm",TIME_SECONDS:"HH:mm:ss",TIME_MS:"HH:mm:ss.SSS",WEEK:"GGGG-[W]WW",MONTH:"YYYY-MM"},o}))}).call(this,n("62e4")(t))},c207:function(t,e){},c28b:function(t,e,n){!function(e,n){t.exports=n()}(0,(function(){var t="undefined"!=typeof window,e="undefined"!=typeof navigator,n=t&&("ontouchstart"in window||e&&navigator.msMaxTouchPoints>0)?["touchstart"]:["click"];function i(t){var e=t.event,n=t.handler;(0,t.middleware)(e)&&n(e)}function r(t,e){var r=function(t){var e="function"==typeof t;if(!e&&"object"!=typeof t)throw new Error("v-click-outside: Binding value must be a function or an object");return{handler:e?t:t.handler,middleware:t.middleware||function(t){return t},events:t.events||n,isActive:!(!1===t.isActive),detectIframe:!(!1===t.detectIframe)}}(e.value),o=r.handler,a=r.middleware,s=r.detectIframe;if(r.isActive){if(t["__v-click-outside"]=r.events.map((function(e){return{event:e,srcTarget:document.documentElement,handler:function(e){return function(t){var e=t.el,n=t.event,r=t.handler,o=t.middleware,a=n.path||n.composedPath&&n.composedPath();(a?a.indexOf(e)<0:!e.contains(n.target))&&i({event:n,handler:r,middleware:o})}({el:t,event:e,handler:o,middleware:a})}}})),s){var l={event:"blur",srcTarget:window,handler:function(e){return function(t){var e=t.el,n=t.event,r=t.handler,o=t.middleware;setTimeout((function(){var t=document.activeElement;t&&"IFRAME"===t.tagName&&!e.contains(t)&&i({event:n,handler:r,middleware:o})}),0)}({el:t,event:e,handler:o,middleware:a})}};t["__v-click-outside"]=[].concat(t["__v-click-outside"],[l])}t["__v-click-outside"].forEach((function(e){var n=e.event,i=e.srcTarget,r=e.handler;return setTimeout((function(){t["__v-click-outside"]&&i.addEventListener(n,r,!1)}),0)}))}}function o(t){(t["__v-click-outside"]||[]).forEach((function(t){return t.srcTarget.removeEventListener(t.event,t.handler,!1)})),delete t["__v-click-outside"]}var a=t?{bind:r,update:function(t,e){var n=e.value,i=e.oldValue;JSON.stringify(n)!==JSON.stringify(i)&&(o(t),r(t,{value:n}))},unbind:o}:{};return{install:function(t){t.directive("click-outside",a)},directive:a}}))},c345:function(t,e,n){"use strict";var i=n("c532"),r=["age","authorization","content-length","content-type","etag","expires","from","host","if-modified-since","if-unmodified-since","last-modified","location","max-forwards","proxy-authorization","referer","retry-after","user-agent"];t.exports=function(t){var e,n,o,a={};return t?(i.forEach(t.split("\n"),(function(t){if(o=t.indexOf(":"),e=i.trim(t.substr(0,o)).toLowerCase(),n=i.trim(t.substr(o+1)),e){if(a[e]&&r.indexOf(e)>=0)return;a[e]="set-cookie"===e?(a[e]?a[e]:[]).concat([n]):a[e]?a[e]+", "+n:n}})),a):a}},c366:function(t,e,n){var i=n("6821"),r=n("9def"),o=n("77f1");t.exports=function(t){return function(e,n,a){var s,l=i(e),u=r(l.length),c=o(a,u);if(t&&n!=n){while(u>c)if(s=l[c++],s!=s)return!0}else for(;u>c;c++)if((t||c in l)&&l[c]===n)return t||c||0;return!t&&-1}}},c367:function(t,e,n){"use strict";var i=n("8436"),r=n("50ed"),o=n("481b"),a=n("36c3");t.exports=n("30f1")(Array,"Array",(function(t,e){this._t=a(t),this._i=0,this._k=e}),(function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,r(1)):r(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])}),"values"),o.Arguments=o.Array,i("keys"),i("values"),i("entries")},c3a1:function(t,e,n){var i=n("e6f3"),r=n("1691");t.exports=Object.keys||function(t){return i(t,r)}},c401:function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e,n){return i.forEach(n,(function(n){t=n(t,e)})),t}},c532:function(t,e,n){"use strict";var i=n("1d2b"),r=Object.prototype.toString;function o(t){return"[object Array]"===r.call(t)}function a(t){return"undefined"===typeof t}function s(t){return null!==t&&!a(t)&&null!==t.constructor&&!a(t.constructor)&&"function"===typeof t.constructor.isBuffer&&t.constructor.isBuffer(t)}function l(t){return"[object ArrayBuffer]"===r.call(t)}function u(t){return"undefined"!==typeof FormData&&t instanceof FormData}function c(t){var e;return e="undefined"!==typeof ArrayBuffer&&ArrayBuffer.isView?ArrayBuffer.isView(t):t&&t.buffer&&t.buffer instanceof ArrayBuffer,e}function h(t){return"string"===typeof t}function d(t){return"number"===typeof t}function f(t){return null!==t&&"object"===typeof t}function p(t){return"[object Date]"===r.call(t)}function v(t){return"[object File]"===r.call(t)}function m(t){return"[object Blob]"===r.call(t)}function g(t){return"[object Function]"===r.call(t)}function y(t){return f(t)&&g(t.pipe)}function _(t){return"undefined"!==typeof URLSearchParams&&t instanceof URLSearchParams}function b(t){return t.replace(/^\s*/,"").replace(/\s*$/,"")}function w(){return("undefined"===typeof navigator||"ReactNative"!==navigator.product&&"NativeScript"!==navigator.product&&"NS"!==navigator.product)&&("undefined"!==typeof window&&"undefined"!==typeof document)}function A(t,e){if(null!==t&&"undefined"!==typeof t)if("object"!==typeof t&&(t=[t]),o(t))for(var n=0,i=t.length;n<i;n++)e.call(null,t[n],n,t);else for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&e.call(null,t[r],r,t)}function x(){var t={};function e(e,n){"object"===typeof t[n]&&"object"===typeof e?t[n]=x(t[n],e):t[n]=e}for(var n=0,i=arguments.length;n<i;n++)A(arguments[n],e);return t}function k(){var t={};function e(e,n){"object"===typeof t[n]&&"object"===typeof e?t[n]=k(t[n],e):t[n]="object"===typeof e?k({},e):e}for(var n=0,i=arguments.length;n<i;n++)A(arguments[n],e);return t}function j(t,e,n){return A(e,(function(e,r){t[r]=n&&"function"===typeof e?i(e,n):e})),t}t.exports={isArray:o,isArrayBuffer:l,isBuffer:s,isFormData:u,isArrayBufferView:c,isString:h,isNumber:d,isObject:f,isUndefined:a,isDate:p,isFile:v,isBlob:m,isFunction:g,isStream:y,isURLSearchParams:_,isStandardBrowserEnv:w,forEach:A,merge:x,deepMerge:k,extend:j,trim:b}},c5f6:function(t,e,n){"use strict";var i=n("7726"),r=n("69a8"),o=n("2d95"),a=n("5dbc"),s=n("6a99"),l=n("79e5"),u=n("9093").f,c=n("11e9").f,h=n("86cc").f,d=n("aa77").trim,f="Number",p=i[f],v=p,m=p.prototype,g=o(n("2aeb")(m))==f,y="trim"in String.prototype,_=function(t){var e=s(t,!1);if("string"==typeof e&&e.length>2){e=y?e.trim():d(e,3);var n,i,r,o=e.charCodeAt(0);if(43===o||45===o){if(n=e.charCodeAt(2),88===n||120===n)return NaN}else if(48===o){switch(e.charCodeAt(1)){case 66:case 98:i=2,r=49;break;case 79:case 111:i=8,r=55;break;default:return+e}for(var a,l=e.slice(2),u=0,c=l.length;u<c;u++)if(a=l.charCodeAt(u),a<48||a>r)return NaN;return parseInt(l,i)}}return+e};if(!p(" 0o1")||!p("0b1")||p("+0x1")){p=function(t){var e=arguments.length<1?0:t,n=this;return n instanceof p&&(g?l((function(){m.valueOf.call(n)})):o(n)!=f)?a(new v(_(e)),n,p):_(e)};for(var b,w=n("9e1e")?u(v):"MAX_VALUE,MIN_VALUE,NaN,NEGATIVE_INFINITY,POSITIVE_INFINITY,EPSILON,isFinite,isInteger,isNaN,isSafeInteger,MAX_SAFE_INTEGER,MIN_SAFE_INTEGER,parseFloat,parseInt,isInteger".split(","),A=0;w.length>A;A++)r(v,b=w[A])&&!r(p,b)&&h(p,b,c(v,b));p.prototype=m,m.constructor=p,n("2aba")(i,f,p)}},c69a:function(t,e,n){t.exports=!n("9e1e")&&!n("79e5")((function(){return 7!=Object.defineProperty(n("230e")("div"),"a",{get:function(){return 7}}).a}))},c8af:function(t,e,n){"use strict";var i=n("c532");t.exports=function(t,e){i.forEach(t,(function(n,i){i!==e&&i.toUpperCase()===e.toUpperCase()&&(t[e]=n,delete t[i])}))}},c8ba:function(t,e){var n;n=function(){return this}();try{n=n||new Function("return this")()}catch(i){"object"===typeof window&&(n=window)}t.exports=n},ca5a:function(t,e){var n=0,i=Math.random();t.exports=function(t){return"Symbol(".concat(void 0===t?"":t,")_",(++n+i).toString(36))}},cadf:function(t,e,n){"use strict";var i=n("9c6c"),r=n("d53b"),o=n("84f2"),a=n("6821");t.exports=n("01f9")(Array,"Array",(function(t,e){this._t=a(t),this._i=0,this._k=e}),(function(){var t=this._t,e=this._k,n=this._i++;return!t||n>=t.length?(this._t=void 0,r(1)):r(0,"keys"==e?n:"values"==e?t[n]:[n,t[n]])}),"values"),o.Arguments=o.Array,i("keys"),i("values"),i("entries")},cb7c:function(t,e,n){var i=n("d3f4");t.exports=function(t){if(!i(t))throw TypeError(t+" is not an object!");return t}},ccb9:function(t,e,n){e.f=n("5168")},cd1c:function(t,e,n){var i=n("e853");t.exports=function(t,e){return new(i(t))(e)}},ce10:function(t,e,n){var i=n("69a8"),r=n("6821"),o=n("c366")(!1),a=n("613b")("IE_PROTO");t.exports=function(t,e){var n,s=r(t),l=0,u=[];for(n in s)n!=a&&i(s,n)&&u.push(n);while(e.length>l)i(s,n=e[l++])&&(~o(u,n)||u.push(n));return u}},ce7e:function(t,e,n){var i=n("63b6"),r=n("584a"),o=n("294c");t.exports=function(t,e){var n=(r.Object||{})[t]||Object[t],a={};a[t]=e(n),i(i.S+i.F*o((function(){n(1)})),"Object",a)}},cee4:function(t,e,n){"use strict";var i=n("c532"),r=n("1d2b"),o=n("0a06"),a=n("4a7b"),s=n("2444");function l(t){var e=new o(t),n=r(o.prototype.request,e);return i.extend(n,o.prototype,e),i.extend(n,e),n}var u=l(s);u.Axios=o,u.create=function(t){return l(a(u.defaults,t))},u.Cancel=n("7a77"),u.CancelToken=n("8df4"),u.isCancel=n("2e67"),u.all=function(t){return Promise.all(t)},u.spread=n("0df6"),t.exports=u,t.exports.default=u},d02c:function(t,e){var n=Object.create||function(){function t(){}return function(e){if(1!==arguments.length)throw new Error("Object.create shim only accepts one parameter.");return t.prototype=e,new t}}();function i(t,e){this.name="ParsingError",this.code=t.code,this.message=e||t.message}function r(t){function e(t,e,n,i){return 3600*(0|t)+60*(0|e)+(0|n)+(0|i)/1e3}var n=t.match(/^(\d+):(\d{2})(:\d{2})?\.(\d{3})/);return n?n[3]?e(n[1],n[2],n[3].replace(":",""),n[4]):n[1]>59?e(n[1],n[2],0,n[4]):e(0,n[1],n[2],n[4]):null}function o(){this.values=n(null)}function a(t,e,n,i){var r=i?t.split(i):[t];for(var o in r)if("string"===typeof r[o]){var a=r[o].split(n);if(2===a.length){var s=a[0],l=a[1];e(s,l)}}}function s(t,e,n){var s=t;function l(){var e=r(t);if(null===e)throw new i(i.Errors.BadTimeStamp,"Malformed timestamp: "+s);return t=t.replace(/^[^\sa-zA-Z-]+/,""),e}function u(t,e){var i=new o;a(t,(function(t,e){switch(t){case"region":for(var r=n.length-1;r>=0;r--)if(n[r].id===e){i.set(t,n[r].region);break}break;case"vertical":i.alt(t,e,["rl","lr"]);break;case"line":var o=e.split(","),a=o[0];i.integer(t,a),i.percent(t,a)&&i.set("snapToLines",!1),i.alt(t,a,["auto"]),2===o.length&&i.alt("lineAlign",o[1],["start","middle","end"]);break;case"position":o=e.split(","),i.percent(t,o[0]),2===o.length&&i.alt("positionAlign",o[1],["start","middle","end"]);break;case"size":i.percent(t,e);break;case"align":i.alt(t,e,["start","middle","end","left","right"]);break}}),/:/,/\s/),e.region=i.get("region",null),e.vertical=i.get("vertical",""),e.line=i.get("line","auto"),e.lineAlign=i.get("lineAlign","start"),e.snapToLines=i.get("snapToLines",!0),e.size=i.get("size",100),e.align=i.get("align","middle"),e.position=i.get("position",{start:0,left:0,middle:50,end:100,right:100},e.align),e.positionAlign=i.get("positionAlign",{start:"start",left:"start",middle:"middle",end:"end",right:"end"},e.align)}function c(){t=t.replace(/^\s+/,"")}if(c(),e.startTime=l(),c(),"--\x3e"!==t.substr(0,3))throw new i(i.Errors.BadTimeStamp,"Malformed time stamp (time stamps must be separated by '--\x3e'): "+s);t=t.substr(3),c(),e.endTime=l(),c(),u(t,e)}i.prototype=n(Error.prototype),i.prototype.constructor=i,i.Errors={BadSignature:{code:0,message:"Malformed WebVTT signature."},BadTimeStamp:{code:1,message:"Malformed time stamp."}},o.prototype={set:function(t,e){this.get(t)||""===e||(this.values[t]=e)},get:function(t,e,n){return n?this.has(t)?this.values[t]:e[n]:this.has(t)?this.values[t]:e},has:function(t){return t in this.values},alt:function(t,e,n){for(var i=0;i<n.length;++i)if(e===n[i]){this.set(t,e);break}},integer:function(t,e){/^-?\d+$/.test(e)&&this.set(t,parseInt(e,10))},percent:function(t,e){return!!(e.match(/^([\d]{1,3})(\.[\d]*)?%$/)&&(e=parseFloat(e),e>=0&&e<=100))&&(this.set(t,e),!0)}};var l={"&amp;":"&","&lt;":"<","&gt;":">","&lrm;":"‎","&rlm;":"‏","&nbsp;":" "},u={c:"span",i:"i",b:"b",u:"u",ruby:"ruby",rt:"rt",v:"span",lang:"span"},c={v:"title",lang:"lang"},h={rt:"ruby"};function d(t,e){function n(){if(!e)return null;function t(t){return e=e.substr(t.length),t}var n=e.match(/^([^<]*)(<[^>]*>?)?/);return t(n[1]?n[1]:n[2])}function i(t){return l[t]}function o(t){while(y=t.match(/&(amp|lt|gt|lrm|rlm|nbsp);/))t=t.replace(y[0],i);return t}function a(t,e){return!h[e.localName]||h[e.localName]===t.localName}function s(e,n){var i=u[e];if(!i)return null;var r=t.document.createElement(i);r.localName=i;var o=c[e];return o&&n&&(r[o]=n.trim()),r}var d,f=t.document.createElement("div"),p=f,v=[];while(null!==(d=n()))if("<"!==d[0])p.appendChild(t.document.createTextNode(o(d)));else{if("/"===d[1]){v.length&&v[v.length-1]===d.substr(2).replace(">","")&&(v.pop(),p=p.parentNode);continue}var m,g=r(d.substr(1,d.length-2));if(g){m=t.document.createProcessingInstruction("timestamp",g),p.appendChild(m);continue}var y=d.match(/^<([^.\s/0-9>]+)(\.[^\s\\>]+)?([^>\\]+)?(\\?)>?$/);if(!y)continue;if(m=s(y[1],y[3]),!m)continue;if(!a(p,m))continue;y[2]&&(m.className=y[2].substr(1).replace("."," ")),v.push(y[1]),p.appendChild(m),p=m}return f}var f=[[1470,1470],[1472,1472],[1475,1475],[1478,1478],[1488,1514],[1520,1524],[1544,1544],[1547,1547],[1549,1549],[1563,1563],[1566,1610],[1645,1647],[1649,1749],[1765,1766],[1774,1775],[1786,1805],[1807,1808],[1810,1839],[1869,1957],[1969,1969],[1984,2026],[2036,2037],[2042,2042],[2048,2069],[2074,2074],[2084,2084],[2088,2088],[2096,2110],[2112,2136],[2142,2142],[2208,2208],[2210,2220],[8207,8207],[64285,64285],[64287,64296],[64298,64310],[64312,64316],[64318,64318],[64320,64321],[64323,64324],[64326,64449],[64467,64829],[64848,64911],[64914,64967],[65008,65020],[65136,65140],[65142,65276],[67584,67589],[67592,67592],[67594,67637],[67639,67640],[67644,67644],[67647,67669],[67671,67679],[67840,67867],[67872,67897],[67903,67903],[67968,68023],[68030,68031],[68096,68096],[68112,68115],[68117,68119],[68121,68147],[68160,68167],[68176,68184],[68192,68223],[68352,68405],[68416,68437],[68440,68466],[68472,68479],[68608,68680],[126464,126467],[126469,126495],[126497,126498],[126500,126500],[126503,126503],[126505,126514],[126516,126519],[126521,126521],[126523,126523],[126530,126530],[126535,126535],[126537,126537],[126539,126539],[126541,126543],[126545,126546],[126548,126548],[126551,126551],[126553,126553],[126555,126555],[126557,126557],[126559,126559],[126561,126562],[126564,126564],[126567,126570],[126572,126578],[126580,126583],[126585,126588],[126590,126590],[126592,126601],[126603,126619],[126625,126627],[126629,126633],[126635,126651],[1114109,1114109]];function p(t){for(var e=0;e<f.length;e++){var n=f[e];if(t>=n[0]&&t<=n[1])return!0}return!1}function v(t){var e,n=[],i="";if(!t||!t.childNodes)return"ltr";function r(t,e){for(var n=e.childNodes.length-1;n>=0;n--)t.push(e.childNodes[n])}function o(t){if(!t||!t.length)return null;var e=t.pop(),n=e.textContent||e.innerText;if(n){var i=n.match(/^.*(\n|\r)/);return i?(t.length=0,i[0]):n}return"ruby"===e.tagName?o(t):e.childNodes?(r(t,e),o(t)):void 0}r(n,t);while(i=o(n))for(var a=0;a<i.length;a++)if(e=i.charCodeAt(a),p(e))return"rtl";return"ltr"}function m(t){if("number"===typeof t.line&&(t.snapToLines||t.line>=0&&t.line<=100))return t.line;if(!t.track||!t.track.textTrackList||!t.track.textTrackList.mediaElement)return-1;for(var e=t.track,n=e.textTrackList,i=0,r=0;r<n.length&&n[r]!==e;r++)"showing"===n[r].mode&&i++;return-1*++i}function g(){}function y(t,e,n){var i=/MSIE\s8\.0/.test(navigator.userAgent),r="rgba(255, 255, 255, 1)",o="rgba(0, 0, 0, 0.8)";i&&(r="rgb(255, 255, 255)",o="rgb(0, 0, 0)"),g.call(this),this.cue=e,this.cueDiv=d(t,e.text);var a={color:r,backgroundColor:o,position:"relative",left:0,right:0,top:0,bottom:0,display:"inline"};i||(a.writingMode=""===e.vertical?"horizontal-tb":"lr"===e.vertical?"vertical-lr":"vertical-rl",a.unicodeBidi="plaintext"),this.applyStyles(a,this.cueDiv),this.div=t.document.createElement("div"),a={textAlign:"middle"===e.align?"center":e.align,font:n.font,whiteSpace:"pre-line",position:"absolute"},i||(a.direction=v(this.cueDiv),a.writingMode=""===e.vertical?"horizontal-tb":"lr"===e.vertical?"vertical-lr":"vertical-rl".stylesunicodeBidi="plaintext"),this.applyStyles(a),this.div.appendChild(this.cueDiv);var s=0;switch(e.positionAlign){case"start":s=e.position;break;case"middle":s=e.position-e.size/2;break;case"end":s=e.position-e.size;break}""===e.vertical?this.applyStyles({left:this.formatStyle(s,"%"),width:this.formatStyle(e.size,"%")}):this.applyStyles({top:this.formatStyle(s,"%"),height:this.formatStyle(e.size,"%")}),this.move=function(t){this.applyStyles({top:this.formatStyle(t.top,"px"),bottom:this.formatStyle(t.bottom,"px"),left:this.formatStyle(t.left,"px"),right:this.formatStyle(t.right,"px"),height:this.formatStyle(t.height,"px"),width:this.formatStyle(t.width,"px")})}}function _(t){var e,n,i,r,o=/MSIE\s8\.0/.test(navigator.userAgent);if(t.div){n=t.div.offsetHeight,i=t.div.offsetWidth,r=t.div.offsetTop;var a=(a=t.div.childNodes)&&(a=a[0])&&a.getClientRects&&a.getClientRects();t=t.div.getBoundingClientRect(),e=a?Math.max(a[0]&&a[0].height||0,t.height/a.length):0}this.left=t.left,this.right=t.right,this.top=t.top||r,this.height=t.height||n,this.bottom=t.bottom||r+(t.height||n),this.width=t.width||i,this.lineHeight=void 0!==e?e:t.lineHeight,o&&!this.lineHeight&&(this.lineHeight=13)}function b(t,e,n,i){function r(t,e){for(var r,o=new _(t),a=1,s=0;s<e.length;s++){while(t.overlapsOppositeAxis(n,e[s])||t.within(n)&&t.overlapsAny(i))t.move(e[s]);if(t.within(n))return t;var l=t.intersectPercentage(n);a>l&&(r=new _(t),a=l),t=new _(o)}return r||o}var o=new _(e),a=e.cue,s=m(a),l=[];if(a.snapToLines){var u;switch(a.vertical){case"":l=["+y","-y"],u="height";break;case"rl":l=["+x","-x"],u="width";break;case"lr":l=["-x","+x"],u="width";break}var c=o.lineHeight,h=c*Math.round(s),d=n[u]+c,f=l[0];Math.abs(h)>d&&(h=h<0?-1:1,h*=Math.ceil(d/c)*c),s<0&&(h+=""===a.vertical?n.height:n.width,l=l.reverse()),o.move(f,h)}else{var p=o.lineHeight/n.height*100;switch(a.lineAlign){case"middle":s-=p/2;break;case"end":s-=p;break}switch(a.vertical){case"":e.applyStyles({top:e.formatStyle(s,"%")});break;case"rl":e.applyStyles({left:e.formatStyle(s,"%")});break;case"lr":e.applyStyles({right:e.formatStyle(s,"%")});break}l=["+y","-x","+x","-y"],o=new _(e)}var v=r(o,l);e.move(v.toCSSCompatValues(n))}function w(){}g.prototype.applyStyles=function(t,e){for(var n in e=e||this.div,t)t.hasOwnProperty(n)&&(e.style[n]=t[n])},g.prototype.formatStyle=function(t,e){return 0===t?0:t+e},y.prototype=n(g.prototype),y.prototype.constructor=y,_.prototype.move=function(t,e){switch(e=void 0!==e?e:this.lineHeight,t){case"+x":this.left+=e,this.right+=e;break;case"-x":this.left-=e,this.right-=e;break;case"+y":this.top+=e,this.bottom+=e;break;case"-y":this.top-=e,this.bottom-=e;break}},_.prototype.overlaps=function(t){return this.left<t.right&&this.right>t.left&&this.top<t.bottom&&this.bottom>t.top},_.prototype.overlapsAny=function(t){for(var e=0;e<t.length;e++)if(this.overlaps(t[e]))return!0;return!1},_.prototype.within=function(t){return this.top>=t.top&&this.bottom<=t.bottom&&this.left>=t.left&&this.right<=t.right},_.prototype.overlapsOppositeAxis=function(t,e){switch(e){case"+x":return this.left<t.left;case"-x":return this.right>t.right;case"+y":return this.top<t.top;case"-y":return this.bottom>t.bottom}},_.prototype.intersectPercentage=function(t){var e=Math.max(0,Math.min(this.right,t.right)-Math.max(this.left,t.left)),n=Math.max(0,Math.min(this.bottom,t.bottom)-Math.max(this.top,t.top)),i=e*n;return i/(this.height*this.width)},_.prototype.toCSSCompatValues=function(t){return{top:this.top-t.top,bottom:t.bottom-this.bottom,left:this.left-t.left,right:t.right-this.right,height:this.height,width:this.width}},_.getSimpleBoxPosition=function(t){var e=t.div?t.div.offsetHeight:t.tagName?t.offsetHeight:0,n=t.div?t.div.offsetWidth:t.tagName?t.offsetWidth:0,i=t.div?t.div.offsetTop:t.tagName?t.offsetTop:0;t=t.div?t.div.getBoundingClientRect():t.tagName?t.getBoundingClientRect():t;var r={left:t.left,right:t.right,top:t.top||i,height:t.height||e,bottom:t.bottom||i+(t.height||e),width:t.width||n};return r},w.StringDecoder=function(){return{decode:function(t){if(!t)return"";if("string"!==typeof t)throw new Error("Error - expected string data.");return decodeURIComponent(encodeURIComponent(t))}}},w.convertCueToDOMTree=function(t,e){return t&&e?d(t,e):null};var A=.05,x="sans-serif",k="1.5%";w.processCues=function(t,e,n){if(!t||!e||!n)return null;while(n.firstChild)n.removeChild(n.firstChild);var i=t.document.createElement("div");function r(t){for(var e=0;e<t.length;e++)if(t[e].hasBeenReset||!t[e].displayState)return!0;return!1}if(i.style.position="absolute",i.style.left="0",i.style.right="0",i.style.top="0",i.style.bottom="0",i.style.margin=k,n.appendChild(i),r(e)){var o=[],a=_.getSimpleBoxPosition(i),s=Math.round(a.height*A*100)/100,l={font:s+"px "+x};(function(){for(var n,r,s=0;s<e.length;s++)r=e[s],n=new y(t,r,l),i.appendChild(n.div),b(t,n,a,o),r.displayState=n.div,o.push(_.getSimpleBoxPosition(n))})()}else for(var u=0;u<e.length;u++)i.appendChild(e[u].displayState)},w.Parser=function(t,e,n){n||(n=e,e={}),e||(e={}),this.window=t,this.vttjs=e,this.state="INITIAL",this.buffer="",this.decoder=n||new TextDecoder("utf8"),this.regionList=[]},w.Parser.prototype={reportOrThrowError:function(t){if(!(t instanceof i))throw t;this.onparsingerror&&this.onparsingerror(t)},parse:function(t){var e=this;function n(){var t=e.buffer,n=0;while(n<t.length&&"\r"!==t[n]&&"\n"!==t[n])++n;var i=t.substr(0,n);return"\r"===t[n]&&++n,"\n"===t[n]&&++n,e.buffer=t.substr(n),i}function l(t){var n=new o;if(a(t,(function(t,e){switch(t){case"id":n.set(t,e);break;case"width":n.percent(t,e);break;case"lines":n.integer(t,e);break;case"regionanchor":case"viewportanchor":var i=e.split(",");if(2!==i.length)break;var r=new o;if(r.percent("x",i[0]),r.percent("y",i[1]),!r.has("x")||!r.has("y"))break;n.set(t+"X",r.get("x")),n.set(t+"Y",r.get("y"));break;case"scroll":n.alt(t,e,["up"]);break}}),/=/,/\s/),n.has("id")){var i=new(e.vttjs.VTTRegion||e.window.VTTRegion);i.width=n.get("width",100),i.lines=n.get("lines",3),i.regionAnchorX=n.get("regionanchorX",0),i.regionAnchorY=n.get("regionanchorY",100),i.viewportAnchorX=n.get("viewportanchorX",0),i.viewportAnchorY=n.get("viewportanchorY",100),i.scroll=n.get("scroll",""),e.onregion&&e.onregion(i),e.regionList.push({id:n.get("id"),region:i})}}function u(t){var n=new o;a(t,(function(t,e){switch(t){case"MPEGT":n.integer(t+"S",e);break;case"LOCA":n.set(t+"L",r(e));break}}),/[^\d]:/,/,/),e.ontimestampmap&&e.ontimestampmap({MPEGTS:n.get("MPEGTS"),LOCAL:n.get("LOCAL")})}function c(t){t.match(/X-TIMESTAMP-MAP/)?a(t,(function(t,e){switch(t){case"X-TIMESTAMP-MAP":u(e);break}}),/=/):a(t,(function(t,e){switch(t){case"Region":l(e);break}}),/:/)}t&&(e.buffer+=e.decoder.decode(t,{stream:!0}));try{var h;if("INITIAL"===e.state){if(!/\r\n|\n/.test(e.buffer))return this;h=n();var d=h.match(/^WEBVTT([ \t].*)?$/);if(!d||!d[0])throw new i(i.Errors.BadSignature);e.state="HEADER"}var f=!1;while(e.buffer){if(!/\r\n|\n/.test(e.buffer))return this;switch(f?f=!1:h=n(),e.state){case"HEADER":/:/.test(h)?c(h):h||(e.state="ID");continue;case"NOTE":h||(e.state="ID");continue;case"ID":if(/^NOTE($|[ \t])/.test(h)){e.state="NOTE";break}if(!h)continue;if(e.cue=new(e.vttjs.VTTCue||e.window.VTTCue)(0,0,""),e.state="CUE",-1===h.indexOf("--\x3e")){e.cue.id=h;continue}case"CUE":try{s(h,e.cue,e.regionList)}catch(v){e.reportOrThrowError(v),e.cue=null,e.state="BADCUE";continue}e.state="CUETEXT";continue;case"CUETEXT":var p=-1!==h.indexOf("--\x3e");if(!h||p&&(f=!0)){e.oncue&&e.oncue(e.cue),e.cue=null,e.state="ID";continue}e.cue.text&&(e.cue.text+="\n"),e.cue.text+=h;continue;case"BADCUE":h||(e.state="ID");continue}}}catch(v){e.reportOrThrowError(v),"CUETEXT"===e.state&&e.cue&&e.oncue&&e.oncue(e.cue),e.cue=null,e.state="INITIAL"===e.state?"BADWEBVTT":"BADCUE"}return this},flush:function(){var t=this;try{if(t.buffer+=t.decoder.decode(),(t.cue||"HEADER"===t.state)&&(t.buffer+="\n\n",t.parse()),"INITIAL"===t.state)throw new i(i.Errors.BadSignature)}catch(e){t.reportOrThrowError(e)}return t.onflush&&t.onflush(),this}},t.exports=w},d1c9:function(t,e,n){var i=n("11b7");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("22fbc117",i,!0,{sourceMap:!1,shadowMode:!1})},d282:function(t,e,n){"use strict";function i(t,e){return e?"string"===typeof e?" "+t+"--"+e:Array.isArray(e)?e.reduce((function(e,n){return e+i(t,n)}),""):Object.keys(e).reduce((function(n,r){return n+(e[r]?i(t,r):"")}),""):""}function r(t){return function(e,n){return e&&"string"!==typeof e&&(n=e,e=""),e=e?t+"__"+e:t,""+e+i(e,n)}}n.d(e,"a",(function(){return x}));var o=n("a142"),a=/-(\w)/g;function s(t){return t.replace(a,(function(t,e){return e.toUpperCase()}))}var l={methods:{slots:function(t,e){void 0===t&&(t="default");var n=this.$slots,i=this.$scopedSlots,r=i[t];return r?r(e):n[t]}}},u=n("8bbf"),c=n.n(u);function h(t){var e=this.name;t.component(e,this),t.component(s("-"+e),this)}function d(t){var e=t.scopedSlots||t.data.scopedSlots||{},n=t.slots();return Object.keys(n).forEach((function(t){e[t]||(e[t]=function(){return n[t]})})),e}function f(t){return{functional:!0,props:t.props,model:t.model,render:function(e,n){return t(e,n.props,d(n),n)}}}function p(t){return function(e){return Object(o["c"])(e)&&(e=f(e)),e.functional||(e.mixins=e.mixins||[],e.mixins.push(l)),e.name=t,e.install=h,e}}var v=Object.prototype.hasOwnProperty;function m(t,e,n){var i=e[n];Object(o["b"])(i)&&(v.call(t,n)&&Object(o["d"])(i)?t[n]=g(Object(t[n]),e[n]):t[n]=i)}function g(t,e){return Object.keys(e).forEach((function(n){m(t,e,n)})),t}var y={name:"姓名",tel:"电话",save:"保存",confirm:"确认",cancel:"取消",delete:"删除",complete:"完成",loading:"加载中...",telEmpty:"请填写电话",nameEmpty:"请填写姓名",nameInvalid:"请输入正确的姓名",confirmDelete:"确定要删除吗",telInvalid:"请输入正确的手机号",vanCalendar:{end:"结束",start:"开始",title:"日期选择",confirm:"确定",startEnd:"开始/结束",weekdays:["日","一","二","三","四","五","六"],monthTitle:function(t,e){return t+"年"+e+"月"},rangePrompt:function(t){return"选择天数不能超过 "+t+" 天"}},vanCascader:{select:"请选择"},vanContactCard:{addText:"添加联系人"},vanContactList:{addText:"新建联系人"},vanPagination:{prev:"上一页",next:"下一页"},vanPullRefresh:{pulling:"下拉即可刷新...",loosing:"释放即可刷新..."},vanSubmitBar:{label:"合计:"},vanCoupon:{unlimited:"无使用门槛",discount:function(t){return t+"折"},condition:function(t){return"满"+t+"元可用"}},vanCouponCell:{title:"优惠券",tips:"暂无可用",count:function(t){return t+"张可用"}},vanCouponList:{empty:"暂无优惠券",exchange:"兑换",close:"不使用优惠券",enable:"可用",disabled:"不可用",placeholder:"请输入优惠码"},vanAddressEdit:{area:"地区",postal:"邮政编码",areaEmpty:"请选择地区",addressEmpty:"请填写详细地址",postalEmpty:"邮政编码格式不正确",defaultAddress:"设为默认收货地址",telPlaceholder:"收货人手机号",namePlaceholder:"收货人姓名",areaPlaceholder:"选择省 / 市 / 区"},vanAddressEditDetail:{label:"详细地址",placeholder:"街道门牌、楼层房间号等信息"},vanAddressList:{add:"新增地址"}},_=c.a.prototype,b=c.a.util.defineReactive;b(_,"$vantLang","zh-CN"),b(_,"$vantMessages",{"zh-CN":y});var w={messages:function(){return _.$vantMessages[_.$vantLang]},use:function(t,e){var n;_.$vantLang=t,this.add((n={},n[t]=e,n))},add:function(t){void 0===t&&(t={}),g(_.$vantMessages,t)}};function A(t){var e=s(t)+".";return function(t){for(var n=w.messages(),i=Object(o["a"])(n,e+t)||Object(o["a"])(n,t),r=arguments.length,a=new Array(r>1?r-1:0),s=1;s<r;s++)a[s-1]=arguments[s];return Object(o["c"])(i)?i.apply(void 0,a):i}}function x(t){return t="van-"+t,[p(t),r(t),A(t)]}},d2d5:function(t,e,n){n("1654"),n("549b"),t.exports=n("584a").Array.from},d3ab:function(t,e,n){var i=n("7674");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("49226a74",i,!0,{sourceMap:!1,shadowMode:!1})},d3f4:function(t,e){t.exports=function(t){return"object"===typeof t?null!==t:"function"===typeof t}},d53b:function(t,e){t.exports=function(t,e){return{value:e,done:!!t}}},d6d3:function(t,e,n){!function(e,i){t.exports=i(n("3d33"))}(0,(function(t){return function(t){function e(i){if(n[i])return n[i].exports;var r=n[i]={i:i,l:!1,exports:{}};return t[i].call(r.exports,r,r.exports,e),r.l=!0,r.exports}var n={};return e.m=t,e.c=n,e.i=function(t){return t},e.d=function(t,n,i){e.o(t,n)||Object.defineProperty(t,n,{configurable:!1,enumerable:!0,get:i})},e.n=function(t){var n=t&&t.__esModule?function(){return t.default}:function(){return t};return e.d(n,"a",n),n},e.o=function(t,e){return Object.prototype.hasOwnProperty.call(t,e)},e.p="/",e(e.s=3)}([function(e,n){e.exports=t},function(t,e,n){"use strict";function i(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}Object.defineProperty(e,"__esModule",{value:!0});var r=n(0),o=function(t){return t&&t.__esModule?t:{default:t}}(r),a=window.videojs||o.default;"function"!=typeof Object.assign&&Object.defineProperty(Object,"assign",{value:function(t,e){if(null==t)throw new TypeError("Cannot convert undefined or null to object");for(var n=Object(t),i=1;i<arguments.length;i++){var r=arguments[i];if(null!=r)for(var o in r)Object.prototype.hasOwnProperty.call(r,o)&&(n[o]=r[o])}return n},writable:!0,configurable:!0});var s=["loadeddata","canplay","canplaythrough","play","pause","waiting","playing","ended","error"];e.default={name:"video-player",props:{start:{type:Number,default:0},crossOrigin:{type:String,default:""},playsinline:{type:Boolean,default:!1},customEventName:{type:String,default:"statechanged"},options:{type:Object,required:!0},events:{type:Array,default:function(){return[]}},globalOptions:{type:Object,default:function(){return{controls:!0,controlBar:{remainingTimeDisplay:!1,playToggle:{},progressControl:{},fullscreenToggle:{},volumeMenuButton:{inline:!1,vertical:!0}},techOrder:["html5"],plugins:{}}}},globalEvents:{type:Array,default:function(){return[]}}},data:function(){return{player:null,reseted:!0}},mounted:function(){this.player||this.initialize()},beforeDestroy:function(){this.player&&this.dispose()},methods:{initialize:function(){var t=this,e=Object.assign({},this.globalOptions,this.options);this.playsinline&&(this.$refs.video.setAttribute("playsinline",this.playsinline),this.$refs.video.setAttribute("webkit-playsinline",this.playsinline),this.$refs.video.setAttribute("x5-playsinline",this.playsinline),this.$refs.video.setAttribute("x5-video-player-type","h5"),this.$refs.video.setAttribute("x5-video-player-fullscreen",!1)),""!==this.crossOrigin&&(this.$refs.video.crossOrigin=this.crossOrigin,this.$refs.video.setAttribute("crossOrigin",this.crossOrigin));var n=function(e,n){e&&t.$emit(e,t.player),n&&t.$emit(t.customEventName,i({},e,n))};e.plugins&&delete e.plugins.__ob__;var r=this;this.player=a(this.$refs.video,e,(function(){for(var t=this,e=s.concat(r.events).concat(r.globalEvents),i={},o=0;o<e.length;o++)"string"==typeof e[o]&&void 0===i[e[o]]&&function(e){i[e]=null,t.on(e,(function(){n(e,!0)}))}(e[o]);this.on("timeupdate",(function(){n("timeupdate",this.currentTime())})),r.$emit("ready",this)}))},dispose:function(t){var e=this;this.player&&this.player.dispose&&("Flash"!==this.player.techName_&&this.player.pause&&this.player.pause(),this.player.dispose(),this.player=null,this.$nextTick((function(){e.reseted=!1,e.$nextTick((function(){e.reseted=!0,e.$nextTick((function(){t&&t()}))}))})))}},watch:{options:{deep:!0,handler:function(t,e){var n=this;this.dispose((function(){t&&t.sources&&t.sources.length&&n.initialize()}))}}}}},function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0});var i=n(1),r=n.n(i);for(var o in i)["default","default"].indexOf(o)<0&&function(t){n.d(e,t,(function(){return i[t]}))}(o);var a=n(5),s=n(4),l=s(r.a,a.a,!1,null,null,null);e.default=l.exports},function(t,e,n){"use strict";function i(t){return t&&t.__esModule?t:{default:t}}Object.defineProperty(e,"__esModule",{value:!0}),e.install=e.videoPlayer=e.videojs=void 0;var r=n(0),o=i(r),a=n(2),s=i(a),l=window.videojs||o.default,u=function(t,e){e&&(e.options&&(s.default.props.globalOptions.default=function(){return e.options}),e.events&&(s.default.props.globalEvents.default=function(){return e.events})),t.component(s.default.name,s.default)},c={videojs:l,videoPlayer:s.default,install:u};e.default=c,e.videojs=l,e.videoPlayer=s.default,e.install=u},function(t,e){t.exports=function(t,e,n,i,r,o){var a,s=t=t||{},l=typeof t.default;"object"!==l&&"function"!==l||(a=t,s=t.default);var u,c="function"==typeof s?s.options:s;if(e&&(c.render=e.render,c.staticRenderFns=e.staticRenderFns,c._compiled=!0),n&&(c.functional=!0),r&&(c._scopeId=r),o?(u=function(t){t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext,t||"undefined"==typeof __VUE_SSR_CONTEXT__||(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(o)},c._ssrRegister=u):i&&(u=i),u){var h=c.functional,d=h?c.render:c.beforeCreate;h?(c._injectStyles=u,c.render=function(t,e){return u.call(e),d(t,e)}):c.beforeCreate=d?[].concat(d,u):[u]}return{esModule:a,exports:s,options:c}}},function(t,e,n){"use strict";var i=function(){var t=this,e=t.$createElement,n=t._self._c||e;return t.reseted?n("div",{staticClass:"video-player"},[n("video",{ref:"video",staticClass:"video-js"})]):t._e()},r=[],o={render:i,staticRenderFns:r};e.a=o}])}))},d864:function(t,e,n){var i=n("79aa");t.exports=function(t,e,n){if(i(t),void 0===e)return t;switch(n){case 1:return function(n){return t.call(e,n)};case 2:return function(n,i){return t.call(e,n,i)};case 3:return function(n,i,r){return t.call(e,n,i,r)}}return function(){return t.apply(e,arguments)}}},d8d6:function(t,e,n){n("1654"),n("6c1c"),t.exports=n("ccb9").f("iterator")},d8e8:function(t,e){t.exports=function(t){if("function"!=typeof t)throw TypeError(t+" is not a function!");return t}},d916:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'.bsth-line-item-label{display:inline-block;overflow:hidden;line-height:39px;white-space:nowrap;text-align:right;vertical-align:middle}.bsth-line-item-label label{position:relative}.bsth-line-item-label>label{font-size:12px;color:rgba(0,0,0,.85);white-space:normal;display:inline-block;text-align:center;line-height:12px}.bsth-line-item-label>label:after{content:":";position:relative;top:-.5px;margin:0 8px 0 2px}.bsth-line-item-divider{text-align:center;line-height:0;background:#00f;margin-left:-20px;margin-right:-70px}.bsth-line-item-divider:after{content:attr(data-label);font-weight:700;font-size:14px;background:#fff;z-index:2;padding-left:5px;padding-right:5px}',""])},d925:function(t,e,n){"use strict";t.exports=function(t){return/^([a-z][a-z\d\+\-\.]*:)?\/\//i.test(t)}},d980:function(t,e,n){t.exports=n.p+"img/lbp-picture-placeholder.aa9bb3d3.png"},d9f6:function(t,e,n){var i=n("e4ae"),r=n("794b"),o=n("1bc3"),a=Object.defineProperty;e.f=n("8e60")?Object.defineProperty:function(t,e,n){if(i(t),e=o(e,!0),i(n),r)try{return a(t,e,n)}catch(s){}if("get"in n||"set"in n)throw TypeError("Accessors not supported!");return"value"in n&&(t[e]=n.value),t}},dbdb:function(t,e,n){var i=n("584a"),r=n("e53d"),o="__core-js_shared__",a=r[o]||(r[o]={});(t.exports=function(t,e){return a[t]||(a[t]=void 0!==e?e:{})})("versions",[]).push({version:i.version,mode:n("b8e3")?"pure":"global",copyright:"© 2020 Denis Pushkarev (zloirock.ru)"})},ddfb:function(t,e,n){t.exports=n.p+"fonts/VideoJS.46ac6629.eot"},e11e:function(t,e){t.exports="constructor,hasOwnProperty,isPrototypeOf,propertyIsEnumerable,toLocaleString,toString,valueOf".split(",")},e265:function(t,e,n){t.exports=n("ed33")},e4ae:function(t,e,n){var i=n("f772");t.exports=function(t){if(!i(t))throw TypeError(t+" is not an object!");return t}},e53d:function(t,e){var n=t.exports="undefined"!=typeof window&&window.Math==Math?window:"undefined"!=typeof self&&self.Math==Math?self:Function("return this")();"number"==typeof __g&&(__g=n)},e683:function(t,e,n){"use strict";t.exports=function(t,e){return e?t.replace(/\/+$/,"")+"/"+e.replace(/^\/+/,""):t}},e6f3:function(t,e,n){var i=n("07e3"),r=n("36c3"),o=n("5b4e")(!1),a=n("5559")("IE_PROTO");t.exports=function(t,e){var n,s=r(t),l=0,u=[];for(n in s)n!=a&&i(s,n)&&u.push(n);while(e.length>l)i(s,n=e[l++])&&(~o(u,n)||u.push(n));return u}},e853:function(t,e,n){var i=n("d3f4"),r=n("1169"),o=n("2b4c")("species");t.exports=function(t){var e;return r(t)&&(e=t.constructor,"function"!=typeof e||e!==Array&&!r(e.prototype)||(e=void 0),i(e)&&(e=e[o],null===e&&(e=void 0))),void 0===e?Array:e}},ebd6:function(t,e,n){var i=n("cb7c"),r=n("d8e8"),o=n("2b4c")("species");t.exports=function(t,e){var n,a=i(t).constructor;return void 0===a||void 0==(n=i(a)[o])?e:r(n)}},ebfd:function(t,e,n){var i=n("62a0")("meta"),r=n("f772"),o=n("07e3"),a=n("d9f6").f,s=0,l=Object.isExtensible||function(){return!0},u=!n("294c")((function(){return l(Object.preventExtensions({}))})),c=function(t){a(t,i,{value:{i:"O"+ ++s,w:{}}})},h=function(t,e){if(!r(t))return"symbol"==typeof t?t:("string"==typeof t?"S":"P")+t;if(!o(t,i)){if(!l(t))return"F";if(!e)return"E";c(t)}return t[i].i},d=function(t,e){if(!o(t,i)){if(!l(t))return!0;if(!e)return!1;c(t)}return t[i].w},f=function(t){return u&&p.NEED&&l(t)&&!o(t,i)&&c(t),t},p=t.exports={KEY:i,NEED:!1,fastKey:h,getWeak:d,onFreeze:f}},ed33:function(t,e,n){n("014b"),t.exports=n("584a").Object.getOwnPropertySymbols},eec7:function(t,e,n){"use strict";var i=n("be09"),r=n("8362"),o=n("6444"),a=n("53a8");function s(t,e){for(var n=0;n<t.length;n++)e(t[n])}function l(t){for(var e in t)if(t.hasOwnProperty(e))return!1;return!0}function u(t,e,n){var i=t;return r(e)?(n=e,"string"===typeof t&&(i={uri:t})):i=a(e,{uri:t}),i.callback=n,i}function c(t,e,n){return e=u(t,e,n),h(e)}function h(t){if("undefined"===typeof t.callback)throw new Error("callback argument missing");var e=!1,n=function(n,i,r){e||(e=!0,t.callback(n,i,r))};function i(){4===f.readyState&&setTimeout(s,0)}function r(){var t=void 0;if(t=f.response?f.response:f.responseText||d(f),b)try{t=JSON.parse(t)}catch(e){}return t}function a(t){return clearTimeout(p),t instanceof Error||(t=new Error(""+(t||"Unknown XMLHttpRequest Error"))),t.statusCode=0,n(t,w)}function s(){if(!h){var e;clearTimeout(p),e=t.useXDR&&void 0===f.status?200:1223===f.status?204:f.status;var i=w,a=null;return 0!==e?(i={body:r(),statusCode:e,method:m,headers:{},url:v,rawRequest:f},f.getAllResponseHeaders&&(i.headers=o(f.getAllResponseHeaders()))):a=new Error("Internal XMLHttpRequest Error"),n(a,i,i.body)}}var u,h,f=t.xhr||null;f||(f=t.cors||t.useXDR?new c.XDomainRequest:new c.XMLHttpRequest);var p,v=f.url=t.uri||t.url,m=f.method=t.method||"GET",g=t.body||t.data,y=f.headers=t.headers||{},_=!!t.sync,b=!1,w={body:void 0,headers:{},statusCode:0,method:m,url:v,rawRequest:f};if("json"in t&&!1!==t.json&&(b=!0,y["accept"]||y["Accept"]||(y["Accept"]="application/json"),"GET"!==m&&"HEAD"!==m&&(y["content-type"]||y["Content-Type"]||(y["Content-Type"]="application/json"),g=JSON.stringify(!0===t.json?g:t.json))),f.onreadystatechange=i,f.onload=s,f.onerror=a,f.onprogress=function(){},f.onabort=function(){h=!0},f.ontimeout=a,f.open(m,v,!_,t.username,t.password),_||(f.withCredentials=!!t.withCredentials),!_&&t.timeout>0&&(p=setTimeout((function(){if(!h){h=!0,f.abort("timeout");var t=new Error("XMLHttpRequest timeout");t.code="ETIMEDOUT",a(t)}}),t.timeout)),f.setRequestHeader)for(u in y)y.hasOwnProperty(u)&&f.setRequestHeader(u,y[u]);else if(t.headers&&!l(t.headers))throw new Error("Headers cannot be set on an XDomainRequest object");return"responseType"in t&&(f.responseType=t.responseType),"beforeSend"in t&&"function"===typeof t.beforeSend&&t.beforeSend(f),f.send(g||null),f}function d(t){if("document"===t.responseType)return t.responseXML;var e=t.responseXML&&"parsererror"===t.responseXML.documentElement.nodeName;return""!==t.responseType||e?null:t.responseXML}function f(){}t.exports=c,c.XMLHttpRequest=i.XMLHttpRequest||f,c.XDomainRequest="withCredentials"in new c.XMLHttpRequest?c.XMLHttpRequest:i.XDomainRequest,s(["get","put","post","patch","head","delete"],(function(t){c["delete"===t?"del":t]=function(e,n,i){return n=u(e,n,i),n.method=t.toUpperCase(),h(n)}}))},ef34:function(t,e,n){(function(e){var i,r="undefined"!==typeof e?e:"undefined"!==typeof window?window:{},o=n(0);"undefined"!==typeof document?i=document:(i=r["__GLOBAL_DOCUMENT_CACHE@4"],i||(i=r["__GLOBAL_DOCUMENT_CACHE@4"]=o)),t.exports=i}).call(this,n("c8ba"))},f01b:function(t,e,n){var i=n("ad81");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("e63ddc14",i,!0,{sourceMap:!1,shadowMode:!1})},f130:function(t,e,n){e=t.exports=n("2350")(!1),e.push([t.i,'html{-webkit-tap-highlight-color:transparent}body{margin:0;font-family:-apple-system,BlinkMacSystemFont,Helvetica Neue,Helvetica,Segoe UI,Arial,Roboto,PingFang SC,miui,Hiragino Sans GB,Microsoft Yahei,sans-serif}a{text-decoration:none}button,input,textarea{color:inherit;font:inherit}[class*=van-]:focus,a:focus,button:focus,input:focus,textarea:focus{outline:0}ol,ul{margin:0;padding:0;list-style:none}.van-ellipsis{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.van-multi-ellipsis--l2{-webkit-line-clamp:2}.van-multi-ellipsis--l2,.van-multi-ellipsis--l3{display:-webkit-box;overflow:hidden;text-overflow:ellipsis;-webkit-box-orient:vertical}.van-multi-ellipsis--l3{-webkit-line-clamp:3}.van-clearfix:after{display:table;clear:both;content:""}[class*=van-hairline]:after{position:absolute;box-sizing:border-box;content:" ";pointer-events:none;top:-50%;right:-50%;bottom:-50%;left:-50%;border:0 solid #ebedf0;-webkit-transform:scale(.5);transform:scale(.5)}.van-hairline,.van-hairline--bottom,.van-hairline--left,.van-hairline--right,.van-hairline--surround,.van-hairline--top,.van-hairline--top-bottom{position:relative}.van-hairline--top:after{border-top-width:1px}.van-hairline--left:after{border-left-width:1px}.van-hairline--right:after{border-right-width:1px}.van-hairline--bottom:after{border-bottom-width:1px}.van-hairline--top-bottom:after,.van-hairline-unset--top-bottom:after{border-width:1px 0}.van-hairline--surround:after{border-width:1px}@-webkit-keyframes van-slide-up-enter{0%{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@keyframes van-slide-up-enter{0%{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@-webkit-keyframes van-slide-up-leave{to{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@keyframes van-slide-up-leave{to{-webkit-transform:translate3d(0,100%,0);transform:translate3d(0,100%,0)}}@-webkit-keyframes van-slide-down-enter{0%{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@keyframes van-slide-down-enter{0%{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@-webkit-keyframes van-slide-down-leave{to{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@keyframes van-slide-down-leave{to{-webkit-transform:translate3d(0,-100%,0);transform:translate3d(0,-100%,0)}}@-webkit-keyframes van-slide-left-enter{0%{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@keyframes van-slide-left-enter{0%{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@-webkit-keyframes van-slide-left-leave{to{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@keyframes van-slide-left-leave{to{-webkit-transform:translate3d(-100%,0,0);transform:translate3d(-100%,0,0)}}@-webkit-keyframes van-slide-right-enter{0%{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@keyframes van-slide-right-enter{0%{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@-webkit-keyframes van-slide-right-leave{to{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@keyframes van-slide-right-leave{to{-webkit-transform:translate3d(100%,0,0);transform:translate3d(100%,0,0)}}@-webkit-keyframes van-fade-in{0%{opacity:0}to{opacity:1}}@keyframes van-fade-in{0%{opacity:0}to{opacity:1}}@-webkit-keyframes van-fade-out{0%{opacity:1}to{opacity:0}}@keyframes van-fade-out{0%{opacity:1}to{opacity:0}}@-webkit-keyframes van-rotate{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}@keyframes van-rotate{0%{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(1turn);transform:rotate(1turn)}}.van-fade-enter-active{-webkit-animation:van-fade-in .3s ease-out both;animation:van-fade-in .3s ease-out both}.van-fade-leave-active{-webkit-animation:van-fade-out .3s ease-in both;animation:van-fade-out .3s ease-in both}.van-slide-up-enter-active{-webkit-animation:van-slide-up-enter .3s ease-out both;animation:van-slide-up-enter .3s ease-out both}.van-slide-up-leave-active{-webkit-animation:van-slide-up-leave .3s ease-in both;animation:van-slide-up-leave .3s ease-in both}.van-slide-down-enter-active{-webkit-animation:van-slide-down-enter .3s ease-out both;animation:van-slide-down-enter .3s ease-out both}.van-slide-down-leave-active{-webkit-animation:van-slide-down-leave .3s ease-in both;animation:van-slide-down-leave .3s ease-in both}.van-slide-left-enter-active{-webkit-animation:van-slide-left-enter .3s ease-out both;animation:van-slide-left-enter .3s ease-out both}.van-slide-left-leave-active{-webkit-animation:van-slide-left-leave .3s ease-in both;animation:van-slide-left-leave .3s ease-in both}.van-slide-right-enter-active{-webkit-animation:van-slide-right-enter .3s ease-out both;animation:van-slide-right-enter .3s ease-out both}.van-slide-right-leave-active{-webkit-animation:van-slide-right-leave .3s ease-in both;animation:van-slide-right-leave .3s ease-in both}',""])},f1ae:function(t,e,n){"use strict";var i=n("86cc"),r=n("4630");t.exports=function(t,e,n){e in t?i.f(t,e,r(0,n)):t[e]=n}},f410:function(t,e,n){n("1af6"),t.exports=n("584a").Array.isArray},f6b4:function(t,e,n){"use strict";var i=n("c532");function r(){this.handlers=[]}r.prototype.use=function(t,e){return this.handlers.push({fulfilled:t,rejected:e}),this.handlers.length-1},r.prototype.eject=function(t){this.handlers[t]&&(this.handlers[t]=null)},r.prototype.forEach=function(t){i.forEach(this.handlers,(function(e){null!==e&&t(e)}))},t.exports=r},f772:function(t,e){t.exports=function(t){return"object"===typeof t?null!==t:"function"===typeof t}},f921:function(t,e,n){n("014b"),n("c207"),n("69d3"),n("765d"),t.exports=n("584a").Symbol},f97d:function(t,e){var n={"":!0,up:!0};function i(t){if("string"!==typeof t)return!1;var e=n[t.toLowerCase()];return!!e&&t.toLowerCase()}function r(t){return"number"===typeof t&&t>=0&&t<=100}function o(){var t=100,e=3,n=0,o=100,a=0,s=100,l="";Object.defineProperties(this,{width:{enumerable:!0,get:function(){return t},set:function(e){if(!r(e))throw new Error("Width must be between 0 and 100.");t=e}},lines:{enumerable:!0,get:function(){return e},set:function(t){if("number"!==typeof t)throw new TypeError("Lines must be set to a number.");e=t}},regionAnchorY:{enumerable:!0,get:function(){return o},set:function(t){if(!r(t))throw new Error("RegionAnchorX must be between 0 and 100.");o=t}},regionAnchorX:{enumerable:!0,get:function(){return n},set:function(t){if(!r(t))throw new Error("RegionAnchorY must be between 0 and 100.");n=t}},viewportAnchorY:{enumerable:!0,get:function(){return s},set:function(t){if(!r(t))throw new Error("ViewportAnchorY must be between 0 and 100.");s=t}},viewportAnchorX:{enumerable:!0,get:function(){return a},set:function(t){if(!r(t))throw new Error("ViewportAnchorX must be between 0 and 100.");a=t}},scroll:{enumerable:!0,get:function(){return l},set:function(t){var e=i(t);if(!1===e)throw new SyntaxError("An invalid or illegal string was specified.");l=e}}})}t.exports=o},fa5b:function(t,e,n){t.exports=n("5537")("native-function-to-string",Function.toString)},fab2:function(t,e,n){var i=n("7726").document;t.exports=i&&i.documentElement},fb15:function(t,e,n){"use strict";var i;(n.r(e),"undefined"!==typeof window)&&((i=window.document.currentScript)&&(i=i.src.match(/(.+\/)[^/]+\.js(\?.*)?$/))&&(n.p=i[1]));n("ac6a"),n("386d"),n("75ab");var r=n("8bbf"),o=n.n(r),a=(n("8e6e"),n("cadf"),n("456d"),n("c5f6"),n("85f2")),s=n.n(a);function l(t,e,n){return e in t?s()(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var u=n("e265"),c=n.n(u),h=n("a4bb"),d=n.n(h);function f(t,e){if(null==t)return{};var n,i,r={},o=d()(t);for(i=0;i<o.length;i++)n=o[i],e.indexOf(n)>=0||(r[n]=t[n]);return r}function p(t,e){if(null==t)return{};var n,i,r=f(t,e);if(c.a){var o=c()(t);for(i=0;i<o.length;i++)n=o[i],e.indexOf(n)>=0||Object.prototype.propertyIsEnumerable.call(t,n)&&(r[n]=t[n])}return r}var v=["label","defaultValue","props","visible"],m=["label","defaultValue","visible"],g=["label","defaultValue","layout","visible"],y=["label","defaultValue","props","visible"],_=["label","defaultValue","component","props","extra","visible"],b=["label","defaultValue","visible"],w=["label","defaultValue","visible"],A=["label","defaultValue","layout","visible"],x=["valueType","label","defaultValue","visible","options"];function k(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function j(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?k(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):k(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var C={},T={labelCol:{span:24},wrapperCol:{span:24,offset:0}},E={boolean:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"开关":e,i=t.defaultValue,r=void 0!==i&&i,o=t.props,a=void 0===o?{}:o,s=t.visible,l=void 0===s||s,u=p(t,v);return{type:Boolean,default:r,visible:l,editor:j({type:"a-switch",label:n,props:a},u)}},required:{type:Boolean,default:!1},vertical:{type:Boolean,default:!1},color:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"文字颜色":e,i=t.defaultValue,r=void 0===i?"#000000":i,o=t.visible,a=void 0===o||o,s=p(t,m);return{type:String,default:r,visible:a,editor:j({type:"el-color-picker",label:n,props:{size:"mini",showAlpha:!0},require:!0},s)}},colors:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"颜色面板":e,i=t.defaultValue,r=void 0===i?function(){return[]}:i,o=t.layout,a=void 0===o?T:o,s=t.visible,l=void 0===s||s,u=p(t,g);return{type:Array,default:r,visible:l,editor:j({type:"colors-panel",label:n,props:{size:"mini",showAlpha:!0},layout:a,require:!0},u)}},number:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"数值":e,i=t.defaultValue,r=void 0===i?10:i,o=t.props,a=void 0===o?C:o,s=t.visible,l=void 0===s||s,u=p(t,y);return{type:Number,default:r,visible:l,editor:j({type:"a-input-number",label:n,require:!0,props:a},u)}},string:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"按钮文字":e,i=t.defaultValue,r=void 0===i?"按钮":i,o=t.component,a=void 0===o?"a-input":o,s=t.props,l=void 0===s?{}:s,u=t.extra,c=t.visible,h=void 0===c||c,d=p(t,_);return{type:String,default:r,visible:h,editor:j({type:a,label:n,require:!0,props:l,extra:u},d)}},textAlign:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"文字对齐":e,i=t.defaultValue,r=void 0===i?"center":i,o=t.visible,a=void 0===o||o;return{type:String,default:r,visible:a,editor:{type:"lbs-text-align",label:n,require:!0}}},textOptions:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"选项列表":e,i=t.defaultValue,r=void 0===i?function(){return[{label:"label1",value:"value1"}]}:i,o=t.visible,a=void 0===o||o,s=p(t,b);return{type:Array,default:r,visible:a,editor:j({type:"lbs-props-text-enum-editor",label:n,require:!0},s)}},image:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"图片":e,i=t.defaultValue,r=void 0===i?"":i,o=t.visible,a=void 0===o||o,s=p(t,w);return{type:String,default:r,visible:a,editor:j({type:"lbs-image-gallery",label:n},s)}},excel:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.label,n=void 0===e?"数据源":e,i=t.defaultValue,r=void 0===i?[]:i,o=t.layout,a=void 0===o?T:o,s=t.visible,l=void 0===s||s,u=p(t,A);return{type:Array,default:r,visible:l,editor:j({type:"lbs-excel-editor",label:n,layout:a},u)}},select:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.valueType,n=void 0===e?String:e,i=t.label,r=void 0===i?"选项":i,o=t.defaultValue,a=void 0===o?[]:o,s=t.visible,l=void 0===s||s,u=t.options,c=void 0===u?[]:u,h=p(t,x);return{type:n,default:a,visible:l,editor:j({type:"a-select",label:r,props:{options:c}},h)}}},S=n("d980"),O=n.n(S),q={name:"lbp-picture",render:function(){var t=arguments[0];return t("img",{attrs:{src:this.imgSrc||O.a,alt:"",srcset:"",width:"100%"},style:{objectFit:this.fillType}})},props:{imgSrc:E.image(),fillType:{type:String,default:"contain",editor:{type:"a-select",label:"填充方式",props:{options:[{label:"contain 短边缩放",value:"contain"},{label:"cover 长边缩放",value:"cover"},{label:"fill 拉伸",value:"fill"},{label:"none 原始",value:"none"},{label:"scale-down 弹性缩放",value:"scale-down"}]}}}},data:function(){return{placeholderImg:O.a}}},N=n("c28b"),D=n.n(N),M=n("953d"),P=(n("a753"),n("8096"),n("911b"),{directives:{clickOutside:D.a.directive},render:function(t){var e=this,n=this.canEdit&&"edit"===this.editorMode&&this.isEditingElement,i={position:"relative",color:"".concat(this.color," !important"),textDecoration:"none",backgroundColor:this.backgroundColor||"rgba(255, 255, 255, 0.2)",lineHeight:"".concat(this.lineHeight,"em"),border:"".concat(this.borderWidth,"px solid ").concat(this.borderColor),borderRadius:"".concat(this.borderRadius,"px")},r=t("div",{class:"ql-snow"},[t("div",{domProps:{innerHTML:this.text},class:"ql-editor ql-container"})]);return t("div",{on:{dblclick:function(t){e.canEdit=!0,t.stopPropagation()},mousedown:function(t){e.canEdit&&t.stopPropagation()},keydown:function(t){var e=t.keyCode||t.charCode;8!==e&&46!==e||t.stopPropagation()}},directives:[{name:"click-outside",value:function(t){e.canEdit=!1}}],style:i},[n?t(M["quillEditor"],{attrs:{content:this.text,options:{modules:{toolbar:[["bold","italic","underline","strike"],[{list:"ordered"},{list:"bullet"}],[{color:[]},{background:[]}],[{align:[]}],["clean"],[{header:[1,2,3,4,5,6,!1]}]]},theme:"snow"}},on:{change:function(t){t.quill;var n=t.html;t.text;e.$emit("input",{value:n,pluginName:"lbp-text"})}}}):r])},name:"lbp-text",data:function(){return{canEdit:!1,innerText:this.text||"双击修改文字"}},props:{backgroundColor:E.color({label:"背景色",defaultValue:"rgba(0, 0, 0, 0)"}),borderWidth:E.number({label:"边框宽度(px)",defaultValue:0}),borderRadius:E.number({label:"圆角(px)"}),borderColor:E.color({label:"边框颜色"}),text:E.string({label:"内容",defaultValue:"双击修改文字",visible:!1}),editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),isEditingElement:E.boolean({defaultValue:!1,label:"是否当前元素",visible:!1})},editorConfig:{}});function L(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.container,n=void 0===e?document.body:e,i=t.width,r=void 0===i?"100px":i,o=t.height,a=void 0===o?"100px":o,s=t.textAlign,l=void 0===s?"center":s,u=t.textBaseline,c=void 0===u?"middle":u,h=t.fontSize,d=void 0===h?16:h,f=t.fillStyle,p=void 0===f?"rgba(184, 184, 184, 0.2 )":f,v=t.content,m=void 0===v?"水印文字":v,g=t.rotate,y=void 0===g?0:g,_=t.zIndex,b=void 0===_?1e3:_,w=document.createElement("canvas");w.setAttribute("width",r),w.setAttribute("height",a);var A=w.getContext("2d");A.textAlign=l,A.textBaseline=c,A.font="".concat(d,"px Arial"),A.fillStyle=p,A.fillText(m,0,parseFloat(a)/3);var x=w.toDataURL(),k=document.querySelector(".luban_h5__wm"),j=k||document.createElement("div"),C="\n transform: rotate(".concat(y,"deg);\n position:absolute;\n top:0;\n left:0;\n width:100%;\n height:100%;\n z-index:").concat(b,";\n pointer-events:none;\n background-repeat:repeat;\n background-image:url('").concat(x,"')");j.setAttribute("style",C),k||(j.classList.add("luban_h5__wm"),n.style.position="relative",n.insertBefore(j,n.firstChild))}function B(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function I(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?B(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):B(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var R={name:"lbp-background",props:{imgSrc:E.image({label:"背景图","en-US-label":"BgImage"}),backgroundColor:E.color({label:"背景色","en-US-label":"BgColor",defaultValue:"rgba(255, 255, 255, 0.2)"}),waterMarkText:E.string({label:"水印文字","en-US-label":"BgColor",defaultValue:"水印文字"}),waterMarkFontSize:E.number({label:"水印文字大小(px)","en-US-label":"WaterMaskSize",defaultValue:16}),waterMarkRotate:E.number({label:"水印旋转角度","en-US-label":"WaterMaskRotate",defaultValue:10}),waterMarkColor:E.color({label:"水印文字颜色","en-US-label":"WaterMaskColor",defaultValue:"rgba(184, 184, 184, 0.2)"})},methods:{renderWaterMark:function(){L({container:this.$refs.root,content:this.waterMarkText,fontSize:this.waterMarkFontSize,rotate:this.waterMarkRotate,fillStyle:this.waterMarkColor})}},render:function(){var t=arguments[0],e={width:"100%",height:"100%"};return e=this.imgSrc?I(I({},e),{},{"background-size":"cover","background-position":"50% 50%","background-origin":"content-box","background-image":"url(".concat(this.imgSrc,")")}):I(I({},e),{},{backgroundColor:this.backgroundColor}),t("div",{style:"width: 100%; height: 100%; overflow: hidden; position: absolute; z-index: 0; opacity: 1;",ref:"root"},[t("div",{style:e})])},mounted:function(){var t=this;this.renderWaterMark(),["waterMarkText","waterMarkFontSize","waterMarkRotate","waterMarkColor"].forEach((function(e){t.$watch(e,t.renderWaterMark)}))}},F=(n("ac4d"),n("5df3"),n("1c4c"),n("6b54"),{lineRouteList:[{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路1",lineCode:"线路编码1",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路2",lineCode:"线路编码2",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路2",lineCode:"线路编码2",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路3",lineCode:"线路编码3",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路3",lineCode:"线路编码3",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路4",lineCode:"线路编码4",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路5",lineCode:"线路编码5",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路6",lineCode:"线路编码6",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路7",lineCode:"线路编码7",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:30,stationCode:"CCODE",stationName:"C中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:40,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:50,stationCode:"ECODE",stationName:"E中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:20,stationCode:"E1CODE",stationName:"E1中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:30,stationCode:"DCODE",stationName:"D中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路8",lineCode:"线路编码8",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:10,stationCode:"ACODE",stationName:"A起点站",stationMark:"B"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:20,stationCode:"BCODE",stationName:"B中途站",stationMark:"Z"},{lineName:"测试线路9",lineCode:"线路编码9",directions:0,stationRouteCode:100,stationCode:"FCODE",stationName:"F终点站",stationMark:"E"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:10,stationCode:"FCODE",stationName:"F终点站",stationMark:"B"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:40,stationCode:"C1CODE",stationName:"C1中途站",stationMark:"Z"},{lineName:"测试线路9",lineCode:"线路编码9",directions:1,stationRouteCode:100,stationCode:"ACODE",stationName:"A起点站",stationMark:"E"}],lineGpsList:[{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"BCODE",upDown:0,deviceId:"559L1014",instation:1,nbbm:"W2B-064"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"BCODE",upDown:0,deviceId:"559L1013",instation:1,nbbm:"W2B-065"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"CCODE",upDown:0,deviceId:"559L1015",instation:0,nbbm:"W2B-066"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"E1CODE",upDown:1,deviceId:"559L1025",instation:1,nbbm:"W2B-026"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1035",instation:1,nbbm:"W2B-036"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1045",instation:1,nbbm:"W2B-046"},{lineName:"测试线路1",lineCode:"线路编码1",stopNo:"ACODE",upDown:1,deviceId:"559L1055",instation:1,nbbm:"W2B-056"}]});function z(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function V(t,e){for(var n=0;n<e.length;n++){var i=e[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),s()(t,i.key,i)}}function Y(t,e,n){return e&&V(t.prototype,e),n&&V(t,n),t}var H=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.directions=parseInt(e.directions),this.stationRouteCode=parseInt(e.stationRouteCode),this.stationCode=e.stationCode,this.stationName=e.stationName,this.stationMark=e.stationMark}return Y(t,[{key:"toObject",value:function(){return{lineName:this.lineName,lineCode:this.lineCode,directions:this.directions,stationRouteCode:this.stationRouteCode,stationCode:this.stationCode,stationName:this.stationName,stationMark:this.stationMark}}}]),t}(),U=H,W=function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.stopNo=e.stopNo,this.upDown=parseInt(e.upDown),this.deviceId=e.deviceId,this.instation=parseInt(e.instation),this.nbbm=e.nbbm},G=W;n("28a5"),n("55dd");function Q(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=Z(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,r=function(){};return{s:r,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:r}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var o,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,o=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw o}}}}function Z(t,e){if(t){if("string"===typeof t)return K(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?K(t,e):void 0}}function K(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var J={objectEquals:function(t,e){var n=this,i=t instanceof Object,r=e instanceof Object,o=t instanceof Array,a=e instanceof Array;if(i&&r){if(Object.keys(t).length!==Object.keys(e).length)return!1;for(var s=Object.keys(t),l=0;l<s.length;l++){var u=t[s[l]],c=e[s[l]],h=n.objectEquals(u,c);if(!h)return h}}else{if(!o||!a)return t===e;if(t.length!==e.length)return!1;for(var d=0;d<t.length;d++){var f=n.objectEquals(t[d],e[d]);if(!f)return f}}return!0},listGroupBy:function(t,e){var n,i={},r=Q(t);try{for(r.s();!(n=r.n()).done;){var o=n.value,a=e(o);i[a]||(i[a]=[]),i[a].push(o)}}catch(s){r.e(s)}finally{r.f()}return i},listIndexOf:function(t,e,n){for(var i=0,r=t.length;i<r;i++)if(null!=t[i]&&e[n]===t[i][n])return i;return-1},insertNullToList:function(t,e,n){for(var i=0;i<n;i++)t.splice(i+e,0,null)}},X=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.names=e.names,this.ids=e.ids,this.type=e.type,this.stationMark=e.stationMark}return Y(t,null,[{key:"fromLineRouteDataOfApi",value:function(e,n){if(!e&&!n)return null;if(e&&!(e instanceof U))throw new Error("up不等于null,up参数不是LineRouteDataOfApi类型");if(n&&!(n instanceof U))throw new Error("down不等于null,down参数不是LineRouteDataOfApi类型");var i=null,r=2,o=null,a=null;return e?n?(i=[e.stationName],o=[e.stationCode+"_"+e.directions,n.stationCode+"_"+n.directions],a=e.stationMark,e.stationName!==n.stationName&&(r=3,i.push(n.stationName))):(r=0,i=[e.stationName],o=[e.stationCode+"_"+e.directions],a=e.stationMark):(r=1,i=[n.stationName],o=[n.stationCode+"_"+n.directions],a=n.stationMark),new t({names:i,ids:o,type:r,stationMark:a})}}]),t}(),$=X,tt=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.stopNo=e.stopNo,this.upDown=e.upDown,this.deviceId=e.deviceId,this.instation=e.instation,this.nbbm=e.nbbm}return Y(t,[{key:"getKey",value:function(){return this.deviceId+"_"+this.nbbm}},{key:"getText",value:function(){return this.nbbm.indexOf("沪")>=0?nt.call(this):et.call(this)}}]),t}();function et(){var t=this;if(t.nbbm){var e=t.nbbm.length;if(e>3){var n=t.nbbm.substr(e-3);return t.nbbm.indexOf("-")>0?t.nbbm.substr(t.nbbm.indexOf("-")-1,1)+n:n}return t.nbbm}return t.nbbm}function nt(){var t=this.nbbm;if(-1!==t.indexOf("沪")){var e=t.indexOf("沪");if(e+5>t.length)return t.substr(0,3);var n=t.substr(e+1,1),i=t.substr(e+2,1);return"-"===i?n+t.substr(e+3,3):n+t.substr(e+2,3)}return t.substr(0,3)}var it=tt,rt=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.lineName=e.lineName,this.lineCode=e.lineCode,this.route=e.route,this.gps=e.gps,this.width=0,this.height=0,this.top=e.top,this.itemIndex=e.itemIndex,this.pageIndex=e.pageIndex}return Y(t,[{key:"toObject",value:function(){return{lineName:this.lineName,lineCode:this.lineCode,route:this.route,gps:this.gps,width:this.width,height:this.height,top:this.top,itemIndex:this.itemIndex,pageIndex:this.pageIndex}}}]),t}(),ot=rt;function at(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=st(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,r=function(){};return{s:r,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:r}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var o,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,o=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw o}}}}function st(t,e){if(t){if("string"===typeof t)return lt(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?lt(t,e):void 0}}function lt(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var ut=function(){function t(e,n,i){z(this,t),this._pageSize=e,this._listWidth=n,this._listHeight=i,this._innerDataItemList=[],this._pageCount=0,this._scrollDataItemList=[],this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer={timer:null,count:0,millisecond:1}}return Y(t,[{key:"pageSize",set:function(t){this._pageSize=t,this._pageCount=Math.ceil(this._innerDataItemList.length/this._pageSize),ct.call(this)}},{key:"scrollDataItemList",get:function(){return this._scrollDataItemList}},{key:"listWidth",set:function(t){this._listWidth=t,ht.call(this)}},{key:"listHeight",set:function(t){this._listHeight=t,ht.call(this)}},{key:"scrollUp",value:function(t){if(!(this._scrollDataItemList.length<=this._pageSize)){if(this._scrollAnimateTimer.timer){try{clearInterval(this._scrollAnimateTimer.timer)}catch(a){}this._scrollAnimateTimer.timer=null}var e=this._scrollDataItemList[this._currentScrollIndex].top,n=this._scrollDataItemList[this._nextScrollIndex].top,i=t.scroll_speed,r=-i/1e3,o=this;o._scrollAnimateTimer.timer=setInterval((function(){o._scrollAnimateTimer.count++;var i=e+o._scrollAnimateTimer.count*r;if(t.$emit("scrollTop",i),Math.abs(n-i)<Math.abs(r)){if(t.$emit("scrollTop",n),o._scrollAnimateTimer.count=0,o._scrollDataItemList[o._nextScrollIndex].pageIndex===o._pageCount?(t.$emit("scrollTop",o._scrollDataItemList[0].top),o._currentScrollIndex=0,o._nextScrollIndex=1):(o._currentScrollIndex=o._nextScrollIndex,o._nextScrollIndex++),o._scrollAnimateTimer.timer){try{clearInterval(o._scrollAnimateTimer.timer)}catch(a){}o._scrollAnimateTimer.timer=null}t.scrollTimer.count++}}),1)}}},{key:"initRouteData",value:function(t){this.resetData(),this._innerDataItemList.splice(0,this._innerDataItemList.length);var e,n=at(ft(t));try{for(n.s();!(e=n.n()).done;){var i=e.value;this._innerDataItemList.push(i)}}catch(r){n.e(r)}finally{n.f()}this._pageCount=Math.ceil(this._innerDataItemList.length/this._pageSize),ct.call(this)}},{key:"refreshGps",value:function(t){dt(t,this._scrollDataItemList)}},{key:"resetData",value:function(){if(this._innerDataItemList.splice(0,this._innerDataItemList.length),this._pageCount=0,this._scrollDataItemList.splice(0,this._scrollDataItemList.length),this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer.timer)try{clearInterval(this._scrollAnimateTimer.timer)}catch(t){}this._scrollAnimateTimer.timer=null,this._scrollAnimateTimer.count=0}}]),t}();function ct(){this._scrollDataItemList.splice(0,this._scrollDataItemList.length);var t,e=at(this._innerDataItemList);try{for(e.s();!(t=e.n()).done;){var n=t.value;this._scrollDataItemList.push(new ot(n))}}catch(u){e.e(u)}finally{e.f()}if(!(this._innerDataItemList.length<=this._pageSize)){for(var i=0;i<this._pageCount;i++)for(var r=0;r<this._pageSize;r++){var o=i*this._pageSize+r;if(o===this._scrollDataItemList.length)break;var a=this._scrollDataItemList[i*this._pageSize+r];a.itemIndex=r,a.pageIndex=i}for(var s=0;s<this._pageSize;s++){var l=new ot(this._innerDataItemList[s]);l.pageIndex=this._pageCount,this._scrollDataItemList.push(l)}ht.call(this)}}function ht(){for(var t=Math.floor(this._listHeight/this._pageSize),e=0;e<this._scrollDataItemList.length;e++){var n=this._scrollDataItemList[e];n.width=this._listWidth,n.height=t,n.top=-e*t}}function dt(t,e){var n,i=J.listGroupBy(t,(function(t){return t.lineName+"_"+t.lineCode})),r=at(e);try{for(r.s();!(n=r.n()).done;){var o=n.value,a=o.lineName+"_"+o.lineCode;if(o.gps.splice(0,o.gps.length),i[a]){var s,l=at(i[a]);try{for(l.s();!(s=l.n()).done;){var u=s.value;o.gps.push(new it(u))}}catch(c){l.e(c)}finally{l.f()}}}}catch(c){r.e(c)}finally{r.f()}}function ft(t){for(var e=J.listGroupBy(t,(function(t){return t.lineName+"_"+t.lineCode})),n=[],i=Object.keys(e),r=0,o=i;r<o.length;r++){var a=o[r];n.push(a)}if(n.sort((function(t,e){return t.localeCompare(e)})),0===n.length)return[];for(var s=[],l=0,u=n;l<u.length;l++){var c=u[l],h=c.split("_")[0],d=c.split("_")[1],f=new ot({lineName:h,lineCode:d,route:[],gps:[],width:0,height:0,top:0,itemIndex:0,pageIndex:0}),p=e[c],v=J.listGroupBy(p,(function(t){return t.directions}));v[0]||(v[0]=[]),v[1]||(v[1]=[]);try{v[0].sort((function(t,e){return t.stationRouteCode-e.stationRouteCode})),v[1].sort((function(t,e){return e.stationRouteCode-t.stationRouteCode}))}catch(vt){console.log("站定路由数据异常!"),console.log(vt)}for(var m=[],g=void 0,y=void 0,_=0;_<888;_++){if(g=v[0][_],y=v[1][_],null!=g&&null!=y&&g.stationName!==y.stationName){var b=J.listIndexOf(v[1],g,"stationName");if(b>_){J.insertNullToList(v[0],_,b-_),_-=1;continue}if(b=J.listIndexOf(v[0],y,"stationName"),b>_){J.insertNullToList(v[1],_,b-_),_-=1;continue}}if(null==g&&null==y)break;m.splice(_,1,$.fromLineRouteDataOfApi(g,y))}f.route=m,s.push(f)}return s}var pt=ut;function vt(t,e){t=t.replace(/=/g,"");var n=[];switch(e.constructor){case String:case Number:case Boolean:n.push(encodeURIComponent(t)+"="+encodeURIComponent(e));break;case Array:e.forEach((function(e){n=n.concat(vt(t+"[]=",e))}));break;case Object:Object.keys(e).forEach((function(i){var r=e[i];n=n.concat(vt(t+"["+i+"]",r))}))}return n}function mt(t){var e=[];return t.forEach((function(t){"string"==typeof t?e.push(t):e=e.concat(mt(t))})),e}
39 39 /**
40 40 * Vue Jsonp.
41 41 * # Carry Your World #
42 42 *
43 43 * @author: LancerComet
44 44 * @license: MIT
45   - */function Vn(t,e,n){if(void 0===e&&(e={}),"string"!=typeof t)throw new Error('[Vue-jsonp] Type of param "url" is not string.');if("object"!=typeof e||!e)throw new Error("[Vue-jsonp] Invalid params, should be an object.");return n="number"==typeof n?n:5e3,new Promise((function(i,o){var r="string"==typeof e.callbackQuery?e.callbackQuery:"callback",a="string"==typeof e.callbackName?e.callbackName:"jsonp_"+(Math.floor(1e5*Math.random())*Date.now()).toString(16);e[r]=a,delete e.callbackQuery,delete e.callbackName;var s=[];Object.keys(e).forEach((function(t){s=s.concat(Wn(t,e[t]))}));var l=Jn(s).join("&"),c=function(){u(),clearTimeout(d),o({status:400,statusText:"Bad Request"})},u=function(){f.removeEventListener("error",c)},h=function(){document.body.removeChild(f),delete window[a]},d=null;n>-1&&(d=setTimeout((function(){u(),h(),o({statusText:"Request Timeout",status:408})}),n)),window[a]=function(t){clearTimeout(d),u(),h(),i(t)};var f=document.createElement("script");f.addEventListener("error",c),f.src=t+(/\?/.test(t)?"&":"?")+l,document.body.appendChild(f)}))}function Xn(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=Zn(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,o=function(){};return{s:o,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:o}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,r=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw r}}}}function Zn(t,e){if(t){if("string"===typeof t)return Kn(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Kn(t,e):void 0}}function Kn(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var $n={props:{editorMode:{type:String,required:!0},page_size:{type:Number,required:!0},list_width:{type:Number,required:!0},list_height:{type:Number,required:!0},scroll_seconds:{type:Number,required:!0},scroll_speed:{type:Number,required:!0},gps_data_refresh_seconds:{type:Number,required:!0},route_data_of_api_url:{type:String,required:!0},gps_data_of_api_url:{type:String,required:!0},device_id:{type:String,required:!0}},computed:{routeDataOfApiUrl:function(){return this.route_data_of_api_url+"?deviceId="+this.device_id},gpsDataOfApiUrl:function(){return this.gps_data_of_api_url+"?deviceId="+this.device_id}},data:function(){return{innerDataSet:[],scrollListInnerData:null,initLoading:!0,initLoadingText:"",scrollTimer:{timer:null,count:0},gpsTimer:{timer:null,count:0}}},mounted:function(){if(this.scrollListInnerData=new Gn(this.page_size,this.list_width,this.list_height),"edit"===this.editorMode){this.initLoading=!0,this.initLoadingText="初始化线路路由...";var t,e=[],n=Xn(Cn.lineRouteList);try{for(n.s();!(t=n.n()).done;){var i=t.value;e.push(new Fn(i))}}catch(o){n.e(o)}finally{n.f()}this.scrollListInnerData.initRouteData(e),this.initLoadingText="初始化线路gps...",this.scrollListInnerData.refreshGps(Cn.lineGpsList),this.innerDataSet=this.scrollListInnerData.scrollDataItemList,this.$emit("bindData",this.innerDataSet),this.initLoading=!1}"preview"===this.editorMode&&this.initDataOfApi()},destroyed:function(){var t=this.scrollTimer.timer;if(t)try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=null;var e=this.gpsTimer.timer;if(e)try{clearTimeout(e)}catch(n){}this.gpsTimer.timer=null,this.scrollListInnerData&&this.scrollListInnerData.resetData()},watch:{"scrollTimer.count":function(){var t=this.scrollTimer.timer;if(t){try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=null}var e=this;this.scrollTimer.timer=setTimeout((function(){e.startScroll()}),1e3*this.scroll_seconds)},"gpsTimer.count":function(){var t=this.gpsTimer.timer;if(t)try{clearTimeout(t)}catch(n){}var e=this;this.gpsTimer.timer=setTimeout((function(){e.refreshGpsDataOfApi()}),1e3*this.gps_data_refresh_seconds)},page_size:function(t){"edit"===this.editorMode&&(this.scrollListInnerData.pageSize=t)},list_width:function(t){this.scrollListInnerData.listWidth=t},list_height:function(t){this.scrollListInnerData.listHeight=t}},render:function(){var t=arguments[0];return t("a-spin",{attrs:{tip:this.initLoadingText,spinning:this.initLoading,size:"large"}},[this.$slots.default])},methods:{startScroll:function(){this.scrollListInnerData.scrollUp(this)},initDataOfApi:function(){var t=this;this.initLoading=!0,this.initLoadingText="初始化线路路由...",Vn(this.routeDataOfApiUrl).then((function(e){var n,i=[],o=Xn(e);try{for(o.s();!(n=o.n()).done;){var r=n.value;i.push(new Fn(r))}}catch(a){o.e(a)}finally{o.f()}0===i.length?(t.initLoadingText="线路路由数据为空,等待".concat(t.gps_data_refresh_seconds,"秒后重新获取,请稍后..."),t.gpsTimer.count++):(t.scrollListInnerData.initRouteData(i),t.innerDataSet=t.scrollListInnerData.scrollDataItemList,t.initLoadingText="初始化线路gps...",Vn(t.gpsDataOfApiUrl).then((function(e){var n,i=[],o=Xn(e);try{for(o.s();!(n=o.n()).done;){var r=n.value;i.push(new Tn(r))}}catch(a){o.e(a)}finally{o.f()}t.scrollListInnerData.refreshGps(i)})).catch((function(e){console.log(e),t.$message.error(" 获取gps数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1)})),t.$emit("bindData",t.innerDataSet),t.initLoading=!1,t.scrollTimer.count++,t.gpsTimer.count++)})).catch((function(e){console.log(e),t.$message.error(" 获取路由数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1),t.initLoadingText="初始化线路路由失败,等待".concat(t.gps_data_refresh_seconds,"秒后重新获取,请稍后..."),t.gpsTimer.count++}))},refreshGpsDataOfApi:function(){var t=this;0===this.innerDataSet.length?this.initDataOfApi():(Vn(this.gpsDataOfApiUrl).then((function(e){var n,i=[],o=Xn(e);try{for(o.s();!(n=o.n()).done;){var r=n.value;i.push(new Tn(r))}}catch(a){o.e(a)}finally{o.f()}t.scrollListInnerData.refreshGps(i)})).catch((function(e){console.log(e),t.$message.error(" 获取gps数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1)})),this.gpsTimer.count++)}}},ti=(n("d3ab"),{extra:{defaultStyle:{top:0,left:0,width:350,height:300}},name:"bsth-line-chart-scrollList",data:function(){return this.private_jQuery=jQuery.noConflict(),{watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},list_width:350,list_height:300,line_chart_outer_div_width:0,line_chart_outer_div_height:0,internalDataSet:[],scrollTop:0}},props:{editorMode:j.string({defaultValue:"preview",label:"模式",visible:!1}),_flag_1_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),page_size:j.number({label:"每页显示线路图数量",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_mode:j.select({label:"滚动模式",defaultValue:"up",options:[{label:"向上滚动",value:"up"},{label:"向下滚动",value:"down"}],layout:{prefixCls:"bsth-line"}}),scroll_seconds:j.number({label:"滚动时间间隔(秒)",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_speed:j.number({label:"滚动速度(像素/秒)",defaultValue:1e3,layout:{prefixCls:"bsth-line"}}),gps_data_refresh_seconds:j.number({label:"gps数据刷新间隔(秒)",defaultValue:30,layout:{prefixCls:"bsth-line"}}),route_data_of_api_url:j.string({label:"线路路由数据url",component:"a-textarea",defaultValue:"http://192.168.168.228:8910/General_Interface/getLineRouteVO",layout:{prefixCls:"bsth-line"}}),gps_data_of_api_url:j.string({label:"线路gps数据url",component:"a-textarea",defaultValue:"http://192.168.168.228:8910/General_Interface/getLineGpsVO",layout:{prefixCls:"bsth-line"}}),device_id:j.string({label:"站牌设备Id",defaultValue:"66MH0001",layout:{prefixCls:"bsth-line"}}),_flag_2_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:j.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:j.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:j.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:j.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_3_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图外层css属性"},class:"bsth-line-item-divider"})}}),line_chart_name_font_size:j.number({label:"线路名称字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),line_chart_name_font_color:j.color({label:"线路名称字体颜色",defaultValue:"#babdbd",layout:{prefixCls:"bsth-line"}}),line_chart_margin_left:j.number({label:"图左边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),line_chart_margin_right:j.number({label:"图右边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),line_chart_margin_top:j.number({label:"图上边margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),line_chart_margin_bottom:j.number({label:"图底部margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),line_chart_border_size:j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),line_chart_background_color:j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_4_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图内层css属性"},class:"bsth-line-item-divider"})}}),chart_left_padding:j.number({label:"内部线路图距离左边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_right_padding:j.number({label:"内部线路图距离右边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_center_top_padding:j.number({label:"内部线路图居中修正padding",defaultValue:4,layout:{prefixCls:"bsth-line"}}),chart_station_name_max_size:j.number({label:"站点名显示最大文字个数",defaultValue:12,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_color:j.color({label:"上行线颜色",defaultValue:"#5E96D2",layout:{prefixCls:"bsth-line"}}),chart_down_line_path_s_color:j.color({label:"下行线颜色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color:j.color({label:"上行线站点圆圈填充色",defaultValue:"#5e96d2",layout:{prefixCls:"bsth-line"}}),chart_down_line_circle_f_color:j.color({label:"下行线站点圆圈填充色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size:j.number({label:"站名字体大小",defaultValue:14,layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color:j.color({label:"上行站名颜色",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),chart_down_station_text_font_f_color:j.color({label:"下行站名颜色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_up_down_station_text_font_f_color:j.color({label:"上行下行同名站名颜色",defaultValue:"#3e3e3e",layout:{prefixCls:"bsth-line"}}),chart_gps_up_rect_color:j.color({label:"上行gps车辆rect背景色",defaultValue:"#3e50b3",layout:{prefixCls:"bsth-line"}}),chart_gps_up_text_f_color:j.color({label:"上行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_rect_color:j.color({label:"下行gps车辆rect背景色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_gps_down_text_f_color:j.color({label:"下行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_rect_color:j.color({label:"上行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_text_f_color:j.color({label:"上行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_rect_color:j.color({label:"下行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_text_f_color:j.color({label:"下行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0];return t("div",{class:"line-chart-scrollList-outer-div"},[this.renderScrollDataComponent()])},mounted:function(){var t=this.private_jQuery;this.list_width=t(this.$el).width()-this.margin_left-this.margin_right-2*this.border_size,this.list_height=t(this.$el).height()-this.margin_top-this.margin_bottom-2*this.border_size,this.line_chart_outer_div_width=this.list_width,this.line_chart_outer_div_height=Math.floor(this.list_height/this.page_size),"edit"===this.editorMode&&this.watchWidthHeightTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;if(t){try{clearTimeout(t)}catch(Wn){}this.watchWidthHeightTimer.timer=null}},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.list_width&&(e.list_width=t-e.margin_left-e.margin_right-2*e.border_size,e.line_chart_outer_div_width=e.list_width),i!==e.list_height&&(e.list_height=i-e.margin_top-e.margin_bottom-2*e.border_size,e.line_chart_outer_div_height=Math.floor(e.list_height/e.page_size)),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},page_size:function(t){self.line_chart_outer_div_height=Math.floor(self.list_height/self.page_size)},list_width:function(){var t=this;t.line_chart_outer_div_width=t.list_width},list_height:function(){var t=this;t.line_chart_outer_div_height=Math.floor(t.list_height/t.page_size)},margin_left:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size},margin_right:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size},margin_top:function(){var t=this;t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size},margin_bottom:function(){var t=this;t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size},border_size:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size,t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size}},methods:{onScrollTop:function(t){this.scrollTop=t},onBindData:function(t){this.internalDataSet=t},renderScrollDataComponent:function(){var t=this,e=this.$createElement,n={width:this.list_width+"px",height:this.list_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"},i={top:this.scrollTop+"px",position:"absolute",width:this.list_width+"px",height:this.line_chart_outer_div_height*this.internalDataSet.length+"px"};return e($n,{attrs:{editorMode:this.editorMode,page_size:this.page_size,list_width:this.list_width,list_height:this.list_height,scroll_seconds:this.scroll_seconds,scroll_speed:this.scroll_speed,gps_data_refresh_seconds:this.gps_data_refresh_seconds,route_data_of_api_url:this.route_data_of_api_url,gps_data_of_api_url:this.gps_data_of_api_url,device_id:this.device_id},on:{bindData:this.onBindData,scrollTop:this.onScrollTop}},[e("div",{style:n},[e("div",{style:i},[this.internalDataSet.map((function(e){return t.renderBsthLinechartDataList(e)}))])])])},renderBsthLinechartDataList:function(t){var e=this.$createElement;return e("bsth-line-chart",{attrs:{useMode:"child",editorMode:this.editorMode,line_chart_outer_div_width:this.line_chart_outer_div_width,line_chart_outer_div_height:this.line_chart_outer_div_height,line_route_data_child:t.route,line_gps_data_child:t.gps,line_name:t.lineName,line_code:t.lineCode,line_name_font_size:this.line_chart_name_font_size,line_name_font_color:this.line_chart_name_font_color,margin_left:this.line_chart_margin_left,margin_right:this.line_chart_margin_right,margin_top:this.line_chart_margin_top,margin_bottom:this.line_chart_margin_bottom,border_size:this.line_chart_border_size,background_color:this.line_chart_background_color,chart_left_padding:this.chart_left_padding,chart_right_padding:this.chart_right_padding,chart_center_top_padding:this.chart_center_top_padding,chart_station_name_max_size:this.chart_station_name_max_size,chart_up_line_path_s_color:this.chart_up_line_path_s_color,chart_down_line_path_s_color:this.chart_down_line_path_s_color,chart_up_line_circle_f_color:this.chart_up_line_circle_f_color,chart_down_line_circle_f_color:this.chart_down_line_circle_f_color,chart_station_text_font_size:this.chart_station_text_font_size,chart_up_station_text_font_f_color:this.chart_up_station_text_font_f_color,chart_down_station_text_font_f_color:this.chart_down_station_text_font_f_color,chart_up_down_station_text_font_f_color:this.chart_up_down_station_text_font_f_color,chart_gps_up_rect_color:this.chart_gps_up_rect_color,chart_gps_up_text_f_color:this.chart_gps_up_text_f_color,chart_gps_down_rect_color:this.chart_gps_down_rect_color,chart_gps_down_text_f_color:this.chart_gps_down_text_f_color,chart_gps_up_merge_rect_color:this.chart_gps_up_merge_rect_color,chart_gps_up_merge_text_f_color:this.chart_gps_up_merge_text_f_color,chart_gps_down_merge_rect_color:this.chart_gps_down_merge_rect_color,chart_gps_down_merge_text_f_color:this.chart_gps_down_merge_text_f_color}})}}}),ei=n("d6d3"),ni=(n("fda2"),n("0d6d"),1),ii=2,oi=Object.freeze({IMAGE:Symbol(ni),VIDEO:Symbol(ii)}),ri=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};Ie(this,t),this.type=e.type,this.url=e.url}return Fe(t,[{key:"toObject",value:function(){switch(this.type){case oi.IMAGE:return{url:this.url,flag:ni};case oi.VIDEO:return{url:this.url,flag:ii};default:throw new Error("未知的GalleryValue类型:".concat(this.type))}}}],[{key:"toGalleryValue",value:function(e){var n=e.url,i=e.flag;if(oi.IMAGE.toString()==="Symbol("+i+")")return new t({url:n,type:oi.IMAGE});if(oi.VIDEO.toString()==="Symbol("+i+")")return new t({url:n,type:oi.VIDEO});throw new Error("错误的GalleryValue类型Flag:".concat(i))}}]),t}();n("ada8");function ai(){var t=[new ri({type:oi.IMAGE,url:"https://img.yzcdn.cn/vant/apple-1.jpg"}).toObject(),new ri({type:oi.IMAGE,url:"https://img.yzcdn.cn/vant/apple-2.jpg"}).toObject()];return t}var si={extra:{defaultStyle:{top:0,left:0,width:350,height:300}},name:"bsth-slide",data:function(){return this.private_jQuery=jQuery.noConflict(),{innerInterval:0,videoWidth:0,videoHeight:0}},props:{editorMode:j.string({defaultValue:"preview",label:"模式",visible:!1}),items:{type:Array,default:function(){return ai()},editor:{custom:!0}},activeIndex:{type:Number,default:0,editor:{custom:!0}},interval:j.number({label:"间隔时间(秒)",defaultValue:3,layout:{prefixCls:"bsth-line"}})},render:function(){var t=this,e=arguments[0],n=this.items,i=this.activeIndex;return"edit"===this.editorMode?this.renderSwipeItemWithEdit(n[i]):e(Et,{on:{change:this.swipeChange},attrs:{autoplay:+this.innerInterval,"indicator-color":"red"}},[n.map((function(e){return t.renderSwipeItemWithPreview(e)}))])},mounted:function(){this.innerInterval=1e3*this.interval;var t=this.private_jQuery;this.videoWidth=t(this.$el).width(),this.videoHeight=t(this.$el).height()},destroyed:function(){},watch:{},methods:{swipeChange:function(t){var e=ri.toGalleryValue(this.items[t]);if(e.type===oi.VIDEO){this.innerInterval=null;var n=this.$refs[e.url].player;n.play()}},onPlayEnded:function(){this.innerInterval=1e3*this.interval},renderSwipeItemWithEdit:function(t){var e=this.$createElement,n=ri.toGalleryValue(t);switch(n.type){case oi.IMAGE:return e("div",[e("img",{attrs:{src:n.url,width:"100%",height:"100%"}})]);case oi.VIDEO:return e("div",[e("h1",["预览模式查看"])]);default:return e("div",[e("p",["无轮播项目"])])}},renderSwipeItemWithPreview:function(t){var e=this.$createElement,n=ri.toGalleryValue(t),i=e(kt,["未知"]),o=e(kt,[e("img",{attrs:{src:n.url,width:"100%",height:"100%"}})]),r={playbackRates:[.5,1,1.5,2],autoplay:!0,muted:!0,loop:!1,preload:"auto",language:"zh-CN",width:this.videoWidth,height:this.videoHeight,sources:[{type:"video/mp4",src:n.url}],poster:"",notSupportedMessage:"此视频暂无法播放,请稍后再试",controlBar:{timeDivider:!0,durationDisplay:!0,remainingTimeDisplay:!1,fullscreenToggle:!0}},a=t.url,s=e(kt,[e(ei["videoPlayer"],{ref:a,class:"video-player vjs-custom-skin myVideoPlayer",attrs:{playsinline:!0,options:r},on:{ended:this.onPlayEnded}})]);switch(n.type){case oi.IMAGE:return o;case oi.VIDEO:return s;default:return i}}}},li=(n("f01b"),n("bc3a")),ci=n.n(li),ui=function(){function t(e){Ie(this,t),this._weatherRealtimeComponent=e,this.condTemperature=hi,this.condTemperatureText=di,this.condTemperatureTextIcon=fi,this.windDirection=Ai,this.windPower=pi,this.airQuaility=gi,this.airQuailityText=vi}return Fe(t,[{key:"updateRealtimeInfo",value:function(){xi.call(this)}}]),t}(),hi="28℃",di="晴",fi="https://cdn.heweather.com/cond_icon/100.png",Ai="南风",pi="2级",gi="21",vi="优",mi="b34179d047c74311a2e91c8ad99856d6",yi="https://devapi.qweather.com/v7/weather/",bi="https://devapi.qweather.com/v7/air/";ci.a.create({baseURL:yi,timeout:5e4}),ci.a.create({baseURL:bi,timeout:5e4});var wi="https://free-api.heweather.net/s6/weather/",Ei="https://free-api.heweather.net/s6/air/",_i=ci.a.create({baseURL:wi,timeout:5e4}),Bi=ci.a.create({baseURL:Ei,timeout:5e4});function xi(){var t=this;this._weatherRealtimeComponent.initLoading=!0,this._weatherRealtimeComponent.initLoadingText="获取天气数据...",_i.get("/now",{params:{location:101020100,key:mi}}).then((function(e){t._weatherRealtimeComponent.initLoadingText="获取温度数据...";var n=e.data;return n["HeWeather6"]&&n["HeWeather6"][0]&&"ok"===n["HeWeather6"][0].status?(t.condTemperature=n["HeWeather6"][0]["now"]["tmp"]+"℃",t.condTemperatureText=n["HeWeather6"][0]["now"]["cond_txt"],t.condTemperatureTextIcon="https://cdn.heweather.com/cond_icon/"+n["HeWeather6"][0]["now"]["cond_code"]+".png",t.windDirection=n["HeWeather6"][0]["now"]["wind_dir"],t.windPower=n["HeWeather6"][0]["now"]["wind_sc"]+"级",Bi.get("/now",{params:{location:101020100,key:mi}})):e})).then((function(e){t._weatherRealtimeComponent.initLoadingText="获取空气质量数据...";var n=e.data;n["HeWeather6"]&&n["HeWeather6"][0]&&"ok"===n["HeWeather6"][0].status?(t.airQuaility=n["HeWeather6"][0]["air_now_city"]["aqi"],t.airQuailityText=n["HeWeather6"][0]["air_now_city"]["qlty"],t._weatherRealtimeComponent.weatherRealtimeDataTimer.init=!0,t._weatherRealtimeComponent.initLoading=!1):t._weatherRealtimeComponent.initLoadingText=n["HeWeather6"][0].status})).catch((function(e){console.log(e.message),t._weatherRealtimeComponent.initLoadingText=e.message})).then((function(){t._weatherRealtimeComponent.weatherRealtimeDataTimer.count++,t._weatherRealtimeComponent.weatherRealtimeDataTimer.init?(t._weatherRealtimeComponent.initLoading=!1,t._weatherRealtimeComponent.initLoadingText=""):(t._weatherRealtimeComponent.initLoading=!0,t._weatherRealtimeComponent.initLoadingText+=",等待10秒后再次获取...")}))}var Ci=ui,ki={extra:{defaultStyle:{top:0,left:0,width:260,height:160}},name:"bsth-weather-realtime",data:function(){return this.private_jQuery=jQuery.noConflict(),{weatherRealtimeData:null,initLoading:!0,initLoadingText:"",weatherRealtimeDataTimer:{timer:null,init:!1,count:0,millisecond:6e5},watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},weather_diagram_width:260,weather_diagram_height:160}},props:{useMode:j.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:j.string({defaultValue:"preview",label:"模式",visible:!1}),weather_outer_div_width:j.number({defaultValue:260,label:"bsth-weather-outer-div样式的div宽度",visible:!1}),weather_outer_div_height:j.number({defaultValue:160,label:"bsth-weather-outer-div样式的div高度",visible:!1}),_flag_1_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:j.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:j.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:j.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:j.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_2_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层css属性"},class:"bsth-line-item-divider"})}}),weather_left_padding:j.number({label:"内部图距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_right_padding:j.number({label:"内部图距离右边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_top_padding:j.number({label:"内部图距离上边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_bottom_padding:j.number({label:"内部图距离下边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),_flag_3_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"温度信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_cond_heigth:j.number({label:"温度布局高度",defaultValue:70,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_font_size:j.number({label:"温度字体大小",defaultValue:43,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_font_color:j.color({label:"温度字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_cond_temp_heigth:j.number({label:"温度内容高度",defaultValue:41,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_font_size:j.number({label:"温度文字字体大小",defaultValue:17,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_font_color:j.color({label:"温度文字字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_height:j.number({label:"温度文字内容高度",defaultValue:90,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_left_padding:j.number({label:"温度文字距离左边padding",defaultValue:15,layout:{prefixCls:"bsth-line"}}),_flag_4_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"风信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_wind_dir_font_size:j.number({label:"风向字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_wind_dir_font_color:j.color({label:"风向字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_wind_pow_font_size:j.number({label:"风力字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_wind_pow_font_color:j.color({label:"风力字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_wind_pow_left_padding:j.number({label:"风力文字距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),_flag_5_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"空气信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_air_title_font_size:j.number({label:"空气质量标题字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_air_title_font_color:j.color({label:"空气质量标题字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_air_qua_font_size:j.number({label:"空气质量字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_air_qua_font_color:j.color({label:"空气质量字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_air_qua_left_padding:j.number({label:"空气质量信息 距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_cond_img_width:j.number({label:"天气图标宽度",defaultValue:100,layout:{prefixCls:"bsth-line"}}),weather_cond_img_height:j.number({label:"天气图标高度",defaultValue:100,layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.weather_diagram_width+"px",height:this.weather_diagram_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"};return t("div",{class:"bsth-weather-outer-div"},[t("div",{class:"realtime",style:e},[this.renderWeatherComponent()])])},created:function(){this.weatherRealtimeData=new Ci(this)},mounted:function(){"edit"===this.editorMode&&(this.initLoading=!1),"preview"===this.editorMode&&this.weatherRealtimeData.updateRealtimeInfo();var t=this.private_jQuery;this.weather_diagram_width=t(this.$el).width()-this.margin_left-this.margin_right,this.weather_diagram_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.weather_diagram_width=this.weather_outer_div_width-this.margin_left-this.margin_right,this.weather_diagram_height=this.weather_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this.weatherRealtimeDataTimer.timer;e&&(clearTimeout(e),this.weatherRealtimeDataTimer.timer=null)},watch:{"weatherRealtimeDataTimer.count":function(){var t=this.weatherRealtimeDataTimer.timer;if(t){try{clearTimeout(t)}catch(n){}this.weatherRealtimeDataTimer.timer=null}var e=this;this.weatherRealtimeDataTimer.timer=setTimeout((function(){e.weatherRealtimeData.updateRealtimeInfo()}),e.weatherRealtimeDataTimer.init?e.weatherRealtimeDataTimer.millisecond:1e4)},"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.line_width&&(e.weather_diagram_width=t-e.margin_left-e.margin_right),i!==e.line_height&&(e.weather_diagram_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},weather_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.weather_diagram_width=t-e.margin_left-e.margin_right)},weather_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.weather_diagram_height=t-e.margin_top-e.margin_bottom)},margin_left:function(){var t=this;t.weather_diagram_width=t.weather_diagram_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.weather_diagram_width=t.weather_diagram_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.weather_diagram_height=t.weather_diagram_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.weather_diagram_height=t.weather_diagram_height-t.margin_top-t.margin_bottom}},methods:{renderWeatherComponent:function(){var t=this.$createElement,e={display:"flex","padding-left":this.weather_left_padding+"px","padding-right":this.weather_right_padding+"px","padding-top":this.weather_top_padding+"px","padding-bottom":this.weather_bottom_padding+"px"},n={display:"flex",height:this.weather_cond_heigth+"px"},i={"font-size":this.weather_cond_temp_font_size+"px",height:this.weather_cond_temp_heigth+"px",color:this.weather_cond_temp_font_color},o={"font-size":this.weather_cond_temp_text_font_size+"px",color:this.weather_cond_temp_text_font_color,"line-height":this.weather_cond_temp_text_height+"px","padding-left":this.weather_cond_temp_text_left_padding+"px"},r={display:"flex"},a={"font-size":this.weather_wind_dir_font_size+"px",color:this.weather_wind_dir_font_color},s={"font-size":this.weather_wind_pow_font_size+"px",color:this.weather_wind_pow_font_color,"padding-left":this.weather_wind_pow_left_padding+"px"},l={display:"flex"},c={"font-size":this.weather_air_title_font_size+"px",color:this.weather_air_title_font_color},u={"font-size":this.weather_air_qua_font_size+"px",color:this.weather_air_qua_font_color,"padding-left":this.weather_air_qua_left_padding+"px"},h={width:this.weather_cond_img_width+"px",height:this.weather_cond_img_height+"px"};return t("a-spin",{attrs:{tip:this.initLoadingText,spinning:this.initLoading,size:"large",wrapperClassName:"my-spin"}},[t("div",{style:e},[t("div",[t("div",{style:n,class:"cond"},[t("p",{style:i,class:"temperature"},[this.weatherRealtimeData.condTemperature]),t("p",{style:o,class:"temperature_text"},[this.weatherRealtimeData.condTemperatureText])]),t("div",{style:r,class:"wind"},[t("p",{style:a,class:"direction"},[this.weatherRealtimeData.windDirection]),t("p",{style:s,class:"power"},[this.weatherRealtimeData.windPower])]),t("div",{style:l,class:"air"},[t("p",{style:c,class:"quaility_title"},["空气质量"]),t("p",{style:u,class:"quaility"},[this.weatherRealtimeData.airQuaility," ",this.weatherRealtimeData.airQuailityText])])]),t("div",[t("img",{style:h,attrs:{src:this.weatherRealtimeData.condTemperatureTextIcon}})])])])}}},ji=(n("a68b"),n("c1df")),Ii=n.n(ji),Di={extra:{defaultStyle:{top:0,left:0,width:260,height:90}},name:"bsth-datetime",data:function(){return this.private_jQuery=jQuery.noConflict(),this.private_d3=d3,this.private_svg=null,this.private_date_svg_g=null,this.private_time_svg_g=null,{internalDate:{value:"1970年10月1日 星期一",count:0},internalTime:{value:"12:00:00",count:0},internalTimer:{timer:null,count:0,millisecond:1e3},watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},datetime_diagram_width:260,datetime_diagram_height:90}},props:{useMode:j.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:j.string({defaultValue:"preview",label:"模式",visible:!1}),datetime_outer_div_width:j.number({defaultValue:260,label:"bsth-datetime-outer-div样式的div宽度",visible:!1}),datetime_outer_div_height:j.number({defaultValue:160,label:"bsth-datetime-outer-div样式的div高度",visible:!1}),_flag_1_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:j.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:j.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:j.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:j.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:j.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:j.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_2_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"日期css属性"},class:"bsth-line-item-divider"})}}),date_left_padding:j.number({label:"日期显示距离左边padding",defaultValue:15,layout:{prefixCls:"bsth-line"}}),date_top_padding:j.number({label:"日期显示距离上边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),date_font_size:j.number({label:"日期字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),date_font_color:j.color({label:"日期字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),_flag_3_:j.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"时间css属性"},class:"bsth-line-item-divider"})}}),time_left_padding:j.number({label:"时间显示距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),time_top_padding:j.number({label:"时间显示距离上边padding",defaultValue:70,layout:{prefixCls:"bsth-line"}}),time_font_size:j.number({label:"时间字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),time_font_color:j.color({label:"时间字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.datetime_diagram_width+"px",height:this.datetime_diagram_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"};return t("div",{class:"bsth-datetime-outer-div"},[t("div",{style:e},[t("svg",{class:"datetime-chart",style:{height:this.datetime_diagram_height+"px"}},[t("g",{class:"date"}),t("g",{class:"time"})])])])},created:function(){},mounted:function(){this.private_svg=this.findD3SvgDom(),this.private_date_svg_g=this.findD3DateSvgG(),this.private_time_svg_g=this.findD3TimeSvgG();var t=this.private_jQuery;this.datetime_diagram_width=t(this.$el).width()-this.margin_left-this.margin_right,this.datetime_diagram_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.datetime_diagram_width=this.datetime_outer_div_width-this.margin_left-this.margin_right,this.datetime_diagram_height=this.datetime_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++,this.refreshInternalData(),this.refreshDateSvg(),this.refreshTimeSvg(),"preview"===this.editorMode&&this.internalTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null),t=this.internalTimer.timer,t&&(clearTimeout(t),this.internalTimer.timer=null)},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.line_width&&(e.datetime_diagram_width=t-e.margin_left-e.margin_right),i!==e.line_height&&(e.datetime_diagram_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},"internalTimer.count":function(){var t=this.internalTimer.timer;t&&(clearTimeout(t),this.internalTimer.timer=null);var e=this;e.internalTimer.timer=setTimeout((function(){e.refreshInternalData(),e.refreshDateSvg(),e.refreshTimeSvg(),e.internalTimer.count++}),e.internalTimer.millisecond)},datetime_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.datetime_diagram_width=t-e.margin_left-e.margin_right)},datetime_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.datetime_diagram_height=t-e.margin_top-e.margin_bottom)},datetime_diagram_width:function(){this.refreshDateSvg(),this.refreshTimeSvg()},datetime_diagram_height:function(){this.refreshDateSvg(),this.refreshTimeSvg()},margin_left:function(){var t=this;t.datetime_diagram_width=t.datetime_diagram_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.datetime_diagram_width=t.datetime_diagram_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.datetime_diagram_height=t.datetime_diagram_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.datetime_diagram_height=t.datetime_diagram_height-t.margin_top-t.margin_bottom},border_size:function(){this.refreshDateSvg(),this.refreshTimeSvg()},date_left_padding:function(){this.refreshDateSvg()},date_top_padding:function(){this.refreshDateSvg()},date_font_size:function(t){var e=this.private_date_svg_g;e.selectAll("text").style("font-size",t)},date_font_color:function(t){var e=this.private_date_svg_g;e.selectAll("text").style("fill",t)},time_left_padding:function(){this.refreshTimeSvg()},time_top_padding:function(){this.refreshTimeSvg()},time_font_size:function(t){var e=this.private_time_svg_g;e.selectAll("text").style("font-size",t)},time_font_color:function(t){var e=this.private_time_svg_g;e.selectAll("text").style("fill",t)}},methods:{findD3SvgDom:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg")[0];return e.select(n)},findD3DateSvgG:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.date")[0];return e.select(n)},findD3TimeSvgG:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.time")[0];return e.select(n)},refreshInternalData:function(){var t=new Date;this.internalDate.value=Ii()(t).locale("zh-cn").format("YYYY年MM月DD日 dddd"),this.internalTime.value=Ii()(t).format("HH:mm:ss")},refreshDateSvg:function(){var t=this,e=t.private_d3,n=t.datetime_diagram_width-2*t.border_size,i=t.datetime_diagram_height-2*t.border_size,o=t.private_date_svg_g,r=e.scaleLinear().domain([0,1]).range([t.date_left_padding,n-t.date_left_padding]),a=e.scaleLinear().domain([0,1]).range([t.date_top_padding,i-t.date_top_padding]),s=o.selectAll("text").data([t.internalDate],(function(t){return t.count})),l=s,c=s.exit();c.remove(),l.enter().append("text").style("font-size",t.date_font_size+"px").style("fill",t.date_font_color).text((function(t){return t.value})).attr("x",(function(){return r(0)})).attr("y",(function(){return a(0)})),s.text((function(t){return t.value})).attr("x",(function(){return r(0)})).attr("y",(function(){return a(0)}))},refreshTimeSvg:function(){var t=this,e=t.private_d3,n=t.datetime_diagram_width-2*t.border_size,i=t.datetime_diagram_height-2*t.border_size,o=t.private_time_svg_g,r=e.scaleLinear().domain([0,1]).range([t.time_left_padding,n-t.time_left_padding]),a=e.scaleLinear().domain([0,1]).range([t.time_top_padding,i-t.time_top_padding]),s=o.selectAll("text").data([t.internalTime],(function(t){return t.count})),l=s,c=s.exit();c.remove(),l.enter().append("text").style("font-size",t.time_font_size+"px").style("fill",t.time_font_color).text((function(t){return t.value})).attr("x",(function(){return r(0)})).attr("y",(function(){return a(0)})),s.text((function(t){return t.value})).attr("x",(function(){return r(0)})).attr("y",(function(){return a(0)}))}}},Fi=[{i18nTitle:{"en-US":"Text","zh-CN":"文字"},title:"文字",icon:"text-width",component:Q,visible:!0,name:Q.name},{i18nTitle:{"en-US":"Background","zh-CN":"背景"},title:"背景",icon:"dot-circle-o",component:K,visible:!1,name:K.name},{i18nTitle:{"en-US":"LineChart","zh-CN":"线路模拟图"},title:"线路模拟图",icon:"list",component:yn,visible:!1,name:yn.name},{i18nTitle:{"en-US":"LineChartScrollList","zh-CN":"线路模拟图滚动列表"},title:"线路模拟图滚动列表",icon:"list",component:ti,visible:!0,name:ti.name},{i18nTitle:{"en-US":"Carousel2","zh-CN":"轮播图"},title:"轮播图",icon:"photo",component:si,visible:!0,name:si.name},{i18nTitle:{"en-US":"Weather","zh-CN":"实时天气"},title:"实时天气",icon:"photo",component:ki,visible:!0,name:ki.name},{i18nTitle:{"en-US":"Datetime","zh-CN":"日期时间"},title:"日期时间",icon:"photo",component:Di,visible:!0,name:Di.name}],Mi={SWIPPER_PAGE:"h5_swipper",LONG_PAGE:"h5_long_page"};function Ti(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function Ni(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?Ti(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):Ti(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var Si=["lbp-form-input","lbp-form-button","lbp-video"],Qi=function(t){return JSON.parse(JSON.stringify(t))},Yi={top:100,left:100,width:100,height:40,zindex:1,textAlign:"center",color:"#000000",backgroundColor:"rgba(255, 255, 255, 0)",fontSize:14,margin:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"}},padding:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"}},border:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"},color:{value:"#000"},style:{value:"solid"}},"border-style":"solid",boxModelPart:""},Oi=function(){function t(e){Ie(this,t),this.name=e.name,this.uuid=e.uuid||H(),this.pluginProps=this.getPluginProps(e),this.commonStyle=this.getCommonStyle(e),this.events=[],this.animations=e.animations||[]}return Fe(t,[{key:"getCommonStyle",value:function(t){return"object"===je(t.commonStyle)?Qi(Ni(Ni({},Yi),t.commonStyle)):Ni(Ni(Ni({},Yi),{},{zindex:t.zindex},t.extra&&t.extra.defaultStyle),t.dragStyle)}},{key:"getPluginProps",value:function(t){return"object"===je(t.pluginProps)?Qi(Ni(Ni({},t.pluginProps),{},{uuid:this.uuid})):this.getDefaultPluginProps(t)}},{key:"getDefaultPluginProps",value:function(t){var e=t.props,n=void 0===e?{}:e,i=t.shortcutProps,o=void 0===i?{}:i,r={uuid:this.uuid};return Object.keys(n).forEach((function(t){var e=n[t].default;r[t]="function"===typeof e?e():e})),r=Ni(Ni({},r),o),r}},{key:"packPosData",value:function(t,e){var n={};return Object.keys(t).forEach((function(i){n[e+"-"+i]=t[i].value+(t[i].unit||"")})),n}},{key:"packBorderData",value:function(){var t=this.commonStyle.border,e=t.top,n=t.right,i=t.bottom,o=t.left,r=t.color,a=t.style;return{"border-width":"".concat(e.value).concat(e.unit," ").concat(n.value).concat(n.unit," ").concat(i.value).concat(i.unit," ").concat(o.value).concat(o.unit," "),"border-style":a.value,"border-color":r.value}}},{key:"getStyle",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.position,n=void 0===e?"static":e,i=t.isRem,o=void 0!==i&&i,r=t.isNodeWrapper,a=void 0===r||r;if("lbp-background"===this.name||!a)return{width:"100%",height:"100%"};var s=this.pluginProps,l=this.commonStyle,c=l.margin,u=l.padding,h=Ni(Ni(Ni({},this.packPosData(c,"margin")),this.packPosData(u,"padding")),this.packBorderData()),d=Ni(Ni({top:U(s.top||l.top,o),left:U(s.left||l.left,o),width:U(s.width||l.width,o),height:U(s.height||l.height,o),fontSize:U(s.fontSize||l.fontSize,o)},h),{},{color:s.color||l.color,textAlign:s.textAlign||l.textAlign,"z-index":l.zindex,position:n});return d}},{key:"getProps",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.mode,n=void 0===e?"edit":e;return Ni(Ni({},this.pluginProps),{},{disabled:Si.includes(this.name)&&"edit"===n})}},{key:"getClass",value:function(){}},{key:"getData",value:function(){}},{key:"getAttrs",value:function(){var t={"data-uuid":this.uuid};if(this.animations.length>0){var e=this.animations[0];t["data-swiper-animation"]=e.type,t["data-duration"]="".concat(e.duration,"s"),t["data-delay"]="".concat(e.delay,"s")}return t}},{key:"getPreviewData",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.position,n=void 0===e?"static":e,i=(t.isRem,t.mode),o=void 0===i?"preview":i,r=t.isNodeWrapper,a=void 0===r||r,s={style:this.getStyle({position:n,isNodeWrapper:a}),props:this.getProps({mode:o}),attrs:this.getAttrs()};return s}},{key:"clone",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=e.zindex,i=void 0===n?this.commonStyle.zindex+1:n;return new t({zindex:i,name:this.name,pluginProps:this.pluginProps,commonStyle:Ni(Ni({},this.commonStyle),{},{top:this.commonStyle.top+20,left:this.commonStyle.left+20})})}}]),t}();n("a481");function Ri(t){var e="";for(var n in t)e+="".concat(n.replace(/[A-Z]+/g,(function(t){return"-".concat(t.toLowerCase())})),":").concat(t[n],";");return e}var Pi={methods:{runAnimations:function(){var t=this.animations||this.element.animations||[],e=t.length;if(0!==e){var n=this,i=this.$el,o=0,r=n.element.getStyle({position:"absolute"});a(),i.addEventListener("animationend",a,!1)}function a(){if(o<e){var n=t[o],a={animationName:n.type,animationDuration:"".concat(n.duration,"s"),animationIterationCount:n.infinite?"infinite":n.interationCount,animationDelay:"".concat(n.delay,"s"),animationFillMode:"both"};i.style.cssText=Ri(a)+Ri(r),o++}else i.style.cssText=Ri(r)}}},created:function(){var t=this;window.EditorApp&&window.EditorApp.$on("RUN_ANIMATIONS",(function(){t.runAnimations()}))}},qi={mixins:[Pi],props:["element"],mounted:function(){this.runAnimations()},render:function(t){return t("div",{style:this.element.getStyle({position:"absolute"})},[this.$slots.default])}},Ui={props:["elements","height"],components:{NodeWrapper:qi},methods:{renderPreview:function(t,e){var n={height:this.height||"100%",position:"relative"};return t("div",{style:n},[e.map((function(e,n){return t("node-wrapper",{attrs:{element:e}},[t(e.name,e.getPreviewData({position:"static",isNodeWrapper:!1}))])}))])}},render:function(t){return this.renderPreview(t,this.elements)}};r.a.config.productionTip=!0;var Li={name:"engine",components:{NodeWrapper:qi},data:function(){return{isLongPage:window.__work.page_mode===Mi.LONG_PAGE}},methods:{renderLongPage:function(){if(window.__work.pages.length){var t=window.__work;return this.renderPreview(t.pages[0].elements)}},renderSwiperPage:function(){var t=this,e=this.$createElement,n=window.__work;return e("div",{class:"swiper-container"},[e("div",{class:"swiper-wrapper"},[n.pages.map((function(n){return e("section",{class:"swiper-slide flat"},[t.renderPreview(n.elements)])}))]),e("div",{class:"swiper-pagination"})])},renderPreview:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],e=this.$createElement,n=this.isLongPage?window.__work.height+"px":"100%",i=t.map((function(t){return new Oi(t)}));return e(Ui,{attrs:{elements:i,height:n}})},getContainerStyle:function(t){var e={position:"relative",height:"100%"};return this.isLongPage&&(e["overflow-y"]="scroll"),e},renderUnPublishTip:function(){var t=this.$createElement;return t("div",{style:"box-sizing: border-box;min-height: 568px;line-height: 568px;text-align: center;"},["页面可能暂未发布"])}},render:function(t){var e=window.__work,n=new URLSearchParams(window.location.search),i="preview"===n.get("view_mode")||e.is_publish;if(!i)return this.renderUnPublishTip();var o=this.getContainerStyle(e);return t("div",{attrs:{id:"work-container","data-work-id":e.id},style:o},[this.isLongPage?this.renderLongPage():this.renderSwiperPage()])}},zi=function(t){t.component(Li.name,Li),Fi.forEach((function(e){t.component(e.name,e.component)}))};"undefined"!==typeof window&&window.Vue&&zi(window.Vue);var Hi={install:zi,Engine:Li};e["default"]=Hi},fc4d:function(t,e,n){"use strict";e.__esModule=!0,e.BindEventMixin=r;var i=n("18d0"),o=0;function r(t){var e="binded_"+o++;function n(){this[e]||(t.call(this,i.on,!0),this[e]=!0)}function r(){this[e]&&(t.call(this,i.off,!1),this[e]=!1)}return{mounted:n,activated:n,deactivated:r,beforeDestroy:r}}},fda2:function(t,e,n){var i=n("4081");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var o=n("499e").default;o("1eff54be",i,!0,{sourceMap:!1,shadowMode:!1})},fdef:function(t,e){t.exports="\t\n\v\f\r   ᠎              \u2028\u2029\ufeff"}})}));
46 45 \ No newline at end of file
  46 + */function gt(t,e,n){if(void 0===e&&(e={}),"string"!=typeof t)throw new Error('[Vue-jsonp] Type of param "url" is not string.');if("object"!=typeof e||!e)throw new Error("[Vue-jsonp] Invalid params, should be an object.");return n="number"==typeof n?n:5e3,new Promise((function(i,r){var o="string"==typeof e.callbackQuery?e.callbackQuery:"callback",a="string"==typeof e.callbackName?e.callbackName:"jsonp_"+(Math.floor(1e5*Math.random())*Date.now()).toString(16);e[o]=a,delete e.callbackQuery,delete e.callbackName;var s=[];Object.keys(e).forEach((function(t){s=s.concat(vt(t,e[t]))}));var l=mt(s).join("&"),u=function(){c(),clearTimeout(d),r({status:400,statusText:"Bad Request"})},c=function(){f.removeEventListener("error",u)},h=function(){document.body.removeChild(f),delete window[a]},d=null;n>-1&&(d=setTimeout((function(){c(),h(),r({statusText:"Request Timeout",status:408})}),n)),window[a]=function(t){clearTimeout(d),c(),h(),i(t)};var f=document.createElement("script");f.addEventListener("error",u),f.src=t+(/\?/.test(t)?"&":"?")+l,document.body.appendChild(f)}))}function yt(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=_t(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,r=function(){};return{s:r,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:r}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var o,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,o=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw o}}}}function _t(t,e){if(t){if("string"===typeof t)return bt(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?bt(t,e):void 0}}function bt(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var wt={props:{editorMode:{type:String,required:!0},page_size:{type:Number,required:!0},list_width:{type:Number,required:!0},list_height:{type:Number,required:!0},scroll_seconds:{type:Number,required:!0},scroll_speed:{type:Number,required:!0},gps_data_refresh_seconds:{type:Number,required:!0},route_data_of_api_url:{type:String,required:!0},gps_data_of_api_url:{type:String,required:!0},device_id:{type:String,required:!0}},computed:{routeDataOfApiUrl:function(){return this.route_data_of_api_url+"?deviceId="+this.device_id},gpsDataOfApiUrl:function(){return this.gps_data_of_api_url+"?deviceId="+this.device_id}},data:function(){return{innerDataSet:[],scrollListInnerData:null,initLoading:!0,initLoadingText:"",scrollTimer:{timer:null,count:0},gpsTimer:{timer:null,count:0}}},mounted:function(){if(this.scrollListInnerData=new pt(this.page_size,this.list_width,this.list_height),"edit"===this.editorMode){this.initLoading=!0,this.initLoadingText="初始化线路路由...";var t,e=[],n=yt(F.lineRouteList);try{for(n.s();!(t=n.n()).done;){var i=t.value;e.push(new U(i))}}catch(r){n.e(r)}finally{n.f()}this.scrollListInnerData.initRouteData(e),this.initLoadingText="初始化线路gps...",this.scrollListInnerData.refreshGps(F.lineGpsList),this.innerDataSet=this.scrollListInnerData.scrollDataItemList,this.$emit("bindData",this.innerDataSet),this.initLoading=!1}"preview"===this.editorMode&&this.initDataOfApi()},destroyed:function(){var t=this.scrollTimer.timer;if(t)try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=null;var e=this.gpsTimer.timer;if(e)try{clearTimeout(e)}catch(n){}this.gpsTimer.timer=null,this.scrollListInnerData&&this.scrollListInnerData.resetData()},watch:{"scrollTimer.count":function(){var t=this.scrollTimer.timer;if(t){try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=null}var e=this;this.scrollTimer.timer=setTimeout((function(){e.startScroll()}),1e3*this.scroll_seconds)},"gpsTimer.count":function(){var t=this.gpsTimer.timer;if(t)try{clearTimeout(t)}catch(n){}var e=this;this.gpsTimer.timer=setTimeout((function(){e.refreshGpsDataOfApi()}),1e3*this.gps_data_refresh_seconds)},page_size:function(t){"edit"===this.editorMode&&(this.scrollListInnerData.pageSize=t)},list_width:function(t){this.scrollListInnerData.listWidth=t},list_height:function(t){this.scrollListInnerData.listHeight=t}},render:function(){var t=arguments[0];return t("a-spin",{attrs:{tip:this.initLoadingText,spinning:this.initLoading,size:"large"}},[this.$slots.default])},methods:{startScroll:function(){this.scrollListInnerData.scrollUp(this)},initDataOfApi:function(){var t=this;this.initLoading=!0,this.initLoadingText="初始化线路路由...",gt(this.routeDataOfApiUrl).then((function(e){var n,i=[],r=yt(e);try{for(r.s();!(n=r.n()).done;){var o=n.value;i.push(new U(o))}}catch(a){r.e(a)}finally{r.f()}0===i.length?(t.initLoadingText="线路路由数据为空,等待".concat(t.gps_data_refresh_seconds,"秒后重新获取,请稍后..."),t.gpsTimer.count++):(t.scrollListInnerData.initRouteData(i),t.innerDataSet=t.scrollListInnerData.scrollDataItemList,t.initLoadingText="初始化线路gps...",gt(t.gpsDataOfApiUrl).then((function(e){var n,i=[],r=yt(e);try{for(r.s();!(n=r.n()).done;){var o=n.value;i.push(new G(o))}}catch(a){r.e(a)}finally{r.f()}t.scrollListInnerData.refreshGps(i)})).catch((function(e){console.log(e),t.$message.error(" 获取gps数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1)})),t.$emit("bindData",t.innerDataSet),t.initLoading=!1,t.scrollTimer.count++,t.gpsTimer.count++)})).catch((function(e){console.log(e),t.$message.error(" 获取路由数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1),t.initLoadingText="初始化线路路由失败,等待".concat(t.gps_data_refresh_seconds,"秒后重新获取,请稍后..."),t.gpsTimer.count++}))},refreshGpsDataOfApi:function(){var t=this;0===this.innerDataSet.length?this.initDataOfApi():(gt(this.gpsDataOfApiUrl).then((function(e){var n,i=[],r=yt(e);try{for(r.s();!(n=r.n()).done;){var o=n.value;i.push(new G(o))}}catch(a){r.e(a)}finally{r.f()}t.scrollListInnerData.refreshGps(i)})).catch((function(e){console.log(e),t.$message.error(" 获取gps数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1)})),this.gpsTimer.count++)}}},At=(n("d3ab"),{extra:{defaultStyle:{top:0,left:0,width:350,height:300}},name:"bsth-line-chart-scrollList",data:function(){return this.private_jQuery=jQuery.noConflict(),{watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},list_width:350,list_height:300,line_chart_outer_div_width:0,line_chart_outer_div_height:0,internalDataSet:[],scrollTop:0}},props:{editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),_flag_1_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),page_size:E.number({label:"每页显示线路图数量",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_mode:E.select({label:"滚动模式",defaultValue:"up",options:[{label:"向上滚动",value:"up"},{label:"向下滚动",value:"down"}],layout:{prefixCls:"bsth-line"}}),scroll_seconds:E.number({label:"滚动时间间隔(秒)",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_speed:E.number({label:"滚动速度(像素/秒)",defaultValue:1e3,layout:{prefixCls:"bsth-line"}}),gps_data_refresh_seconds:E.number({label:"gps数据刷新间隔(秒)",defaultValue:30,layout:{prefixCls:"bsth-line"}}),route_data_of_api_url:E.string({label:"线路路由数据url",component:"a-textarea",defaultValue:"http://192.168.168.228:8910/General_Interface/getLineRouteVO",layout:{prefixCls:"bsth-line"}}),gps_data_of_api_url:E.string({label:"线路gps数据url",component:"a-textarea",defaultValue:"http://192.168.168.228:8910/General_Interface/getLineGpsVO",layout:{prefixCls:"bsth-line"}}),device_id:E.string({label:"站牌设备Id",defaultValue:"66MH0001",layout:{prefixCls:"bsth-line"}}),_flag_2_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:E.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_3_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图外层css属性"},class:"bsth-line-item-divider"})}}),line_chart_name_font_size:E.number({label:"线路名称字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),line_chart_name_font_color:E.color({label:"线路名称字体颜色",defaultValue:"#babdbd",layout:{prefixCls:"bsth-line"}}),line_chart_margin_left:E.number({label:"图左边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),line_chart_margin_right:E.number({label:"图右边margin",defaultValue:10,layout:{prefixCls:"bsth-line"}}),line_chart_margin_top:E.number({label:"图上边margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),line_chart_margin_bottom:E.number({label:"图底部margin",defaultValue:5,layout:{prefixCls:"bsth-line"}}),line_chart_border_size:E.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),line_chart_background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_4_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图内层css属性"},class:"bsth-line-item-divider"})}}),chart_left_padding:E.number({label:"内部线路图距离左边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_right_padding:E.number({label:"内部线路图距离右边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_center_top_padding:E.number({label:"内部线路图居中修正padding",defaultValue:4,layout:{prefixCls:"bsth-line"}}),chart_station_name_max_size:E.number({label:"站点名显示最大文字个数",defaultValue:12,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_color:E.color({label:"上行线颜色",defaultValue:"#5E96D2",layout:{prefixCls:"bsth-line"}}),chart_down_line_path_s_color:E.color({label:"下行线颜色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color:E.color({label:"上行线站点圆圈填充色",defaultValue:"#5e96d2",layout:{prefixCls:"bsth-line"}}),chart_down_line_circle_f_color:E.color({label:"下行线站点圆圈填充色",defaultValue:"#c92121",layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size:E.number({label:"站名字体大小",defaultValue:14,layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color:E.color({label:"上行站名颜色",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),chart_down_station_text_font_f_color:E.color({label:"下行站名颜色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_up_down_station_text_font_f_color:E.color({label:"上行下行同名站名颜色",defaultValue:"#3e3e3e",layout:{prefixCls:"bsth-line"}}),chart_gps_up_rect_color:E.color({label:"上行gps车辆rect背景色",defaultValue:"#3e50b3",layout:{prefixCls:"bsth-line"}}),chart_gps_up_text_f_color:E.color({label:"上行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_rect_color:E.color({label:"下行gps车辆rect背景色",defaultValue:"#c94f21",layout:{prefixCls:"bsth-line"}}),chart_gps_down_text_f_color:E.color({label:"下行gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_rect_color:E.color({label:"上行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_up_merge_text_f_color:E.color({label:"上行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_rect_color:E.color({label:"下行合并gps车辆rect背景色",defaultValue:"#19a53a",layout:{prefixCls:"bsth-line"}}),chart_gps_down_merge_text_f_color:E.color({label:"下行合并gps车辆文本颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0];return t("div",{class:"line-chart-scrollList-outer-div"},[this.renderScrollDataComponent()])},mounted:function(){var t=this.private_jQuery;this.list_width=t(this.$el).width()-this.margin_left-this.margin_right-2*this.border_size,this.list_height=t(this.$el).height()-this.margin_top-this.margin_bottom-2*this.border_size,this.line_chart_outer_div_width=this.list_width,this.line_chart_outer_div_height=Math.floor(this.list_height/this.page_size),"edit"===this.editorMode&&this.watchWidthHeightTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;if(t){try{clearTimeout(t)}catch(vt){}this.watchWidthHeightTimer.timer=null}},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.list_width&&(e.list_width=t-e.margin_left-e.margin_right-2*e.border_size,e.line_chart_outer_div_width=e.list_width),i!==e.list_height&&(e.list_height=i-e.margin_top-e.margin_bottom-2*e.border_size,e.line_chart_outer_div_height=Math.floor(e.list_height/e.page_size)),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},page_size:function(t){self.line_chart_outer_div_height=Math.floor(self.list_height/self.page_size)},list_width:function(){var t=this;t.line_chart_outer_div_width=t.list_width},list_height:function(){var t=this;t.line_chart_outer_div_height=Math.floor(t.list_height/t.page_size)},margin_left:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size},margin_right:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size},margin_top:function(){var t=this;t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size},margin_bottom:function(){var t=this;t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size},border_size:function(){var t=this;t.list_width=t.list_width-t.margin_left-t.margin_right-2*t.border_size,t.list_height=t.list_height-t.margin_top-t.margin_bottom-2*t.border_size}},methods:{onScrollTop:function(t){this.scrollTop=t},onBindData:function(t){this.internalDataSet=t},renderScrollDataComponent:function(){var t=this,e=this.$createElement,n={width:this.list_width+"px",height:this.list_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"},i={top:this.scrollTop+"px",position:"absolute",width:this.list_width+"px",height:this.line_chart_outer_div_height*this.internalDataSet.length+"px"};return e(wt,{attrs:{editorMode:this.editorMode,page_size:this.page_size,list_width:this.list_width,list_height:this.list_height,scroll_seconds:this.scroll_seconds,scroll_speed:this.scroll_speed,gps_data_refresh_seconds:this.gps_data_refresh_seconds,route_data_of_api_url:this.route_data_of_api_url,gps_data_of_api_url:this.gps_data_of_api_url,device_id:this.device_id},on:{bindData:this.onBindData,scrollTop:this.onScrollTop}},[e("div",{style:n},[e("div",{style:i},[this.internalDataSet.map((function(e){return t.renderBsthLinechartDataList(e)}))])])])},renderBsthLinechartDataList:function(t){var e=this.$createElement;return e("bsth-line-chart",{attrs:{useMode:"child",editorMode:this.editorMode,line_chart_outer_div_width:this.line_chart_outer_div_width,line_chart_outer_div_height:this.line_chart_outer_div_height,line_route_data_child:t.route,line_gps_data_child:t.gps,line_name:t.lineName,line_code:t.lineCode,line_name_font_size:this.line_chart_name_font_size,line_name_font_color:this.line_chart_name_font_color,margin_left:this.line_chart_margin_left,margin_right:this.line_chart_margin_right,margin_top:this.line_chart_margin_top,margin_bottom:this.line_chart_margin_bottom,border_size:this.line_chart_border_size,background_color:this.line_chart_background_color,chart_left_padding:this.chart_left_padding,chart_right_padding:this.chart_right_padding,chart_center_top_padding:this.chart_center_top_padding,chart_station_name_max_size:this.chart_station_name_max_size,chart_up_line_path_s_color:this.chart_up_line_path_s_color,chart_down_line_path_s_color:this.chart_down_line_path_s_color,chart_up_line_circle_f_color:this.chart_up_line_circle_f_color,chart_down_line_circle_f_color:this.chart_down_line_circle_f_color,chart_station_text_font_size:this.chart_station_text_font_size,chart_up_station_text_font_f_color:this.chart_up_station_text_font_f_color,chart_down_station_text_font_f_color:this.chart_down_station_text_font_f_color,chart_up_down_station_text_font_f_color:this.chart_up_down_station_text_font_f_color,chart_gps_up_rect_color:this.chart_gps_up_rect_color,chart_gps_up_text_f_color:this.chart_gps_up_text_f_color,chart_gps_down_rect_color:this.chart_gps_down_rect_color,chart_gps_down_text_f_color:this.chart_gps_down_text_f_color,chart_gps_up_merge_rect_color:this.chart_gps_up_merge_rect_color,chart_gps_up_merge_text_f_color:this.chart_gps_up_merge_text_f_color,chart_gps_down_merge_rect_color:this.chart_gps_down_merge_rect_color,chart_gps_down_merge_text_f_color:this.chart_gps_down_merge_text_f_color}})}}}),xt=n("d282");function kt(t){var e=window.getComputedStyle(t),n="none"===e.display,i=null===t.offsetParent&&"fixed"!==e.position;return n||i}var jt=n("a142"),Ct=!1;if(!jt["e"])try{var Tt={};Object.defineProperty(Tt,"passive",{get:function(){Ct=!0}}),window.addEventListener("test-passive",null,Tt)}catch(vt){}function Et(t,e,n,i){void 0===i&&(i=!1),jt["e"]||t.addEventListener(e,n,!!Ct&&{capture:!1,passive:i})}function St(t,e,n){jt["e"]||t.removeEventListener(e,n)}function Ot(t){t.stopPropagation()}function qt(t,e){("boolean"!==typeof t.cancelable||t.cancelable)&&t.preventDefault(),e&&Ot(t)}var Nt=n("4598");function Dt(t,e,n){return Math.min(Math.max(t,e),n)}var Mt=10;function Pt(t,e){return t>e&&t>Mt?"horizontal":e>t&&e>Mt?"vertical":""}var Lt={data:function(){return{direction:""}},methods:{touchStart:function(t){this.resetTouchStatus(),this.startX=t.touches[0].clientX,this.startY=t.touches[0].clientY},touchMove:function(t){var e=t.touches[0];this.deltaX=e.clientX<0?0:e.clientX-this.startX,this.deltaY=e.clientY-this.startY,this.offsetX=Math.abs(this.deltaX),this.offsetY=Math.abs(this.deltaY),this.direction=this.direction||Pt(this.offsetX,this.offsetY)},resetTouchStatus:function(){this.direction="",this.deltaX=0,this.deltaY=0,this.offsetX=0,this.offsetY=0},bindTouchEvent:function(t){var e=this.onTouchStart,n=this.onTouchMove,i=this.onTouchEnd;Et(t,"touchstart",e),Et(t,"touchmove",n),i&&(Et(t,"touchend",i),Et(t,"touchcancel",i))}}};function Bt(t){var e=[];function n(t){t.forEach((function(t){e.push(t),t.componentInstance&&n(t.componentInstance.$children.map((function(t){return t.$vnode}))),t.children&&n(t.children)}))}return n(t),e}function It(t,e){var n=e.$vnode.componentOptions;if(n&&n.children){var i=Bt(n.children);t.sort((function(t,e){return i.indexOf(t.$vnode)-i.indexOf(e.$vnode)}))}}function Rt(t,e){var n,i;void 0===e&&(e={});var r=e.indexKey||"index";return{inject:(n={},n[t]={default:null},n),computed:(i={parent:function(){return this.disableBindRelation?null:this[t]}},i[r]=function(){return this.bindRelation(),this.parent?this.parent.children.indexOf(this):null},i),watch:{disableBindRelation:function(t){t||this.bindRelation()}},mounted:function(){this.bindRelation()},beforeDestroy:function(){var t=this;this.parent&&(this.parent.children=this.parent.children.filter((function(e){return e!==t})))},methods:{bindRelation:function(){if(this.parent&&-1===this.parent.children.indexOf(this)){var t=[].concat(this.parent.children,[this]);It(t,this.parent),this.parent.children=t}}}}}function Ft(t){return{provide:function(){var e;return e={},e[t]=this,e},data:function(){return{children:[]}}}}var zt=0;function Vt(t){var e="binded_"+zt++;function n(){this[e]||(t.call(this,Et,!0),this[e]=!0)}function i(){this[e]&&(t.call(this,St,!1),this[e]=!1)}return{mounted:n,activated:n,deactivated:i,beforeDestroy:i}}var Yt=Object(xt["a"])("swipe"),Ht=Yt[0],Ut=Yt[1],Wt=Ht({mixins:[Lt,Ft("vanSwipe"),Vt((function(t,e){t(window,"resize",this.resize,!0),t(window,"orientationchange",this.resize,!0),t(window,"visibilitychange",this.onVisibilityChange),e?this.initialize():this.clear()}))],props:{width:[Number,String],height:[Number,String],autoplay:[Number,String],vertical:Boolean,lazyRender:Boolean,indicatorColor:String,loop:{type:Boolean,default:!0},duration:{type:[Number,String],default:500},touchable:{type:Boolean,default:!0},initialSwipe:{type:[Number,String],default:0},showIndicators:{type:Boolean,default:!0},stopPropagation:{type:Boolean,default:!0}},data:function(){return{rect:null,offset:0,active:0,deltaX:0,deltaY:0,swiping:!1,computedWidth:0,computedHeight:0}},watch:{children:function(){this.initialize()},initialSwipe:function(){this.initialize()},autoplay:function(t){t>0?this.autoPlay():this.clear()}},computed:{count:function(){return this.children.length},maxCount:function(){return Math.ceil(Math.abs(this.minOffset)/this.size)},delta:function(){return this.vertical?this.deltaY:this.deltaX},size:function(){return this[this.vertical?"computedHeight":"computedWidth"]},trackSize:function(){return this.count*this.size},activeIndicator:function(){return(this.active+this.count)%this.count},isCorrectDirection:function(){var t=this.vertical?"vertical":"horizontal";return this.direction===t},trackStyle:function(){var t={transitionDuration:(this.swiping?0:this.duration)+"ms",transform:"translate"+(this.vertical?"Y":"X")+"("+this.offset+"px)"};if(this.size){var e=this.vertical?"height":"width",n=this.vertical?"width":"height";t[e]=this.trackSize+"px",t[n]=this[n]?this[n]+"px":""}return t},indicatorStyle:function(){return{backgroundColor:this.indicatorColor}},minOffset:function(){return(this.vertical?this.rect.height:this.rect.width)-this.size*this.count}},mounted:function(){this.bindTouchEvent(this.$refs.track)},methods:{initialize:function(t){if(void 0===t&&(t=+this.initialSwipe),this.$el&&!kt(this.$el)){clearTimeout(this.timer);var e={width:this.$el.offsetWidth,height:this.$el.offsetHeight};this.rect=e,this.swiping=!0,this.active=t,this.computedWidth=+this.width||e.width,this.computedHeight=+this.height||e.height,this.offset=this.getTargetOffset(t),this.children.forEach((function(t){t.offset=0})),this.autoPlay()}},resize:function(){this.initialize(this.activeIndicator)},onVisibilityChange:function(){document.hidden?this.clear():this.autoPlay()},onTouchStart:function(t){this.touchable&&(this.clear(),this.touchStartTime=Date.now(),this.touchStart(t),this.correctPosition())},onTouchMove:function(t){this.touchable&&this.swiping&&(this.touchMove(t),this.isCorrectDirection&&(qt(t,this.stopPropagation),this.move({offset:this.delta})))},onTouchEnd:function(){if(this.touchable&&this.swiping){var t=this.size,e=this.delta,n=Date.now()-this.touchStartTime,i=e/n,r=Math.abs(i)>.25||Math.abs(e)>t/2;if(r&&this.isCorrectDirection){var o=this.vertical?this.offsetY:this.offsetX,a=0;a=this.loop?o>0?e>0?-1:1:0:-Math[e>0?"ceil":"floor"](e/t),this.move({pace:a,emitChange:!0})}else e&&this.move({pace:0});this.swiping=!1,this.autoPlay()}},getTargetActive:function(t){var e=this.active,n=this.count,i=this.maxCount;return t?this.loop?Dt(e+t,-1,n):Dt(e+t,0,i):e},getTargetOffset:function(t,e){void 0===e&&(e=0);var n=t*this.size;this.loop||(n=Math.min(n,-this.minOffset));var i=e-n;return this.loop||(i=Dt(i,this.minOffset,0)),i},move:function(t){var e=t.pace,n=void 0===e?0:e,i=t.offset,r=void 0===i?0:i,o=t.emitChange,a=this.loop,s=this.count,l=this.active,u=this.children,c=this.trackSize,h=this.minOffset;if(!(s<=1)){var d=this.getTargetActive(n),f=this.getTargetOffset(d,r);if(a){if(u[0]&&f!==h){var p=f<h;u[0].offset=p?c:0}if(u[s-1]&&0!==f){var v=f>0;u[s-1].offset=v?-c:0}}this.active=d,this.offset=f,o&&d!==l&&this.$emit("change",this.activeIndicator)}},prev:function(){var t=this;this.correctPosition(),this.resetTouchStatus(),Object(Nt["a"])((function(){t.swiping=!1,t.move({pace:-1,emitChange:!0})}))},next:function(){var t=this;this.correctPosition(),this.resetTouchStatus(),Object(Nt["a"])((function(){t.swiping=!1,t.move({pace:1,emitChange:!0})}))},swipeTo:function(t,e){var n=this;void 0===e&&(e={}),this.correctPosition(),this.resetTouchStatus(),Object(Nt["a"])((function(){var i;i=n.loop&&t===n.count?0===n.active?0:t:t%n.count,e.immediate?Object(Nt["a"])((function(){n.swiping=!1})):n.swiping=!1,n.move({pace:i-n.active,emitChange:!0})}))},correctPosition:function(){this.swiping=!0,this.active<=-1&&this.move({pace:this.count}),this.active>=this.count&&this.move({pace:-this.count})},clear:function(){clearTimeout(this.timer)},autoPlay:function(){var t=this,e=this.autoplay;e>0&&this.count>1&&(this.clear(),this.timer=setTimeout((function(){t.next(),t.autoPlay()}),e))},genIndicator:function(){var t=this,e=this.$createElement,n=this.count,i=this.activeIndicator,r=this.slots("indicator");return r||(this.showIndicators&&n>1?e("div",{class:Ut("indicators",{vertical:this.vertical})},[Array.apply(void 0,Array(n)).map((function(n,r){return e("i",{class:Ut("indicator",{active:r===i}),style:r===i?t.indicatorStyle:null})}))]):void 0)}},render:function(){var t=arguments[0];return t("div",{class:Ut()},[t("div",{ref:"track",style:this.trackStyle,class:Ut("track",{vertical:this.vertical})},[this.slots()]),this.genIndicator()])}});function Gt(){return Gt=Object.assign||function(t){for(var e=1;e<arguments.length;e++){var n=arguments[e];for(var i in n)Object.prototype.hasOwnProperty.call(n,i)&&(t[i]=n[i])}return t},Gt.apply(this,arguments)}var Qt=Object(xt["a"])("swipe-item"),Zt=Qt[0],Kt=Qt[1],Jt=Zt({mixins:[Rt("vanSwipe")],data:function(){return{offset:0,inited:!1,mounted:!1}},mounted:function(){var t=this;this.$nextTick((function(){t.mounted=!0}))},computed:{style:function(){var t={},e=this.parent,n=e.size,i=e.vertical;return n&&(t[i?"height":"width"]=n+"px"),this.offset&&(t.transform="translate"+(i?"Y":"X")+"("+this.offset+"px)"),t},shouldRender:function(){var t=this.index,e=this.inited,n=this.parent,i=this.mounted;if(!n.lazyRender||e)return!0;if(!i)return!1;var r=n.activeIndicator,o=n.count-1,a=0===r&&n.loop?o:r-1,s=r===o&&n.loop?0:r+1,l=t===r||t===a||t===s;return l&&(this.inited=!0),l}},render:function(){var t=arguments[0];return t("div",{class:Kt(),style:this.style,on:Gt({},this.$listeners)},[this.shouldRender&&this.slots()])}}),Xt=(n("4149"),n("598e"),n("d6d3")),$t=(n("fda2"),n("0d6d"),1),te=2,ee=Object.freeze({IMAGE:Symbol($t),VIDEO:Symbol(te)}),ne=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};z(this,t),this.type=e.type,this.url=e.url}return Y(t,[{key:"toObject",value:function(){switch(this.type){case ee.IMAGE:return{url:this.url,flag:$t};case ee.VIDEO:return{url:this.url,flag:te};default:throw new Error("未知的GalleryValue类型:".concat(this.type))}}}],[{key:"toGalleryValue",value:function(e){var n=e.url,i=e.flag;if(ee.IMAGE.toString()==="Symbol("+i+")")return new t({url:n,type:ee.IMAGE});if(ee.VIDEO.toString()==="Symbol("+i+")")return new t({url:n,type:ee.VIDEO});throw new Error("错误的GalleryValue类型Flag:".concat(i))}}]),t}();n("ada8"),n("9af6");function ie(){var t=[new ne({type:ee.IMAGE,url:"https://img.yzcdn.cn/vant/apple-1.jpg"}).toObject(),new ne({type:ee.IMAGE,url:"https://img.yzcdn.cn/vant/apple-2.jpg"}).toObject()];return t}var re={extra:{defaultStyle:{top:0,left:0,width:350,height:300}},name:"bsth-slide",data:function(){return this.private_jQuery=jQuery.noConflict(),{innerInterval:0,videoWidth:0,videoHeight:0}},props:{editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),items:{type:Array,default:function(){return ie()},editor:{custom:!0}},activeIndex:{type:Number,default:0,editor:{custom:!0}},interval:E.number({label:"间隔时间(秒)",defaultValue:3,layout:{prefixCls:"bsth-line"}})},render:function(){var t=this,e=arguments[0],n=this.items,i=this.activeIndex;return"edit"===this.editorMode?this.renderSwipeItemWithEdit(n[i]):e(Wt,{on:{change:this.swipeChange},attrs:{autoplay:+this.innerInterval,"indicator-color":"red"}},[n.map((function(e){return t.renderSwipeItemWithPreview(e)}))])},mounted:function(){this.innerInterval=1e3*this.interval;var t=this.private_jQuery;this.videoWidth=t(this.$el).width(),this.videoHeight=t(this.$el).height()},destroyed:function(){},watch:{},methods:{swipeChange:function(t){var e=ne.toGalleryValue(this.items[t]);if(e.type===ee.VIDEO){this.innerInterval=null;var n=this.$refs[e.url].player;n.play()}},onPlayEnded:function(){this.innerInterval=1e3*this.interval},renderSwipeItemWithEdit:function(t){var e=this.$createElement,n=ne.toGalleryValue(t);switch(n.type){case ee.IMAGE:return e("div",[e("img",{attrs:{src:n.url,width:"100%",height:"100%"}})]);case ee.VIDEO:return e("div",[e("h1",["预览模式查看"])]);default:return e("div",[e("p",["无轮播项目"])])}},renderSwipeItemWithPreview:function(t){var e=this.$createElement,n=ne.toGalleryValue(t),i=e(Jt,["未知"]),r=e(Jt,[e("img",{attrs:{src:n.url,width:"100%",height:"100%"}})]),o={playbackRates:[.5,1,1.5,2],autoplay:!0,muted:!0,loop:!1,preload:"auto",language:"zh-CN",width:this.videoWidth,height:this.videoHeight,sources:[{type:"video/mp4",src:n.url}],poster:"",notSupportedMessage:"此视频暂无法播放,请稍后再试",controlBar:{timeDivider:!0,durationDisplay:!0,remainingTimeDisplay:!1,fullscreenToggle:!0}},a=t.url,s=e(Jt,[e(Xt["videoPlayer"],{ref:a,class:"video-player vjs-custom-skin myVideoPlayer",attrs:{playsinline:!0,options:o},on:{ended:this.onPlayEnded}})]);switch(n.type){case ee.IMAGE:return r;case ee.VIDEO:return s;default:return i}}}},oe=(n("f01b"),n("bc3a")),ae=n.n(oe),se=function(){function t(e){z(this,t),this._weatherRealtimeComponent=e,this.condTemperature=le,this.condTemperatureText=ue,this.condTemperatureTextIcon=ce,this.windDirection=he,this.windPower=de,this.airQuaility=fe,this.airQuailityText=pe}return Y(t,[{key:"updateRealtimeInfo",value:function(){Ae.call(this)}}]),t}(),le="28℃",ue="晴",ce="https://cdn.heweather.com/cond_icon/100.png",he="南风",de="2级",fe="21",pe="优",ve="b34179d047c74311a2e91c8ad99856d6",me="https://devapi.qweather.com/v7/weather/",ge="https://devapi.qweather.com/v7/air/";ae.a.create({baseURL:me,timeout:5e4}),ae.a.create({baseURL:ge,timeout:5e4});var ye="https://free-api.heweather.net/s6/weather/",_e="https://free-api.heweather.net/s6/air/",be=ae.a.create({baseURL:ye,timeout:5e4}),we=ae.a.create({baseURL:_e,timeout:5e4});function Ae(){var t=this;this._weatherRealtimeComponent.initLoading=!0,this._weatherRealtimeComponent.initLoadingText="获取天气数据...",be.get("/now",{params:{location:101020100,key:ve}}).then((function(e){t._weatherRealtimeComponent.initLoadingText="获取温度数据...";var n=e.data;return n["HeWeather6"]&&n["HeWeather6"][0]&&"ok"===n["HeWeather6"][0].status?(t.condTemperature=n["HeWeather6"][0]["now"]["tmp"]+"℃",t.condTemperatureText=n["HeWeather6"][0]["now"]["cond_txt"],t.condTemperatureTextIcon="https://cdn.heweather.com/cond_icon/"+n["HeWeather6"][0]["now"]["cond_code"]+".png",t.windDirection=n["HeWeather6"][0]["now"]["wind_dir"],t.windPower=n["HeWeather6"][0]["now"]["wind_sc"]+"级",we.get("/now",{params:{location:101020100,key:ve}})):e})).then((function(e){t._weatherRealtimeComponent.initLoadingText="获取空气质量数据...";var n=e.data;n["HeWeather6"]&&n["HeWeather6"][0]&&"ok"===n["HeWeather6"][0].status?(t.airQuaility=n["HeWeather6"][0]["air_now_city"]["aqi"],t.airQuailityText=n["HeWeather6"][0]["air_now_city"]["qlty"],t._weatherRealtimeComponent.weatherRealtimeDataTimer.init=!0,t._weatherRealtimeComponent.initLoading=!1):t._weatherRealtimeComponent.initLoadingText=n["HeWeather6"][0].status})).catch((function(e){console.log(e.message),t._weatherRealtimeComponent.initLoadingText=e.message})).then((function(){t._weatherRealtimeComponent.weatherRealtimeDataTimer.count++,t._weatherRealtimeComponent.weatherRealtimeDataTimer.init?(t._weatherRealtimeComponent.initLoading=!1,t._weatherRealtimeComponent.initLoadingText=""):(t._weatherRealtimeComponent.initLoading=!0,t._weatherRealtimeComponent.initLoadingText+=",等待10秒后再次获取...")}))}var xe=se,ke={extra:{defaultStyle:{top:0,left:0,width:260,height:160}},name:"bsth-weather-realtime",data:function(){return this.private_jQuery=jQuery.noConflict(),{weatherRealtimeData:null,initLoading:!0,initLoadingText:"",weatherRealtimeDataTimer:{timer:null,init:!1,count:0,millisecond:6e5},watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},weather_diagram_width:260,weather_diagram_height:160}},props:{useMode:E.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),weather_outer_div_width:E.number({defaultValue:260,label:"bsth-weather-outer-div样式的div宽度",visible:!1}),weather_outer_div_height:E.number({defaultValue:160,label:"bsth-weather-outer-div样式的div高度",visible:!1}),_flag_1_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:E.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_2_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层css属性"},class:"bsth-line-item-divider"})}}),weather_left_padding:E.number({label:"内部图距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_right_padding:E.number({label:"内部图距离右边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_top_padding:E.number({label:"内部图距离上边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_bottom_padding:E.number({label:"内部图距离下边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),_flag_3_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"温度信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_cond_heigth:E.number({label:"温度布局高度",defaultValue:70,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_font_size:E.number({label:"温度字体大小",defaultValue:43,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_font_color:E.color({label:"温度字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_cond_temp_heigth:E.number({label:"温度内容高度",defaultValue:41,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_font_size:E.number({label:"温度文字字体大小",defaultValue:17,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_font_color:E.color({label:"温度文字字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_height:E.number({label:"温度文字内容高度",defaultValue:90,layout:{prefixCls:"bsth-line"}}),weather_cond_temp_text_left_padding:E.number({label:"温度文字距离左边padding",defaultValue:15,layout:{prefixCls:"bsth-line"}}),_flag_4_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"风信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_wind_dir_font_size:E.number({label:"风向字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_wind_dir_font_color:E.color({label:"风向字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_wind_pow_font_size:E.number({label:"风力字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_wind_pow_font_color:E.color({label:"风力字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_wind_pow_left_padding:E.number({label:"风力文字距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),_flag_5_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"空气信息相关css属性"},class:"bsth-line-item-divider"})}}),weather_air_title_font_size:E.number({label:"空气质量标题字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_air_title_font_color:E.color({label:"空气质量标题字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_air_qua_font_size:E.number({label:"空气质量字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),weather_air_qua_font_color:E.color({label:"空气质量字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),weather_air_qua_left_padding:E.number({label:"空气质量信息 距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),weather_cond_img_width:E.number({label:"天气图标宽度",defaultValue:100,layout:{prefixCls:"bsth-line"}}),weather_cond_img_height:E.number({label:"天气图标高度",defaultValue:100,layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.weather_diagram_width+"px",height:this.weather_diagram_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"};return t("div",{class:"bsth-weather-outer-div"},[t("div",{class:"realtime",style:e},[this.renderWeatherComponent()])])},created:function(){this.weatherRealtimeData=new xe(this)},mounted:function(){"edit"===this.editorMode&&(this.initLoading=!1),"preview"===this.editorMode&&this.weatherRealtimeData.updateRealtimeInfo();var t=this.private_jQuery;this.weather_diagram_width=t(this.$el).width()-this.margin_left-this.margin_right,this.weather_diagram_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.weather_diagram_width=this.weather_outer_div_width-this.margin_left-this.margin_right,this.weather_diagram_height=this.weather_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this.weatherRealtimeDataTimer.timer;e&&(clearTimeout(e),this.weatherRealtimeDataTimer.timer=null)},watch:{"weatherRealtimeDataTimer.count":function(){var t=this.weatherRealtimeDataTimer.timer;if(t){try{clearTimeout(t)}catch(n){}this.weatherRealtimeDataTimer.timer=null}var e=this;this.weatherRealtimeDataTimer.timer=setTimeout((function(){e.weatherRealtimeData.updateRealtimeInfo()}),e.weatherRealtimeDataTimer.init?e.weatherRealtimeDataTimer.millisecond:1e4)},"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.line_width&&(e.weather_diagram_width=t-e.margin_left-e.margin_right),i!==e.line_height&&(e.weather_diagram_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},weather_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.weather_diagram_width=t-e.margin_left-e.margin_right)},weather_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.weather_diagram_height=t-e.margin_top-e.margin_bottom)},margin_left:function(){var t=this;t.weather_diagram_width=t.weather_diagram_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.weather_diagram_width=t.weather_diagram_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.weather_diagram_height=t.weather_diagram_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.weather_diagram_height=t.weather_diagram_height-t.margin_top-t.margin_bottom}},methods:{renderWeatherComponent:function(){var t=this.$createElement,e={display:"flex","padding-left":this.weather_left_padding+"px","padding-right":this.weather_right_padding+"px","padding-top":this.weather_top_padding+"px","padding-bottom":this.weather_bottom_padding+"px"},n={display:"flex",height:this.weather_cond_heigth+"px"},i={"font-size":this.weather_cond_temp_font_size+"px",height:this.weather_cond_temp_heigth+"px",color:this.weather_cond_temp_font_color},r={"font-size":this.weather_cond_temp_text_font_size+"px",color:this.weather_cond_temp_text_font_color,"line-height":this.weather_cond_temp_text_height+"px","padding-left":this.weather_cond_temp_text_left_padding+"px"},o={display:"flex"},a={"font-size":this.weather_wind_dir_font_size+"px",color:this.weather_wind_dir_font_color},s={"font-size":this.weather_wind_pow_font_size+"px",color:this.weather_wind_pow_font_color,"padding-left":this.weather_wind_pow_left_padding+"px"},l={display:"flex"},u={"font-size":this.weather_air_title_font_size+"px",color:this.weather_air_title_font_color},c={"font-size":this.weather_air_qua_font_size+"px",color:this.weather_air_qua_font_color,"padding-left":this.weather_air_qua_left_padding+"px"},h={width:this.weather_cond_img_width+"px",height:this.weather_cond_img_height+"px"};return t("a-spin",{attrs:{tip:this.initLoadingText,spinning:this.initLoading,size:"large",wrapperClassName:"my-spin"}},[t("div",{style:e},[t("div",[t("div",{style:n,class:"cond"},[t("p",{style:i,class:"temperature"},[this.weatherRealtimeData.condTemperature]),t("p",{style:r,class:"temperature_text"},[this.weatherRealtimeData.condTemperatureText])]),t("div",{style:o,class:"wind"},[t("p",{style:a,class:"direction"},[this.weatherRealtimeData.windDirection]),t("p",{style:s,class:"power"},[this.weatherRealtimeData.windPower])]),t("div",{style:l,class:"air"},[t("p",{style:u,class:"quaility_title"},["空气质量"]),t("p",{style:c,class:"quaility"},[this.weatherRealtimeData.airQuaility," ",this.weatherRealtimeData.airQuailityText])])]),t("div",[t("img",{style:h,attrs:{src:this.weatherRealtimeData.condTemperatureTextIcon}})])])])}}},je=(n("7514"),n("a68b"),n("c1df")),Ce=n.n(je),Te={extra:{defaultStyle:{top:0,left:0,width:260,height:90}},name:"bsth-datetime",data:function(){return this.private_jQuery=jQuery.noConflict(),this.private_d3=d3,this.private_svg=null,this.private_date_svg_g=null,this.private_time_svg_g=null,{internalDate:{value:"1970年10月1日 星期一",count:0},internalTime:{value:"12:00:00",count:0},internalTimer:{timer:null,count:0,millisecond:1e3},watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},datetime_diagram_width:260,datetime_diagram_height:90}},props:{useMode:E.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),datetime_outer_div_width:E.number({defaultValue:260,label:"bsth-datetime-outer-div样式的div宽度",visible:!1}),datetime_outer_div_height:E.number({defaultValue:160,label:"bsth-datetime-outer-div样式的div高度",visible:!1}),_flag_1_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:E.number({label:"图边框宽度",defaultValue:1,layout:{prefixCls:"bsth-line"}}),background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_2_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"日期css属性"},class:"bsth-line-item-divider"})}}),date_left_padding:E.number({label:"日期显示距离左边padding",defaultValue:15,layout:{prefixCls:"bsth-line"}}),date_top_padding:E.number({label:"日期显示距离上边padding",defaultValue:30,layout:{prefixCls:"bsth-line"}}),date_font_size:E.number({label:"日期字体大小",defaultValue:16,layout:{prefixCls:"bsth-line"}}),date_font_color:E.color({label:"日期字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),_flag_3_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"时间css属性"},class:"bsth-line-item-divider"})}}),time_left_padding:E.number({label:"时间显示距离左边padding",defaultValue:10,layout:{prefixCls:"bsth-line"}}),time_top_padding:E.number({label:"时间显示距离上边padding",defaultValue:70,layout:{prefixCls:"bsth-line"}}),time_font_size:E.number({label:"时间字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),time_font_color:E.color({label:"时间字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.datetime_diagram_width+"px",height:this.datetime_diagram_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"};return t("div",{class:"bsth-datetime-outer-div"},[t("div",{style:e},[t("svg",{class:"datetime-chart",style:{height:this.datetime_diagram_height+"px"}},[t("g",{class:"date"}),t("g",{class:"time"})])])])},created:function(){},mounted:function(){this.private_svg=this.findD3SvgDom(),this.private_date_svg_g=this.findD3DateSvgG(),this.private_time_svg_g=this.findD3TimeSvgG();var t=this.private_jQuery;this.datetime_diagram_width=t(this.$el).width()-this.margin_left-this.margin_right,this.datetime_diagram_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.datetime_diagram_width=this.datetime_outer_div_width-this.margin_left-this.margin_right,this.datetime_diagram_height=this.datetime_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++,this.refreshInternalData(),this.refreshDateSvg(),this.refreshTimeSvg(),"preview"===this.editorMode&&this.internalTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null),t=this.internalTimer.timer,t&&(clearTimeout(t),this.internalTimer.timer=null)},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.line_width&&(e.datetime_diagram_width=t-e.margin_left-e.margin_right),i!==e.line_height&&(e.datetime_diagram_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},"internalTimer.count":function(){var t=this.internalTimer.timer;t&&(clearTimeout(t),this.internalTimer.timer=null);var e=this;e.internalTimer.timer=setTimeout((function(){e.refreshInternalData(),e.refreshDateSvg(),e.refreshTimeSvg(),e.internalTimer.count++}),e.internalTimer.millisecond)},datetime_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.datetime_diagram_width=t-e.margin_left-e.margin_right)},datetime_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.datetime_diagram_height=t-e.margin_top-e.margin_bottom)},datetime_diagram_width:function(){this.refreshDateSvg(),this.refreshTimeSvg()},datetime_diagram_height:function(){this.refreshDateSvg(),this.refreshTimeSvg()},margin_left:function(){var t=this;t.datetime_diagram_width=t.datetime_diagram_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.datetime_diagram_width=t.datetime_diagram_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.datetime_diagram_height=t.datetime_diagram_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.datetime_diagram_height=t.datetime_diagram_height-t.margin_top-t.margin_bottom},border_size:function(){this.refreshDateSvg(),this.refreshTimeSvg()},date_left_padding:function(){this.refreshDateSvg()},date_top_padding:function(){this.refreshDateSvg()},date_font_size:function(t){var e=this.private_date_svg_g;e.selectAll("text").style("font-size",t)},date_font_color:function(t){var e=this.private_date_svg_g;e.selectAll("text").style("fill",t)},time_left_padding:function(){this.refreshTimeSvg()},time_top_padding:function(){this.refreshTimeSvg()},time_font_size:function(t){var e=this.private_time_svg_g;e.selectAll("text").style("font-size",t)},time_font_color:function(t){var e=this.private_time_svg_g;e.selectAll("text").style("fill",t)}},methods:{findD3SvgDom:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg")[0];return e.select(n)},findD3DateSvgG:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.date")[0];return e.select(n)},findD3TimeSvgG:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg g.time")[0];return e.select(n)},refreshInternalData:function(){var t=new Date;this.internalDate.value=Ce()(t).locale("zh-cn").format("YYYY年MM月DD日 dddd"),this.internalTime.value=Ce()(t).format("HH:mm:ss")},refreshDateSvg:function(){var t=this,e=t.private_d3,n=t.datetime_diagram_width-2*t.border_size,i=t.datetime_diagram_height-2*t.border_size,r=t.private_date_svg_g,o=e.scaleLinear().domain([0,1]).range([t.date_left_padding,n-t.date_left_padding]),a=e.scaleLinear().domain([0,1]).range([t.date_top_padding,i-t.date_top_padding]),s=r.selectAll("text").data([t.internalDate],(function(t){return t.count})),l=s,u=s.exit();u.remove(),l.enter().append("text").style("font-size",t.date_font_size+"px").style("fill",t.date_font_color).text((function(t){return t.value})).attr("x",(function(){return o(0)})).attr("y",(function(){return a(0)})),s.text((function(t){return t.value})).attr("x",(function(){return o(0)})).attr("y",(function(){return a(0)}))},refreshTimeSvg:function(){var t=this,e=t.private_d3,n=t.datetime_diagram_width-2*t.border_size,i=t.datetime_diagram_height-2*t.border_size,r=t.private_time_svg_g,o=e.scaleLinear().domain([0,1]).range([t.time_left_padding,n-t.time_left_padding]),a=e.scaleLinear().domain([0,1]).range([t.time_top_padding,i-t.time_top_padding]),s=r.selectAll("text").data([t.internalTime],(function(t){return t.count})),l=s,u=s.exit();u.remove(),l.enter().append("text").style("font-size",t.time_font_size+"px").style("fill",t.time_font_color).text((function(t){return t.value})).attr("x",(function(){return o(0)})).attr("y",(function(){return a(0)})),s.text((function(t){return t.value})).attr("x",(function(){return o(0)})).attr("y",(function(){return a(0)}))}}},Ee=n("a745"),Se=n.n(Ee);function Oe(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}function qe(t){if(Se()(t))return Oe(t)}var Ne=n("67bb"),De=n.n(Ne),Me=n("5d58"),Pe=n.n(Me),Le=n("774e"),Be=n.n(Le);function Ie(t){if("undefined"!==typeof De.a&&null!=t[Pe.a]||null!=t["@@iterator"])return Be()(t)}function Re(t,e){if(t){if("string"===typeof t)return Oe(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Be()(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Oe(t,e):void 0}}function Fe(){throw new TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function ze(t){return qe(t)||Ie(t)||Re(t)||Fe()}var Ve=function(){function t(e,n){z(this,t),this._name=e,this._code=n}return Y(t,[{key:"name",get:function(){return this._name}},{key:"code",get:function(){return this._code}}]),t}(),Ye=function(){function t(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];z(this,t),this._stopStationIndex=e,this._stationDataList=ze(n)}return Y(t,[{key:"index",get:function(){return this._stopStationIndex}},{key:"dataList",get:function(){return this._stationDataList}}]),t}(),He=function(){function t(e,n,i){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:[],o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:"2022-01-01 10:10",a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:"00:00",s=arguments.length>6&&void 0!==arguments[6]?arguments[6]:"23:59";z(this,t),this._lineName=e,this._lineCode=n,this._routeData=i,this._arriveTimes=ze(r),this._systemDateTime=o,this._startTime=a,this._endTime=s}return Y(t,[{key:"arriveTimes",set:function(t){var e=this;this._arriveTimes.splice(0,this._arriveTimes.length),t&&t.length&&t.map((function(t){e._arriveTimes.push(t)}))}},{key:"lineName",get:function(){return this._lineName}},{key:"lineCode",get:function(){return this._lineCode}},{key:"routeStationDataList",get:function(){return this._routeData.dataList}},{key:"currentStopStationIndex",get:function(){return this._routeData.index}},{key:"endStationName",get:function(){return this._routeData.dataList.length>0?this._routeData.dataList.slice(-1)[0].name:""}},{key:"arriveTime1",get:function(){var t=this._arriveTimes.length;return t>0?this._arriveTimes[0]:""}},{key:"arriveTime2",get:function(){var t=this._arriveTimes.length;return t>1?this._arriveTimes[1]:""}},{key:"arriveTime3",get:function(){var t=this._arriveTimes.length;return t>2?this._arriveTimes[2]:""}},{key:"systemDateTime",get:function(){return this._systemDateTime}},{key:"startTime",get:function(){return this._startTime}},{key:"endTime",get:function(){return this._endTime}}],[{key:"generateTestData",value:function(){var e=new Ve("站点1","1"),n=new Ve("站点2","2"),i=new Ve("站点3","3"),r=new Ve("站点4","4"),o=new Ve("站点5","5"),a=new Ve("站点6","6"),s=[e,n,i,r,o,a],l=new Ye(2,s);return new t("线路1","1",l,["10:11","10:15"],"2022-01-01 10:10")}},{key:"generateEmptyTestData",value:function(){return new t("","",new Ye(0,[]),[],"2022-01-01 10:10","","")}}]),t}(),Ue=(n("d1c9"),{extra:{defaultStyle:{top:0,left:0,width:700,height:230}},name:"eBusStop-line-chart",data:function(){return this.private_svgns="http://www.w3.org/2000/svg",this.private_svg=null,this.private_jQuery=jQuery.noConflict(),this.private_d3=d3,{watchWidthHeightTimer:{timer:null,count:0,millisecond:1e3},component_width:350,component_height:400,text_info_width:350,text_info_height:100,line_width:350,line_height:300,up_rect_x:10,up_rect_y:10,up_rect_width:0,down_line_x1:0,down_line_y1:0,down_line_x2:0,down_line_y2:0,down_line_x3:0,down_line_y3:0,down_line_x4:0,down_line_y4:0,down_line_x5:0,down_line_y5:0,eBusStopData:null}},computed:{arriveTime1:function(){if(0===this.eBusStopData.routeStationDataList.length)return"";var t=Ce()(this.eBusStopData.systemDateTime,Ce.a.ISO_8601);if(!t.isValid())return console.log("系统日期时间[%s]格式错误,正确格式[yyyy-MM-dd HH:mm]",this.eBusStopData.systemDateTime),this.eBusStopData.arriveTime1;var e=this.eBusStopData.systemDateTime.split(" ")[0],n=e+" "+this.eBusStopData.arriveTime1,i=Ce()(n,Ce.a.ISO_8601);if(!i.isValid())return console.log("到达日期时间[%s]格式错误,正确格式[yyyy-MM-dd HH:mm]",n),this.eBusStopData.arriveTime1;var r=i.diff(t,"minutes");return 1===r?"即将到站":0===r?"进站":r+"分钟"},arriveTime2:function(){if(0===this.eBusStopData.routeStationDataList.length)return"";var t=Ce()(this.eBusStopData.systemDateTime,Ce.a.ISO_8601);if(!t.isValid())return console.log("系统日期时间[%s]格式错误,正确格式[yyyy-MM-dd HH:mm]",this.eBusStopData.systemDateTime),this.eBusStopData.arriveTime2;var e=this.eBusStopData.systemDateTime.split(" ")[0],n=e+" "+this.eBusStopData.arriveTime2,i=Ce()(n,Ce.a.ISO_8601);if(!i.isValid())return console.log("到达日期时间[%s]格式错误,正确格式[yyyy-MM-dd HH:mm]",n),this.eBusStopData.arriveTime2;var r=i.diff(t,"minutes");return 1===r?"即将到站":0===r?"进站":r+"分钟"},startTime:function(){return 0===this.eBusStopData.routeStationDataList.length?"":this.eBusStopData.startTime?"首班车:"+this.eBusStopData.startTime:""},endTime:function(){return 0===this.eBusStopData.routeStationDataList.length?"":this.eBusStopData.endTime?" 末班车:"+this.eBusStopData.endTime:""}},props:{useMode:E.string({defaultValue:"alone",label:"使用模式",visible:!1}),editorMode:E.string({defaultValue:"edit",label:"模式",visible:!1}),line_chart_outer_div_width:E.number({defaultValue:350,label:"line-chart-outer-div样式的div宽度",visible:!1}),line_chart_outer_div_height:E.number({defaultValue:300,label:"line-chart-outer-div样式的div高度",visible:!1}),eBusStopData_child:{type:He,default:function(){return null}},_flag_1_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),_flag_2_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:E.number({label:"图边框宽度",defaultValue:0,layout:{prefixCls:"bsth-line"}}),background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_3_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层线路到达信息css属性"},class:"bsth-line-item-divider"})}}),text_info_background:E.color({label:"信息背景颜色",defaultValue:"#238A94",layout:{prefixCls:"bsth-line"}}),line_info_height:E.number({label:"线路信息高度",defaultValue:30,layout:{prefixCls:"bsth-line"}}),line_info_name_font_size:E.number({label:"线路名称字体大小",defaultValue:22,layout:{prefixCls:"bsth-line"}}),line_info_name_font_color:E.color({label:"线路名称字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),line_info_name_left_padding:E.number({label:"线路名称距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),line_info_name_top_padding:E.number({label:"线路名称距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_font_size:E.number({label:"线路首末班时间字体大小",defaultValue:20,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_font_color:E.color({label:"线路首末班时间字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_right_padding:E.number({label:"线路首末班时间距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_top_padding:E.number({label:"线路首末班时间距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),arrive_info_height:E.number({label:"到达信息高度",defaultValue:35,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_font_size:E.number({label:"固定文字字体大小",defaultValue:18,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_font_color:E.color({label:"固定文字字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_left_padding:E.number({label:"固定文字距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_top_padding:E.number({label:"固定文字距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),arrive_info_stop_text_font_size:E.number({label:"开往站点名字体大小",defaultValue:20,layout:{prefixCls:"bsth-line"}}),arrive_info_stop_text_font_color:E.color({label:"开往站点名字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),arrive_info_text_font_size:E.number({label:"到达信息字体大小",defaultValue:18,layout:{prefixCls:"bsth-line"}}),arrive_info_text_font_color:E.color({label:"到达信息字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_4_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层上部分矩形css属性"},class:"bsth-line-item-divider"})}}),svg_background:E.color({label:"线路图背景颜色",defaultValue:"#9EE0DF",layout:{prefixCls:"bsth-line"}}),up_rect_left_padding:E.number({label:"矩形距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_right_padding:E.number({label:"矩形距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_top_padding:E.number({label:"矩形距离上边",defaultValue:3,layout:{prefixCls:"bsth-line"}}),up_rect_height:E.number({label:"矩形高度",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_r:E.number({label:"矩形圆边大小",defaultValue:10,layout:{prefixCls:"bsth-line"}}),up_rect_b_color:E.color({label:"矩形背景颜色",defaultValue:"#9FA067",layout:{prefixCls:"bsth-line"}}),_flag_5_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层线路图css属性"},class:"bsth-line-item-divider"})}}),chart_left_padding:E.number({label:"内部线路图距离左边",defaultValue:50,layout:{prefixCls:"bsth-line"}}),chart_right_padding:E.number({label:"内部线路图距离右边",defaultValue:50,layout:{prefixCls:"bsth-line"}}),chart_top_padding:E.number({label:"内部线路图距离上边",defaultValue:13,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_width:E.number({label:"上部分线宽度",defaultValue:5,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_color:E.color({label:"上部分线颜色",defaultValue:"#008000",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_current:E.color({label:"线圆圈填充色-当前站点",defaultValue:"#CB0808",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_before:E.color({label:"线圆圈填充色-前面站点",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_after:E.color({label:"线圆圈填充色-后面站点",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_r:E.number({label:"线圆圈大小",defaultValue:8,layout:{prefixCls:"bsth-line"}}),chart_station_text_top_padding:E.number({label:"站点文字距离上边",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_current:E.number({label:"站名字体大小-当前站点",defaultValue:25,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_before:E.number({label:"站名字体大小-前面站点",defaultValue:20,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_after:E.number({label:"站名字体大小-后面站点",defaultValue:20,layout:{prefixCls:"bsth-line"}}),chart_station_text_length:E.number({label:"站名长度",defaultValue:100,layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_current:E.color({label:"站名颜色-当前站点",defaultValue:"#060D37",layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_before:E.color({label:"站名颜色-前面站点",defaultValue:"#9398B4",layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_after:E.color({label:"站名颜色-后面站点",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),_flag_6_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层下部分线css属性"},class:"bsth-line-item-divider"})}}),down_line_left_padding:E.number({label:"线距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),down_line_right_padding:E.number({label:"线距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),down_line_bottom_padding:E.number({label:"线距离下边",defaultValue:6,layout:{prefixCls:"bsth-line"}}),down_line_s_width:E.number({label:"线宽度",defaultValue:5,layout:{prefixCls:"bsth-line"}}),down_line_s_color:E.color({label:"线颜色",defaultValue:"#277461",layout:{prefixCls:"bsth-line"}}),down_line_arrow_width:E.number({label:"箭头宽度",defaultValue:55,layout:{prefixCls:"bsth-line"}}),down_line_arrow_height:E.number({label:"箭头高度",defaultValue:15,layout:{prefixCls:"bsth-line"}}),_flag_7_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"无数据提示css属性"},class:"bsth-line-item-divider"})}}),empty_info_font_size:E.number({label:"无数据提示文字字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),empty_info_font_color:E.color({label:"无数据提示文字字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),empty_info_top_padding:E.number({label:"无数据提示文字距离上边",defaultValue:25,layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0],e={width:this.component_width+"px",height:this.component_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative"},n="M"+this.down_line_x1+" "+this.down_line_y1+" L"+this.down_line_x2+" "+this.down_line_y2+" L"+this.down_line_x3+" "+this.down_line_y3+" L"+this.down_line_x4+" "+this.down_line_y4+" L"+this.down_line_x5+" "+this.down_line_y5+" Z",i={border:"0px",margin:"0px",width:this.text_info_width+"px",height:this.text_info_height+"px",background:this.text_info_background},r={border:"0px",margin:"0px",width:this.text_info_width+"px",height:this.line_info_height+"px",background:this.text_info_background},o={border:"0px",margin:"0px",width:this.text_info_width/2+"px",height:this.line_info_height+"px",background:this.text_info_background,"text-align":"left",float:"left","padding-left":this.line_info_name_left_padding+"px","padding-top":this.line_info_name_top_padding+"px"},a={color:this.line_info_name_font_color,"font-size":this.line_info_name_font_size+"px","font-weight":"bold"},s={border:"0px",margin:"0px",width:this.text_info_width/2+"px",height:this.line_info_height+"px",background:this.text_info_background,"text-align":"right",float:"left","padding-top":this.line_info_s_e_time_top_padding+"px"},l={"padding-right":this.line_info_s_e_time_right_padding+"px",color:this.line_info_s_e_time_font_color,"font-size":this.line_info_s_e_time_font_size+"px"},u={border:"0px",margin:"0px",width:this.text_info_width+"px",height:this.arrive_info_height+"px",background:this.text_info_background},c={border:"0px",margin:"0px",width:this.text_info_width/3+"px",height:this.arrive_info_height+"px",background:this.text_info_background,"text-align":"left",float:"left","padding-left":this.arrive_info_fix_text_left_padding+"px","padding-top":this.arrive_info_fix_text_top_padding+"px"},h={color:this.arrive_info_fix_text_font_color,"font-size":this.arrive_info_fix_text_font_size+"px"},d={"font-size":this.arrive_info_stop_text_font_size+"px",color:this.arrive_info_stop_text_font_color,"font-weight":"bold"},f={"font-size":this.arrive_info_text_font_size+"px",color:this.arrive_info_text_font_color,"font-weight":"bold"},p={height:this.line_height+"px","background-color":this.svg_background},v={height:"44px",position:"absolute",left:"50%",transform:"translate(-50%, 0)","-webkit-transform":"translate(-50%, 0)",color:this.empty_info_font_color,"font-size":this.empty_info_font_size+"px","padding-top":this.empty_info_top_padding+"px","font-weight":"bold"};return t("div",{class:"eBusStop-line-chart-outer-div"},[t("div",{style:e},[t("div",{style:i},[t("div",{style:r},[t("div",{style:o},[t("span",{style:a},[this.eBusStopData.lineName])]),t("div",{style:s},[t("span",{style:l},[this.startTime]),t("span",{style:l},[this.endTime])])]),t("div",{style:u},[t("div",{style:c},[t("span",{style:h},["开往:"]),t("span",{style:d},[this.eBusStopData.endStationName])]),t("div",{style:c},[t("span",{style:h},["预计本次班车:"]),t("span",{style:f},[this.arriveTime1])]),t("div",{style:c},[t("span",{style:h},["预计下次班车:"]),t("span",{style:f},[this.arriveTime2])])])]),t("svg",{class:"eBusStop-line-chart",attrs:{"data-code":this.eBusStopData.lineCode},style:p},[t("g",{class:"up-rect-wrap"},[t("rect",{attrs:{x:this.up_rect_x,y:this.up_rect_y,width:this.up_rect_width+"px",height:this.up_rect_height+"px",rx:this.up_rect_r+"px"},style:{"stroke-width":"0px",fill:this.up_rect_b_color}})]),t("g",{class:"arrow-wrap"},[t("path",{attrs:{d:n},style:{fill:this.down_line_s_color}})])]),0===this.eBusStopData.routeStationDataList.length?t("div",{style:v},["线路未开通,系统调试中"]):""])])},beforeMount:function(){"alone"===this.useMode?this.eBusStopData=He.generateTestData():this.eBusStopData=this.eBusStopData_child},mounted:function(){this.private_svg=this.findD3SvgDom();var t=this.private_jQuery;this.component_width=t(this.$el).width()-this.margin_left-this.margin_right,this.component_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"child"===this.useMode&&(this.component_width=this.line_chart_outer_div_width-this.margin_left-this.margin_right,this.component_height=this.line_chart_outer_div_height-this.margin_top-this.margin_bottom),"alone"===this.useMode&&"edit"===this.editorMode&&this.watchWidthHeightTimer.count++,this.refreshUpRectSvg(),this.refreshLineSvg(),this.refreshDownLineSvg()},destroyed:function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null)},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.component_width&&(e.component_width=t-e.margin_left-e.margin_right),i!==e.component_height&&(e.component_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},line_chart_outer_div_width:function(t){var e=this;"child"===e.useMode&&(e.component_width=t-e.margin_left-e.margin_right)},line_chart_outer_div_height:function(t){var e=this;"child"===e.useMode&&(e.component_height=t-e.margin_top-e.margin_bottom)},eBusStopData_child:function(t){var e=this;"child"===e.useMode&&(e.eBusStopData_child=t)},eBusStopData:function(t,e){var n=this;J.objectEquals(t,e)||n.refreshLineSvg()},component_width:function(){this.text_info_width=this.component_width-2*this.border_size,this.line_width=this.component_width-2*this.border_size},component_height:function(){this.text_info_height=this.line_info_height+this.arrive_info_height,this.line_height=this.component_height-this.text_info_height-2*this.border_size},line_width:function(){this.refreshLineSvg(),this.refreshUpRectSvg(),this.refreshDownLineSvg()},line_height:function(){this.refreshLineSvg(),this.refreshUpRectSvg(),this.refreshDownLineSvg()},line_info_height:function(){this.text_info_height=this.line_info_height+this.arrive_info_height,this.line_height=this.component_height-this.text_info_height-2*this.border_size},arrive_info_height:function(){this.text_info_height=this.line_info_height+this.arrive_info_height,this.line_height=this.component_height-this.text_info_height-2*this.border_size},margin_left:function(){var t=this;t.component_width=t.component_width-t.margin_left-t.margin_right},margin_right:function(){var t=this;t.component_width=t.component_width-t.margin_left-t.margin_right},margin_top:function(){var t=this;t.component_height=t.component_height-t.margin_top-t.margin_bottom},margin_bottom:function(){var t=this;t.component_height=t.component_height-t.margin_top-t.margin_bottom},border_size:function(){this.text_info_width=this.component_width-2*this.border_size,this.line_width=this.component_width-2*this.border_size,this.text_info_height=this.line_info_height+this.arrive_info_height,this.line_height=this.component_height-this.text_info_height-2*this.border_size},up_rect_left_padding:function(){this.refreshUpRectSvg()},up_rect_right_padding:function(){this.refreshUpRectSvg()},up_rect_top_padding:function(){this.refreshUpRectSvg()},up_rect_height:function(){this.refreshUpRectSvg()},chart_left_padding:function(){this.refreshLineSvg()},chart_right_padding:function(){this.refreshLineSvg()},chart_top_padding:function(){this.refreshLineSvg()},chart_up_line_path_s_width:function(t){var e=this.private_svg;e.selectAll("g.item path.station_link:not(.down)").style("stroke-width",t)},chart_up_line_path_s_color:function(t){var e=this.private_svg;e.selectAll("g.item path.station_link:not(.down)").style("stroke",t)},chart_up_line_circle_f_color_current:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle.current").style("fill",t)},chart_up_line_circle_f_color_before:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle.before").style("fill",t)},chart_up_line_circle_f_color_after:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle.after").style("fill",t)},chart_up_line_circle_r:function(t){var e=this.private_svg;e.selectAll("g.item circle.station_circle").style("r",t)},chart_station_text_top_padding:function(t){this.refreshLineSvg()},chart_station_text_font_size_current:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.current").style("font-size",t)},chart_station_text_font_size_before:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.before").style("font-size",t)},chart_station_text_font_size_after:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.after").style("font-size",t)},chart_station_text_length:function(t){var e=this.private_svg;e.selectAll("g.item text").attr("textLength",t)},chart_up_station_text_font_f_color_current:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.current").style("stroke",t)},chart_up_station_text_font_f_color_before:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.before").style("stroke",t)},chart_up_station_text_font_f_color_after:function(t){var e=this.private_svg;e.selectAll("g.item text.station_text.up.after").style("stroke",t)},down_line_left_padding:function(){this.refreshDownLineSvg()},down_line_right_padding:function(){this.refreshDownLineSvg()},down_line_bottom_padding:function(){this.refreshDownLineSvg()},down_line_s_width:function(){this.refreshDownLineSvg()},down_line_arrow_width:function(){this.refreshDownLineSvg()},down_line_arrow_height:function(){this.refreshDownLineSvg()}},methods:{findD3SvgDom:function(){var t=this.private_jQuery,e=this.private_d3,n=t(this.$el).find("svg")[0];return e.select(n)},refreshUpRectSvg:function(){var t=this,e=t.line_width;this.up_rect_x=t.up_rect_left_padding,this.up_rect_y=t.up_rect_top_padding,this.up_rect_width=e-t.up_rect_left_padding-t.up_rect_right_padding},refreshDownLineSvg:function(){var t=this,e=t.line_width,n=t.line_height;this.down_line_x1=t.down_line_left_padding,this.down_line_y1=n-t.down_line_bottom_padding,this.down_line_x2=e-t.down_line_right_padding,this.down_line_y2=this.down_line_y1,this.down_line_x3=this.down_line_x2-t.down_line_arrow_width,this.down_line_y3=this.down_line_y2-t.down_line_arrow_height-t.down_line_s_width,this.down_line_x4=this.down_line_x3,this.down_line_y4=this.down_line_y2-t.down_line_s_width,this.down_line_x5=this.down_line_x1,this.down_line_y5=this.down_line_y4},refreshLineSvg:function(){var t=this,e=(t.private_jQuery,t.private_d3),n=t.eBusStopData.routeStationDataList,i=t.line_width,r=(t.line_height,t.private_svgns,t.private_svg),o=t.chart_left_padding,a=t.chart_right_padding,s=t.chart_top_padding,l=t.chart_station_text_top_padding,u=r.selectAll("g.item").data(n,(function(t){return t.code})),c=u,h=u.exit();h.remove(),c=c.enter().append("g").classed("item",!0);var d=e.scaleLinear().domain([0,n.length-1]).range([o,i-a]),f=e.line().x(d).y((function(){return s}));c.append("path").classed("station_link",!0).style("stroke",t.chart_up_line_path_s_color).style("stroke-width",t.chart_up_line_path_s_width).attr("d",(function(t,e){return e<n.length-1?f([e,e+1]):""})),u.select("path").attr("d",(function(t,e){return e<n.length-1?f([e,e+1]):""})),c.select((function(t){return 1!==t.type?this:null})).append("circle").classed("station_circle",!0).classed("current",(function(e,n){return t.eBusStopData.currentStopStationIndex===n})).classed("before",(function(e,n){return n<t.eBusStopData.currentStopStationIndex})).classed("after",(function(e,n){return n>t.eBusStopData.currentStopStationIndex})).style("fill",(function(e,n){return n===t.eBusStopData.currentStopStationIndex?t.chart_up_line_circle_f_color_current:n<t.eBusStopData.currentStopStationIndex?t.chart_up_line_circle_f_color_before:t.chart_up_line_circle_f_color_after})).style("stroke-width",0).attr("r",t.chart_up_line_circle_r).attr("cx",(function(t,e){return d(e)})).attr("cy",(function(){return s})).attr("data-id",(function(t){return t.code})),u.select("circle").attr("cx",(function(t,e){return d(e)})).attr("cy",(function(){return s})),c.append("text").classed("station_text",!0).classed("up",!0).classed("current",(function(e,n){return t.eBusStopData.currentStopStationIndex===n})).classed("before",(function(e,n){return n<t.eBusStopData.currentStopStationIndex})).classed("after",(function(e,n){return n>t.eBusStopData.currentStopStationIndex})).style("font-size",(function(e,n){return n===t.eBusStopData.currentStopStationIndex?t.chart_station_text_font_size_current+"px":n<t.eBusStopData.currentStopStationIndex?t.chart_station_text_font_size_before+"px":t.chart_station_text_font_size_after+"px"})).style("stroke",(function(e,n){return n===t.eBusStopData.currentStopStationIndex?t.chart_up_station_text_font_f_color_current:n<t.eBusStopData.currentStopStationIndex?t.chart_up_station_text_font_f_color_before:t.chart_up_station_text_font_f_color_after})).attr("textLength",t.chart_station_text_length).text((function(t){return t.name?t.name:0})).attr("title",(function(t){return t.name})).attr("x",(function(t,e){return d(e)})).attr("y",(function(t){return l})),u.select("text.station_text").classed("up",!0).text((function(t){return t.name?t.name:0})).attr("title",(function(t){return t.name})).attr("x",(function(t,e){return d(e)})).attr("y",(function(t){return l}))}}});function We(t,e){var n="undefined"!==typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=Ge(t))||e&&t&&"number"===typeof t.length){n&&(t=n);var i=0,r=function(){};return{s:r,n:function(){return i>=t.length?{done:!0}:{done:!1,value:t[i++]}},e:function(t){throw t},f:r}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var o,a=!0,s=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return a=t.done,t},e:function(t){s=!0,o=t},f:function(){try{a||null==n.return||n.return()}finally{if(s)throw o}}}}function Ge(t,e){if(t){if("string"===typeof t)return Qe(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?Qe(t,e):void 0}}function Qe(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,i=new Array(e);n<e;n++)i[n]=t[n];return i}var Ze=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,i=arguments.length>2?arguments[2]:void 0,r=arguments.length>3?arguments[3]:void 0,o=arguments.length>4?arguments[4]:void 0,a=arguments.length>5?arguments[5]:void 0;z(this,t),this._eBusStopData=a,this._width=e,this._height=n,this._cssTop=i,this._itemIndex=r,this._pageIndex=o}return Y(t,[{key:"width",get:function(){return this._width}},{key:"height",get:function(){return this._height}}],[{key:"createByDataItem",value:function(e){return new t(0,0,e._cssTop,e._itemIndex,e._pageIndex,e._eBusStopData)}}]),t}(),Ke=function(){function t(e,n,i){z(this,t),this._pageSize=e,this._width=n,this._height=i,this._innerDataItemList=[],this._pageCount=0,this._scrollDataItemList=[],this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer={timer:void 0,count:0,millisecond:1}}return Y(t,[{key:"pageSize",set:function(t){this._pageSize=t,this._pageCount=Math.ceil(this._innerDataItemList.length/this._pageSize),Je.call(this)}},{key:"scrollDataItemList",get:function(){return this._scrollDataItemList}},{key:"width",set:function(t){this._width=t,Xe.call(this)}},{key:"height",set:function(t){this._height=t,Xe.call(this)}},{key:"scrollUp",value:function(t){if(!(this._scrollDataItemList.length<=this._pageSize)){if(this._scrollAnimateTimer.timer){try{clearInterval(this._scrollAnimateTimer.timer)}catch(a){}this._scrollAnimateTimer.timer=void 0}var e=this._scrollDataItemList[this._currentScrollIndex].top,n=this._scrollDataItemList[this._nextScrollIndex].top,i=t.scroll_speed,r=i/1e3,o=this;o._scrollAnimateTimer.timer=setInterval((function(){o._scrollAnimateTimer.count++;var i=e+o._scrollAnimateTimer.count*r;if(i>n||n-i<r){if(t.$emit("scrollTop",n),o._scrollAnimateTimer.count=0,o._scrollDataItemList[o._nextScrollIndex].pageIndex===o._pageCount?(t.$emit("scrollTop",o._scrollDataItemList[0].top),o._currentScrollIndex=0,o._nextScrollIndex=1):(o._currentScrollIndex=o._nextScrollIndex,o._nextScrollIndex++),o._scrollAnimateTimer.timer){try{clearInterval(o._scrollAnimateTimer.timer)}catch(a){}o._scrollAnimateTimer.timer=null}t.scrollTimer.count++}else t.$emit("scrollTop",i)}),1)}}},{key:"resetData",value:function(){if(this._innerDataItemList.splice(0,this._innerDataItemList.length),this._pageCount=0,this._scrollDataItemList.splice(0,this._scrollDataItemList.length),this._currentScrollIndex=0,this._nextScrollIndex=1,this._scrollAnimateTimer.timer)try{clearInterval(this._scrollAnimateTimer.timer)}catch(t){}this._scrollAnimateTimer.timer=void 0,this._scrollAnimateTimer.count=0}},{key:"refreshDataWithRemoteData",value:function(t){if(t&&t.length){var e,n=J.listGroupBy(t,(function(t){return t.lineName+"_"+t.lineCode})),i=We(this._innerDataItemList);try{for(i.s();!(e=i.n()).done;){var r=e.value,o=r._eBusStopData.lineName+"_"+r._eBusStopData.lineCode;n[o]&&function(){var t=n[o][0],e=(t["currDate"]||"")+" "+t["currTime"];r._eBusStopData._systemDateTime=e;var i=[];t["arrive"]&&t["arrive"].length&&t["arrive"].map((function(t){i.push(t.timeFormat||"")})),console.log(i),r._eBusStopData.arriveTimes=i}()}}catch(a){i.e(a)}finally{i.f()}}}}],[{key:"generateDataListByRemoteData",value:function(e,n,i,r){var o=new t(e,n,i);if(o.resetData(),!r||!r.length)return o;o._innerDataItemList.splice(0,o._innerDataItemList.length),r.map((function(t){var e=(t["currDate"]||"")+" "+t["currTime"],n=t["lineName"]||"",i=t["lineCode"]||"",r=t["startTime"]||"",a=t["endTime"]||"",s=[];t["arrive"]&&t["arrive"].length&&t["arrive"].map((function(t){s.push(t["timeFormat"]||"")}));var l=0,u=[];t["lineRoute"]&&t["lineRoute"].length&&t["lineRoute"].map((function(t,e){"yes"===t["this"]&&(l=e);var n=new Ve(t["stationName"]||"",t["stationCode"]||"");u.push(n)}));var c=new Ye(l,u);o._innerDataItemList.push(new Ze(0,0,0,0,0,new He(n,i,c,s,e,r,a)))}));var a=e-o._innerDataItemList.length;if(a>0)for(var s=0;s<a;s++)o._innerDataItemList.push(new Ze(0,0,0,0,0,He.generateEmptyTestData()));return o._pageCount=Math.ceil(o._innerDataItemList.length/o._pageSize),Je.call(o),o}},{key:"generateDataListByTest",value:function(e,n,i){var r=new t(e,n,i);r.resetData(),r._innerDataItemList.splice(0,r._innerDataItemList.length);var o=He.generateTestData(),a=He.generateTestData(),s=He.generateEmptyTestData(),l=[o,a,s];return l.map((function(t){r._innerDataItemList.push(new Ze(0,0,0,0,0,t))})),r._pageCount=Math.ceil(r._innerDataItemList.length/r._pageSize),Je.call(r),r}}]),t}();function Je(){this._scrollDataItemList.splice(0,this._scrollDataItemList.length);var t,e=We(this._innerDataItemList);try{for(e.s();!(t=e.n()).done;){var n=t.value;this._scrollDataItemList.push(Ze.createByDataItem(n))}}catch(u){e.e(u)}finally{e.f()}if(!(this._innerDataItemList.length<=this._pageSize)){for(var i=0;i<this._pageCount;i++)for(var r=0;r<this._pageSize;r++){var o=i*this._pageSize+r;if(o===this._scrollDataItemList.length)break;var a=this._scrollDataItemList[i*this._pageSize+r];a.itemIndex=r,a.pageIndex=i}for(var s=0;s<this._pageSize;s++){var l=Ze.createByDataItem(this._innerDataItemList[s]);l.pageIndex=this._pageCount,this._scrollDataItemList.push(l)}Xe.call(this)}}function Xe(){for(var t=Math.floor(this._height/this._pageSize),e=0;e<this._scrollDataItemList.length;e++){var n=this._scrollDataItemList[e];n._width=this._width,n._height=t,n._cssTop=e*t}}var $e={props:{editorMode:{type:String,required:!0},page_size:{type:Number,required:!0},list_width:{type:Number,required:!0},list_height:{type:Number,required:!0},scroll_seconds:{type:Number,required:!0},scroll_speed:{type:Number,required:!0},remote_data_url:{type:String,required:!0},remote_data_url_param_device_id:{type:String,required:!0},remote_data_refresh_seconds:{type:Number,required:!0}},computed:{remoteUrl:function(){return this.remote_data_url+"?deviceId="+this.remote_data_url_param_device_id}},data:function(){return{lazySlot:!0,scrollPageInnerData:null,initLoading:!0,initLoadingText:"",scrollTimer:{timer:void 0,count:0},remoteDataTimer:{timer:void 0,count:0}}},mounted:function(){"edit"===this.editorMode&&(this.initLoading=!0,this.initLoadingText="初始化数据...",this.scrollPageInnerData=Ke.generateDataListByTest(this.page_size,this.list_width,this.list_height),this.$emit("bindData",this.scrollPageInnerData.scrollDataItemList),this.initLoading=!1,this.lazySlot=!1),"preview"===this.editorMode&&this.initDataByRemoteApi()},destroyed:function(){var t=this.scrollTimer.timer;if(t)try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=void 0;var e=this.remoteDataTimer.timer;if(e)try{clearTimeout(e)}catch(n){}this.remoteDataTimer.timer=void 0,this.scrollPageInnerData&&this.scrollPageInnerData.resetData()},watch:{"scrollTimer.count":function(){var t=this.scrollTimer.timer;if(t){try{clearTimeout(t)}catch(n){}this.scrollTimer.timer=void 0}var e=this;this.scrollTimer.timer=setTimeout((function(){e.startScroll()}),1e3*this.scroll_seconds)},"remoteDataTimer.count":function(){var t=this.remoteDataTimer.timer;if(t)try{clearTimeout(t)}catch(n){}var e=this;this.remoteDataTimer.timer=setTimeout((function(){e.refreshDataByRemoteApi()}),1e3*this.remote_data_refresh_seconds)},page_size:function(t){"edit"===this.editorMode&&(this.scrollPageInnerData.pageSize=t)},list_width:function(t){"edit"===this.editorMode&&(this.scrollPageInnerData.width=t)},list_height:function(t){"edit"===this.editorMode&&(this.scrollPageInnerData.height=t)}},render:function(){var t=arguments[0];return t("a-spin",{attrs:{tip:this.initLoadingText,spinning:this.initLoading,size:"large"}},[this.lazySlot?"":this.$slots.default])},methods:{startScroll:function(){this.scrollPageInnerData.scrollUp(this)},initDataByRemoteApi:function(){var t=this;this.initLoading=!0,this.initLoadingText="初始化数据...",gt(this.remoteUrl).then((function(e){e&&e.length?(t.scrollPageInnerData=Ke.generateDataListByRemoteData(t.page_size,t.list_width,t.list_height,e),t.$emit("bindData",t.scrollPageInnerData.scrollDataItemList),t.initLoading=!1,t.lazySlot=!1,t.scrollTimer.count++,t.remoteDataTimer.count++):(t.initLoadingText="远端数据为空,等待".concat(t.remote_data_refresh_seconds,"秒后重新获取,请稍后..."),t.remoteDataTimer.count++)})).catch((function(e){console.log(e),t.$message.error("获取远端数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1),t.initLoadingText="获取远端数据失败,等待".concat(t.remote_data_refresh_seconds,"秒后重新获取,请稍后..."),t.remoteDataTimer.count++}))},refreshDataByRemoteApi:function(){var t=this;console.log("refreshDataByRemoteApi"),this.scrollPageInnerData&&this.scrollPageInnerData.scrollDataItemList.length?(gt(this.remoteUrl).then((function(e){t.scrollPageInnerData.refreshDataWithRemoteData(e)})).catch((function(e){console.log(e),t.$message.error(" 获取数据失败,状态:".concat(e.status,",错误:").concat(e.statusText),1)})),this.remoteDataTimer.count++):this.initDataByRemoteApi()}}},tn=(n("5033"),{extra:{defaultStyle:{top:0,left:0,width:700,height:800}},name:"lggj-eBusStop-line-chart-list",data:function(){return this.private_jQuery=jQuery.noConflict(),{watchWidthHeightTimer:{timer:void 0,count:0,millisecond:1e3},list_width:350,list_height:300,line_chart_outer_div_width:0,line_chart_outer_div_height:0,internalDataSet:[],scrollTop:0}},props:{editorMode:E.string({defaultValue:"preview",label:"模式",visible:!1}),_flag_1_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"数据属性"},class:"bsth-line-item-divider"})}}),page_size:E.number({label:"每页显示线路图数量",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_seconds:E.number({label:"滚动时间间隔(秒)",defaultValue:3,layout:{prefixCls:"bsth-line"}}),scroll_speed:E.number({label:"滚动速度(像素/秒)",defaultValue:1e3,layout:{prefixCls:"bsth-line"}}),remote_data_refresh_seconds:E.number({label:"数据刷新间隔(秒)",defaultValue:30,layout:{prefixCls:"bsth-line"}}),remote_data_url:E.string({label:"远端数据url",component:"a-textarea",defaultValue:"http://27.115.69.123:19102/General_Interface/getArriveVO",layout:{prefixCls:"bsth-line"}}),device_id:E.string({label:"站牌设备Id",defaultValue:"L55C0001",layout:{prefixCls:"bsth-line"}}),_flag_2_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"外层css属性"},class:"bsth-line-item-divider"})}}),margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),border_size:E.number({label:"图边框宽度",defaultValue:0,layout:{prefixCls:"bsth-line"}}),background_color:E.color({label:"背景颜色",defaultValue:"#9EE0DF",layout:{prefixCls:"bsth-line"}}),_flag_3_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"内部线路模拟图外层css属性"},class:"bsth-line-item-divider"})}}),line_chart_margin_left:E.number({label:"图左边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),line_chart_margin_right:E.number({label:"图右边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),line_chart_margin_top:E.number({label:"图上边margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),line_chart_margin_bottom:E.number({label:"图底部margin",defaultValue:0,layout:{prefixCls:"bsth-line"}}),line_chart_border_size:E.number({label:"图边框宽度",defaultValue:0,layout:{prefixCls:"bsth-line"}}),line_chart_background_color:E.color({label:"背景颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_4_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层线路到达信息css属性"},class:"bsth-line-item-divider"})}}),text_info_background:E.color({label:"信息背景颜色",defaultValue:"#238A94",layout:{prefixCls:"bsth-line"}}),line_info_height:E.number({label:"线路信息高度",defaultValue:30,layout:{prefixCls:"bsth-line"}}),line_info_name_font_size:E.number({label:"线路名称字体大小",defaultValue:22,layout:{prefixCls:"bsth-line"}}),line_info_name_font_color:E.color({label:"线路名称字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),line_info_name_left_padding:E.number({label:"线路名称距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),line_info_name_top_padding:E.number({label:"线路名称距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_font_size:E.number({label:"线路首末班时间字体大小",defaultValue:18,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_font_color:E.color({label:"线路首末班时间字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_right_padding:E.number({label:"线路首末班时间距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),line_info_s_e_time_top_padding:E.number({label:"线路首末班时间距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),arrive_info_height:E.number({label:"到达信息高度",defaultValue:35,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_font_size:E.number({label:"固定文字字体大小",defaultValue:18,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_font_color:E.color({label:"固定文字字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_left_padding:E.number({label:"固定文字距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),arrive_info_fix_text_top_padding:E.number({label:"固定文字距离上边",defaultValue:2,layout:{prefixCls:"bsth-line"}}),arrive_info_stop_text_font_size:E.number({label:"开往站点名字体大小",defaultValue:20,layout:{prefixCls:"bsth-line"}}),arrive_info_stop_text_font_color:E.color({label:"开往站点名字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),arrive_info_text_font_size:E.number({label:"到达信息字体大小",defaultValue:18,layout:{prefixCls:"bsth-line"}}),arrive_info_text_font_color:E.color({label:"到达信息字体颜色",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),_flag_5_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层上部分矩形css属性"},class:"bsth-line-item-divider"})}}),svg_background:E.color({label:"线路图背景颜色",defaultValue:"#9EE0DF",layout:{prefixCls:"bsth-line"}}),up_rect_left_padding:E.number({label:"矩形距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_right_padding:E.number({label:"矩形距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_top_padding:E.number({label:"矩形距离上边",defaultValue:3,layout:{prefixCls:"bsth-line"}}),up_rect_height:E.number({label:"矩形高度",defaultValue:20,layout:{prefixCls:"bsth-line"}}),up_rect_r:E.number({label:"矩形圆边大小",defaultValue:10,layout:{prefixCls:"bsth-line"}}),up_rect_b_color:E.color({label:"矩形背景颜色",defaultValue:"#9FA067",layout:{prefixCls:"bsth-line"}}),_flag_6_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层线路图css属性"},class:"bsth-line-item-divider"})}}),chart_left_padding:E.number({label:"内部线路图距离左边",defaultValue:50,layout:{prefixCls:"bsth-line"}}),chart_right_padding:E.number({label:"内部线路图距离右边",defaultValue:50,layout:{prefixCls:"bsth-line"}}),chart_top_padding:E.number({label:"内部线路图距离上边",defaultValue:13,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_width:E.number({label:"上部分线宽度",defaultValue:7,layout:{prefixCls:"bsth-line"}}),chart_up_line_path_s_color:E.color({label:"上部分线颜色",defaultValue:"#008000",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_current:E.color({label:"线圆圈填充色-当前站点",defaultValue:"#CB0808",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_before:E.color({label:"线圆圈填充色-前面站点",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_f_color_after:E.color({label:"线圆圈填充色-后面站点",defaultValue:"#FFFFFF",layout:{prefixCls:"bsth-line"}}),chart_up_line_circle_r:E.number({label:"线圆圈大小",defaultValue:8,layout:{prefixCls:"bsth-line"}}),chart_station_text_top_padding:E.number({label:"站点文字距离上边",defaultValue:30,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_current:E.number({label:"站名字体大小-当前站点",defaultValue:25,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_before:E.number({label:"站名字体大小-前面站点",defaultValue:20,layout:{prefixCls:"bsth-line"}}),chart_station_text_font_size_after:E.number({label:"站名字体大小-后面站点",defaultValue:20,layout:{prefixCls:"bsth-line"}}),chart_station_text_length:E.number({label:"站名长度",defaultValue:130,layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_current:E.color({label:"站名颜色-当前站点",defaultValue:"#060D37",layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_before:E.color({label:"站名颜色-前面站点",defaultValue:"#9398B4",layout:{prefixCls:"bsth-line"}}),chart_up_station_text_font_f_color_after:E.color({label:"站名颜色-后面站点",defaultValue:"#4556b6",layout:{prefixCls:"bsth-line"}}),_flag_7_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"图内层下部分线css属性"},class:"bsth-line-item-divider"})}}),down_line_left_padding:E.number({label:"线距离左边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),down_line_right_padding:E.number({label:"线距离右边",defaultValue:20,layout:{prefixCls:"bsth-line"}}),down_line_bottom_padding:E.number({label:"线距离下边",defaultValue:6,layout:{prefixCls:"bsth-line"}}),down_line_s_width:E.number({label:"线宽度",defaultValue:5,layout:{prefixCls:"bsth-line"}}),down_line_s_color:E.color({label:"线颜色",defaultValue:"#277461",layout:{prefixCls:"bsth-line"}}),down_line_arrow_width:E.number({label:"箭头宽度",defaultValue:55,layout:{prefixCls:"bsth-line"}}),down_line_arrow_height:E.number({label:"箭头高度",defaultValue:15,layout:{prefixCls:"bsth-line"}}),_flag_8_:E.string({label:"",component:null,extra:function(t){return t("hr",{attrs:{"data-label":"无数据提示css属性"},class:"bsth-line-item-divider"})}}),empty_info_font_size:E.number({label:"无数据提示文字字体大小",defaultValue:30,layout:{prefixCls:"bsth-line"}}),empty_info_font_color:E.color({label:"无数据提示文字字体颜色",defaultValue:"#000000",layout:{prefixCls:"bsth-line"}}),empty_info_top_padding:E.number({label:"无数据提示文字距离上边",defaultValue:25,layout:{prefixCls:"bsth-line"}})},render:function(){var t=arguments[0];return t("div",{class:"eBusStop-line-chart-list-outer-div"},[this.renderScrollPage()])},mounted:function(){var t=this.private_jQuery;this.list_width=t(this.$el).width()-this.margin_left-this.margin_right,this.list_height=t(this.$el).height()-this.margin_top-this.margin_bottom,"edit"===this.editorMode&&this.watchWidthHeightTimer.count++},destroyed:function(){var t=this.watchWidthHeightTimer.timer;if(t){try{clearTimeout(t)}catch(vt){}this.watchWidthHeightTimer.timer=void 0}},watch:{"watchWidthHeightTimer.count":function(){var t=this.watchWidthHeightTimer.timer;t&&(clearTimeout(t),this.watchWidthHeightTimer.timer=null);var e=this,n=this.private_jQuery;e.watchWidthHeightTimer.timer=setTimeout((function(){var t=n(e.$el).width(),i=n(e.$el).height();t!==e.list_width&&(e.list_width=t-e.margin_left-e.margin_right),i!==e.list_height&&(e.list_height=i-e.margin_top-e.margin_bottom),e.watchWidthHeightTimer.count++}),e.watchWidthHeightTimer.millisecond)},page_size:function(){this.line_chart_outer_div_height=Math.floor(this.list_height/this.page_size)},list_width:function(){this.line_chart_outer_div_width=this.list_width-2*this.border_size},list_height:function(){this.line_chart_outer_div_height=Math.floor((this.list_height-2*this.border_size)/this.page_size)},margin_left:function(){this.list_width=this.list_width-this.margin_left-this.margin_right},margin_right:function(){this.list_width=this.list_width-this.margin_left-this.margin_right},margin_top:function(){this.list_height=this.list_height-this.margin_top-this.margin_bottom},margin_bottom:function(){this.list_height=this.list_height-this.margin_top-this.margin_bottom},border_size:function(){this.line_chart_outer_div_width=this.list_width-2*this.border_size,this.line_chart_outer_div_height=Math.floor((this.list_height-2*this.border_size)/this.page_size)}},methods:{onScrollTop:function(t){this.scrollTop=0===t?0:-t},onBindData:function(t){this.internalDataSet=t},renderScrollPage:function(){var t=this,e=this.$createElement,n={width:this.list_width+"px",height:this.list_height+"px",border:this.border_size+"px solid black","margin-left":this.margin_left+"px","margin-right":this.margin_right+"px","margin-top":this.margin_top+"px","margin-bottom":this.margin_bottom+"px",background:this.background_color,position:"relative",overflow:"hidden"},i={top:this.scrollTop+"px",position:"absolute",width:this.list_width+"px",height:this.line_chart_outer_div_height*this.internalDataSet.length+"px"};return e($e,{attrs:{editorMode:this.editorMode,page_size:this.page_size,list_width:this.list_width,list_height:this.list_height,scroll_seconds:this.scroll_seconds,scroll_speed:this.scroll_speed,remote_data_url:this.remote_data_url,remote_data_url_param_device_id:this.device_id,remote_data_refresh_seconds:this.remote_data_refresh_seconds},on:{bindData:this.onBindData,scrollTop:this.onScrollTop}},[e("div",{style:n},[e("div",{style:i},[this.internalDataSet.map((function(e){return t.renderLineChart(e._eBusStopData)}))])])])},renderLineChart:function(t){var e=this.$createElement;return e("eBusStop-line-chart",{attrs:{useMode:"child",editorMode:this.editorMode,line_chart_outer_div_width:this.line_chart_outer_div_width,line_chart_outer_div_height:this.line_chart_outer_div_height,eBusStopData_child:t,margin_left:this.line_chart_margin_left,margin_right:this.line_chart_margin_right,margin_top:this.line_chart_margin_top,margin_bottom:this.line_chart_margin_bottom,border_size:this.line_chart_border_size,background_color:this.line_chart_background_color,text_info_background:this.text_info_background,line_info_height:this.line_info_height,line_info_name_font_size:this.line_info_name_font_size,line_info_name_font_color:this.line_info_name_font_color,line_info_name_left_padding:this.line_info_name_left_padding,line_info_name_top_padding:this.line_info_name_top_padding,line_info_s_e_time_font_size:this.line_info_s_e_time_font_size,line_info_s_e_time_font_color:this.line_info_s_e_time_font_color,line_info_s_e_time_right_padding:this.line_info_s_e_time_right_padding,line_info_s_e_time_top_padding:this.line_info_s_e_time_top_padding,arrive_info_height:this.arrive_info_height,arrive_info_fix_text_font_size:this.arrive_info_fix_text_font_size,arrive_info_fix_text_font_color:this.arrive_info_fix_text_font_color,arrive_info_fix_text_left_padding:this.arrive_info_fix_text_left_padding,arrive_info_fix_text_top_padding:this.arrive_info_fix_text_top_padding,arrive_info_stop_text_font_size:this.arrive_info_stop_text_font_size,arrive_info_stop_text_font_color:this.arrive_info_stop_text_font_color,arrive_info_text_font_size:this.arrive_info_text_font_size,arrive_info_text_font_color:this.arrive_info_text_font_color,svg_background:this.svg_background,up_rect_left_padding:this.up_rect_left_padding,up_rect_right_padding:this.up_rect_right_padding,up_rect_top_padding:this.up_rect_top_padding,up_rect_height:this.up_rect_height,up_rect_r:this.up_rect_r,up_rect_b_color:this.up_rect_b_color,chart_left_padding:this.chart_left_padding,chart_right_padding:this.chart_right_padding,chart_top_padding:this.chart_top_padding,chart_up_line_path_s_width:this.chart_up_line_path_s_width,chart_up_line_path_s_color:this.chart_up_line_path_s_color,chart_up_line_circle_f_color_current:this.chart_up_line_circle_f_color_current,chart_up_line_circle_f_color_before:this.chart_up_line_circle_f_color_before,chart_up_line_circle_f_color_after:this.chart_up_line_circle_f_color_after,chart_up_line_circle_r:this.chart_up_line_circle_r,chart_station_text_top_padding:this.chart_station_text_top_padding,chart_station_text_font_size_current:this.chart_station_text_font_size_current,chart_station_text_font_size_before:this.chart_station_text_font_size_before,chart_station_text_font_size_after:this.chart_station_text_font_size_after,chart_station_text_length:this.chart_station_text_length,chart_up_station_text_font_f_color_current:this.chart_up_station_text_font_f_color_current,chart_up_station_text_font_f_color_before:this.chart_up_station_text_font_f_color_before,chart_up_station_text_font_f_color_after:this.chart_up_station_text_font_f_color_after,down_line_left_padding:this.down_line_left_padding,down_line_right_padding:this.down_line_right_padding,down_line_bottom_padding:this.down_line_bottom_padding,down_line_s_width:this.down_line_s_width,down_line_s_color:this.down_line_s_color,down_line_arrow_width:this.down_line_arrow_width,down_line_arrow_height:this.down_line_arrow_height,empty_info_font_size:this.empty_info_font_size,empty_info_font_color:this.empty_info_font_color,empty_info_top_padding:this.empty_info_top_padding}})}}}),en=[{title:"图片",i18nTitle:{"en-US":"Picture","zh-CN":"图片"},icon:"photo",component:q,visible:!0,name:q.name},{i18nTitle:{"en-US":"Text","zh-CN":"文字"},title:"文字",icon:"text-width",component:P,visible:!0,name:P.name},{i18nTitle:{"en-US":"Background","zh-CN":"背景"},title:"背景",icon:"dot-circle-o",component:R,visible:!1,name:R.name},{i18nTitle:{"en-US":"EBusStopLineChart","zh-CN":"电子站牌单线路模拟图"},title:"电子站牌单线路模拟图",icon:"list",component:Ue,visible:!1,name:Ue.name},{i18nTitle:{"en-US":"EBusStopLineChartList","zh-CN":"电子站牌单线路模拟图列表"},title:"电子站牌单线路模拟图列表",icon:"list",component:tn,visible:!0,name:tn.name},{i18nTitle:{"en-US":"LineChartScrollList","zh-CN":"线路模拟图滚动列表"},title:"线路模拟图滚动列表",icon:"list",component:At,visible:!1,name:At.name},{i18nTitle:{"en-US":"Carousel2","zh-CN":"轮播图"},title:"轮播图",icon:"photo",component:re,visible:!0,name:re.name},{i18nTitle:{"en-US":"Weather","zh-CN":"实时天气"},title:"实时天气",icon:"photo",component:ke,visible:!1,name:ke.name},{i18nTitle:{"en-US":"Datetime","zh-CN":"日期时间"},title:"日期时间",icon:"photo",component:Te,visible:!0,name:Te.name}],nn={SWIPPER_PAGE:"h5_swipper",LONG_PAGE:"h5_long_page"};n("6762");function rn(t){return rn="function"===typeof De.a&&"symbol"===typeof Pe.a?function(t){return typeof t}:function(t){return t&&"function"===typeof De.a&&t.constructor===De.a&&t!==De.a.prototype?"symbol":typeof t},rn(t)}var on=320;function an(t){var e=Math.pow(10,6),n=t/(on/10)*e,i=Math.round(n)/e+"rem";return i}function sn(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return e?an(t):"".concat(t,"px")}function ln(){return(65536*(1+Math.random())|0).toString(16).substring(1)}function un(){return ln()+ln()+"-"+ln()+"-"+ln()+"-"+ln()+"-"+ln()+ln()+ln()}function cn(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var i=Object.getOwnPropertySymbols(t);e&&(i=i.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,i)}return n}function hn(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?cn(Object(n),!0).forEach((function(e){l(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):cn(Object(n)).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}var dn=["lbp-form-input","lbp-form-button","lbp-video"],fn=function(t){return JSON.parse(JSON.stringify(t))},pn={top:100,left:100,width:100,height:40,zindex:1,textAlign:"center",color:"#000000",backgroundColor:"rgba(255, 255, 255, 0)",fontSize:14,margin:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"}},padding:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"}},border:{top:{value:0,unit:"px"},right:{value:0,unit:"px"},bottom:{value:0,unit:"px"},left:{value:0,unit:"px"},color:{value:"#000"},style:{value:"solid"}},"border-style":"solid",boxModelPart:""},vn=function(){function t(e){z(this,t),this.name=e.name,this.uuid=e.uuid||un(),this.pluginProps=this.getPluginProps(e),this.commonStyle=this.getCommonStyle(e),this.events=[],this.animations=e.animations||[]}return Y(t,[{key:"getCommonStyle",value:function(t){return"object"===rn(t.commonStyle)?fn(hn(hn({},pn),t.commonStyle)):hn(hn(hn({},pn),{},{zindex:t.zindex},t.extra&&t.extra.defaultStyle),t.dragStyle)}},{key:"getPluginProps",value:function(t){return"object"===rn(t.pluginProps)?fn(hn(hn({},t.pluginProps),{},{uuid:this.uuid})):this.getDefaultPluginProps(t)}},{key:"getDefaultPluginProps",value:function(t){var e=t.props,n=void 0===e?{}:e,i=t.shortcutProps,r=void 0===i?{}:i,o={uuid:this.uuid};return Object.keys(n).forEach((function(t){var e=n[t].default;o[t]="function"===typeof e?e():e})),o=hn(hn({},o),r),o}},{key:"packPosData",value:function(t,e){var n={};return Object.keys(t).forEach((function(i){n[e+"-"+i]=t[i].value+(t[i].unit||"")})),n}},{key:"packBorderData",value:function(){var t=this.commonStyle.border,e=t.top,n=t.right,i=t.bottom,r=t.left,o=t.color,a=t.style;return{"border-width":"".concat(e.value).concat(e.unit," ").concat(n.value).concat(n.unit," ").concat(i.value).concat(i.unit," ").concat(r.value).concat(r.unit," "),"border-style":a.value,"border-color":o.value}}},{key:"getStyle",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.position,n=void 0===e?"static":e,i=t.isRem,r=void 0!==i&&i,o=t.isNodeWrapper,a=void 0===o||o;if("lbp-background"===this.name||!a)return{width:"100%",height:"100%"};var s=this.pluginProps,l=this.commonStyle,u=l.margin,c=l.padding,h=hn(hn(hn({},this.packPosData(u,"margin")),this.packPosData(c,"padding")),this.packBorderData()),d=hn(hn({top:sn(s.top||l.top,r),left:sn(s.left||l.left,r),width:sn(s.width||l.width,r),height:sn(s.height||l.height,r),fontSize:sn(s.fontSize||l.fontSize,r)},h),{},{color:s.color||l.color,textAlign:s.textAlign||l.textAlign,"z-index":l.zindex,position:n});return d}},{key:"getProps",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.mode,n=void 0===e?"edit":e;return hn(hn({},this.pluginProps),{},{disabled:dn.includes(this.name)&&"edit"===n})}},{key:"getClass",value:function(){}},{key:"getData",value:function(){}},{key:"getAttrs",value:function(){var t={"data-uuid":this.uuid};if(this.animations.length>0){var e=this.animations[0];t["data-swiper-animation"]=e.type,t["data-duration"]="".concat(e.duration,"s"),t["data-delay"]="".concat(e.delay,"s")}return t}},{key:"getPreviewData",value:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},e=t.position,n=void 0===e?"static":e,i=(t.isRem,t.mode),r=void 0===i?"preview":i,o=t.isNodeWrapper,a=void 0===o||o,s={style:this.getStyle({position:n,isNodeWrapper:a}),props:this.getProps({mode:r}),attrs:this.getAttrs()};return s}},{key:"clone",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=e.zindex,i=void 0===n?this.commonStyle.zindex+1:n;return new t({zindex:i,name:this.name,pluginProps:this.pluginProps,commonStyle:hn(hn({},this.commonStyle),{},{top:this.commonStyle.top+20,left:this.commonStyle.left+20})})}}]),t}();n("a481");function mn(t){var e="";for(var n in t)e+="".concat(n.replace(/[A-Z]+/g,(function(t){return"-".concat(t.toLowerCase())})),":").concat(t[n],";");return e}var gn={methods:{runAnimations:function(){var t=this.animations||this.element.animations||[],e=t.length;if(0!==e){var n=this,i=this.$el,r=0,o=n.element.getStyle({position:"absolute"});a(),i.addEventListener("animationend",a,!1)}function a(){if(r<e){var n=t[r],a={animationName:n.type,animationDuration:"".concat(n.duration,"s"),animationIterationCount:n.infinite?"infinite":n.interationCount,animationDelay:"".concat(n.delay,"s"),animationFillMode:"both"};i.style.cssText=mn(a)+mn(o),r++}else i.style.cssText=mn(o)}}},created:function(){var t=this;window.EditorApp&&window.EditorApp.$on("RUN_ANIMATIONS",(function(){t.runAnimations()}))}},yn={mixins:[gn],props:["element"],mounted:function(){this.runAnimations()},render:function(t){return t("div",{style:this.element.getStyle({position:"absolute"})},[this.$slots.default])}},_n={props:["elements","height"],components:{NodeWrapper:yn},methods:{renderPreview:function(t,e){var n={height:this.height||"100%",position:"relative"};return t("div",{style:n},[e.map((function(e,n){return t("node-wrapper",{attrs:{element:e}},[t(e.name,e.getPreviewData({position:"static",isNodeWrapper:!1}))])}))])}},render:function(t){return this.renderPreview(t,this.elements)}};o.a.config.productionTip=!0;var bn={name:"engine",components:{NodeWrapper:yn},data:function(){return{isLongPage:window.__work.page_mode===nn.LONG_PAGE}},methods:{renderLongPage:function(){if(window.__work.pages.length){var t=window.__work;return this.renderPreview(t.pages[0].elements)}},renderSwiperPage:function(){var t=this,e=this.$createElement,n=window.__work;return e("div",{class:"swiper-container"},[e("div",{class:"swiper-wrapper"},[n.pages.map((function(n){return e("section",{class:"swiper-slide flat"},[t.renderPreview(n.elements)])}))]),e("div",{class:"swiper-pagination"})])},renderPreview:function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],e=this.$createElement,n=this.isLongPage?window.__work.height+"px":"100%",i=t.map((function(t){return new vn(t)}));return e(_n,{attrs:{elements:i,height:n}})},getContainerStyle:function(t){var e={position:"relative",height:"100%"};return this.isLongPage&&(e["overflow-y"]="scroll"),e},renderUnPublishTip:function(){var t=this.$createElement;return t("div",{style:"box-sizing: border-box;min-height: 568px;line-height: 568px;text-align: center;"},["页面可能暂未发布"])}},render:function(t){var e=window.__work,n=new URLSearchParams(window.location.search),i="preview"===n.get("view_mode")||e.is_publish;if(!i)return this.renderUnPublishTip();var r=this.getContainerStyle(e);return t("div",{attrs:{id:"work-container","data-work-id":e.id},style:r},[this.isLongPage?this.renderLongPage():this.renderSwiperPage()])}},wn=function(t){t.component(bn.name,bn),en.forEach((function(e){t.component(e.name,e.component)}))};"undefined"!==typeof window&&window.Vue&&wn(window.Vue);var An={install:wn,Engine:bn};e["default"]=An},fda2:function(t,e,n){var i=n("4081");i.__esModule&&(i=i.default),"string"===typeof i&&(i=[[t.i,i,""]]),i.locals&&(t.exports=i.locals);var r=n("499e").default;r("1eff54be",i,!0,{sourceMap:!1,shadowMode:!1})},fdef:function(t,e){t.exports="\t\n\v\f\r   ᠎              \u2028\u2029\ufeff"}})}));
47 47 \ No newline at end of file
... ...
src/main/resources/templates/lubanPageForZip.html
... ... @@ -88,6 +88,7 @@
88 88 (function() {
89 89 var work = [[${work}]];
90 90 var urlItems = [[${urlItems}]];
  91 + var lbpPictureUrls = [[${lbpPictureUrls}]];
91 92  
92 93 // 长页面模式,暂时不用 h5_swipper模式
93 94 work.pageMode = 'h5_long_page';
... ... @@ -117,7 +118,7 @@
117 118 element.commonStyle.height = (height * current_height) / page_height;
118 119 });
119 120  
120   - // 替换url属性
  121 + // 替换轮播组件url属性
121 122 $jQuery.each(elements, function(index, element) {
122 123 $jQuery.each(urlItems, function(index, urlItem) {
123 124 if (urlItem.uuid === element.uuid) {
... ... @@ -127,6 +128,14 @@
127 128 }
128 129 })
129 130 });
  131 + // 替换lbpPicture组件imgSrc属性
  132 + $jQuery.each(elements, function(index, element) {
  133 + $jQuery.each(lbpPictureUrls, function(index, urlItem) {
  134 + if (urlItem.uuid === element.uuid) {
  135 + element.pluginProps.imgSrc = urlItem.localUrl
  136 + }
  137 + })
  138 + });
130 139  
131 140 // 替换deviceId属性
132 141 var actualDeviceId = getQueryValue("id");
... ...
src/main/resources/templates/nashorn/LbpPicture.js 0 → 100644
  1 +/**
  2 + * java8 javascript脚本引擎-nashorn 执行用的脚本,用了很多语言扩展,不能在游览器中运行
  3 + */
  4 +
  5 +// 对应 com.bsth.luban_springboot2.service.LbpPicture类
  6 +var LbpPicture = Java.type('com.bsth.luban_springboot2.service.WorkService.LbpPicture');
  7 +var ArrayList = Java.type('java.util.ArrayList');
  8 +
  9 +/**
  10 + * 计算页面中所有lbpPicture的url信息。
  11 + * @param workPagesArray pages对象(对应后台work表的pages字段)
  12 + * @return Array LbpPicture类型数组
  13 + */
  14 +function calcuLbpPictures (workPagesArray) {
  15 + var resultList = new ArrayList();
  16 + // 只处理第一页
  17 + var page = workPagesArray && workPagesArray.length > 0 && workPagesArray[0];
  18 + if (page) {
  19 + var pageElements = page.elements && page.elements.length > 0 && page.elements;
  20 + if (pageElements) {
  21 + for (var i = 0; i < pageElements.length; i++) {
  22 + var element = pageElements[i];
  23 + if ('lbp-picture' === element.name) {
  24 + var lbpPicture = new LbpPicture();
  25 + lbpPicture.setName(element.name);
  26 + lbpPicture.setUuid(element.uuid);
  27 + lbpPicture.setUrl(element.pluginProps.imgSrc);
  28 +
  29 + resultList.add(lbpPicture);
  30 + }
  31 + }
  32 + }
  33 + }
  34 + return resultList;
  35 +}
  36 +
... ...