From d6017ca53e0409a6e77d5f4c6bac86eb73a05f3a Mon Sep 17 00:00:00 2001 From: fxy060608 Date: Wed, 8 Jan 2020 15:08:26 +0800 Subject: [PATCH] fix(wxs): detect nested value changes inside props --- packages/uni-app-plus/dist/index.v3.js | 128 +++++++---- .../packages/vue-loader/index.js | 217 ------------------ .../packages/h5-vue/dist/vue.common.dev.js | 2 + .../packages/h5-vue/dist/vue.common.prod.js | 2 +- .../packages/h5-vue/dist/vue.esm.browser.js | 2 + .../h5-vue/dist/vue.esm.browser.min.js | 2 +- .../packages/h5-vue/dist/vue.esm.js | 2 + .../packages/h5-vue/dist/vue.js | 2 + .../packages/h5-vue/dist/vue.min.js | 2 +- .../h5-vue/dist/vue.runtime.common.dev.js | 2 + .../h5-vue/dist/vue.runtime.common.prod.js | 2 +- .../packages/h5-vue/dist/vue.runtime.esm.js | 2 + .../packages/h5-vue/dist/vue.runtime.js | 2 + .../packages/h5-vue/dist/vue.runtime.min.js | 2 +- 14 files changed, 103 insertions(+), 266 deletions(-) delete mode 100644 packages/vue-cli-plugin-uni-optimize/packages/vue-loader/index.js diff --git a/packages/uni-app-plus/dist/index.v3.js b/packages/uni-app-plus/dist/index.v3.js index 4422cf0ac..bd35a8c80 100644 --- a/packages/uni-app-plus/dist/index.v3.js +++ b/packages/uni-app-plus/dist/index.v3.js @@ -2721,8 +2721,11 @@ var serviceContext = (function () { return false } return page.$page.meta.isTabBar + } + if (!/^\//.test(path)) { + path = '/' + path; } - const route = __uniRoutes.find(route => route.path.replace(/^\//, '') === path.replace(/^\//, '')); + const route = __uniRoutes.find(route => route.path === path); return route && route.meta.isTabBar } catch (e) { if (process.env.NODE_ENV !== 'production') { @@ -2886,7 +2889,25 @@ var serviceContext = (function () { const outOfChina = function (lng, lat) { return (lng < 72.004 || lng > 137.8347) || ((lat < 0.8293 || lat > 55.8271) || false) - }; + }; + + function getStatusbarHeight () { + // 横屏时 iOS 获取的状态栏高度错误,进行纠正 + return plus.navigator.isImmersedStatusbar() ? Math.round(plus.os.name === 'iOS' ? plus.navigator.getSafeAreaInsets().top : plus.navigator.getStatusbarHeight()) : 0 + } + + function getScreenInfo () { + const orientation = plus.navigator.getOrientation(); + const landscape = Math.abs(orientation) === 90; + // 安卓 plus 接口获取的屏幕大小值不为整数 + const width = plus.screen.resolutionWidth; + const height = plus.screen.resolutionHeight; + // 根据方向纠正宽高 + return { + screenWidth: Math[landscape ? 'max' : 'min'](width, height), + screenHeight: Math[landscape ? 'min' : 'max'](width, height) + } + } let audios = {}; @@ -4941,48 +4962,55 @@ var serviceContext = (function () { function getSystemInfo () { const platform = plus.os.name.toLowerCase(); const ios = platform === 'ios'; - // 安卓 plus 接口获取的屏幕大小值不为整数,iOS js 获取的屏幕大小横屏时颠倒 - const screenWidth = plus.screen.resolutionWidth; - const screenHeight = plus.screen.resolutionHeight; - // 横屏时 iOS 获取的状态栏高度错误,进行纠正 - var landscape = Math.abs(plus.navigator.getOrientation()) === 90; - var statusBarHeight = Math.round(plus.navigator.getStatusbarHeight()); - if (ios && landscape) { - statusBarHeight = Math.min(20, statusBarHeight); - } - var safeAreaInsets; - function getSafeAreaInsets () { - return { - left: 0, - right: 0, - top: titleNView ? 0 : statusBarHeight, - bottom: 0 - } - } - // 判断是否存在 titleNView - var titleNView; - var webview = getLastWebview(); + const { + screenWidth, + screenHeight + } = getScreenInfo(); + const statusBarHeight = getStatusbarHeight(); + + let safeAreaInsets; + const titleNView = { + height: 0, + cover: false + }; + const webview = getLastWebview(); if (webview) { let style = webview.getStyle(); - if (style) { - titleNView = style && style.titleNView; - titleNView = titleNView && titleNView.type === 'default'; + style = style && style.titleNView; + if (style && style.type && style.type !== 'none') { + titleNView.height = style.type === 'transparent' ? 0 : (statusBarHeight + TITLEBAR_HEIGHT); + titleNView.cover = style.type === 'transparent' || style.type === 'float'; } - safeAreaInsets = ios ? webview.getSafeAreaInsets() : getSafeAreaInsets(); + safeAreaInsets = webview.getSafeAreaInsets(); } else { - safeAreaInsets = ios ? plus.navigator.getSafeAreaInsets() : getSafeAreaInsets(); + safeAreaInsets = plus.navigator.getSafeAreaInsets(); } - var windowBottom = isTabBarPage() && tabBar$1.visible && tabBar$1.cover ? tabBar$1.height : 0; - var windowHeight = Math.min(screenHeight - (titleNView ? (statusBarHeight + TITLEBAR_HEIGHT) - : 0) - windowBottom, screenHeight); - var windowWidth = screenWidth; - var safeArea = { + const tabBarView = { + height: 0, + cover: false + }; + if (isTabBarPage()) { + tabBarView.height = tabBar$1.visible ? tabBar$1.height : 0; + tabBarView.cover = tabBar$1.cover; + } + const windowTop = titleNView.cover ? titleNView.height : 0; + const windowBottom = tabBarView.cover ? tabBarView.height : 0; + const windowHeight = screenHeight - titleNView.height - tabBarView.height; + const windowHeightReal = screenHeight - (titleNView.cover ? 0 : titleNView.height) - (tabBarView.cover ? 0 : tabBarView.height); + const windowWidth = screenWidth; + safeAreaInsets = ios ? safeAreaInsets : { + left: 0, + right: 0, + top: titleNView.height && !titleNView.cover ? 0 : statusBarHeight, + bottom: 0 + }; + const safeArea = { left: safeAreaInsets.left, right: windowWidth - safeAreaInsets.right, top: safeAreaInsets.top, - bottom: windowHeight - safeAreaInsets.bottom, + bottom: windowHeightReal - safeAreaInsets.bottom, width: windowWidth - safeAreaInsets.left - safeAreaInsets.right, - height: windowHeight - safeAreaInsets.top - safeAreaInsets.bottom + height: windowHeightReal - safeAreaInsets.top - safeAreaInsets.bottom }; return { @@ -5001,9 +5029,15 @@ var serviceContext = (function () { fontSizeSetting: '', platform, SDKVersion: '', - windowTop: 0, + windowTop, windowBottom, - safeArea + safeArea, + safeAreaInsets: { + top: safeAreaInsets.top, + right: safeAreaInsets.right, + bottom: safeAreaInsets.bottom, + left: safeAreaInsets.left + } } } @@ -7276,7 +7310,7 @@ var serviceContext = (function () { function parsePullToRefresh (routeOptions) { const windowOptions = routeOptions.window; - if (windowOptions.enablePullDownRefresh) { + if (windowOptions.enablePullDownRefresh || (windowOptions.pullToRefresh && windowOptions.pullToRefresh.support)) { const pullToRefreshStyles = Object.create(null); // 初始化默认值 if (plus.os.name === 'Android') { @@ -7498,7 +7532,7 @@ var serviceContext = (function () { style.dock = 'top'; style.top = 0; style.width = '100%'; - style.height = TITLEBAR_HEIGHT + plus.navigator.getStatusbarHeight(); + style.height = TITLEBAR_HEIGHT + getStatusbarHeight(); delete style.left; delete style.right; delete style.bottom; @@ -7768,7 +7802,10 @@ var serviceContext = (function () { let todoNavigator = false; function navigate (path, callback, isAppLaunch) { - { + { + if (isAppLaunch && __uniConfig.splashscreen && __uniConfig.splashscreen.autoclose && (!__uniConfig.splashscreen.alwaysShowBeforeRender)) { + plus.navigator.closeSplashscreen(); + } if (!isAppLaunch && todoNavigator) { return console.error(`已存在待跳转页面${todoNavigator.path},请不要连续多次跳转页面${path}`) } @@ -12073,8 +12110,9 @@ var serviceContext = (function () { if (process.env.NODE_ENV !== 'production') { console.log(`[uni-app] registerApp`); } - - appCtx = appVm; + + appCtx = appVm; + appCtx.$vm = appVm; Object.assign(appCtx, defaultApp); // 拷贝默认实现 @@ -12278,7 +12316,7 @@ var serviceContext = (function () { const isAndroid = plus.os.name.toLowerCase() === 'android'; const FOCUS_TIMEOUT = isAndroid ? 300 : 700; - const HIDE_TIMEOUT = 300; + const HIDE_TIMEOUT = 800; let keyboardHeight = 0; let onKeyboardShow; let focusTimer; @@ -12915,13 +12953,15 @@ var serviceContext = (function () { const onPageScroll = hasLifecycleHook(vm.$options, 'onPageScroll') ? 1 : 0; const onPageReachBottom = hasLifecycleHook(vm.$options, 'onReachBottom') ? 1 : 0; + const statusbarHeight = getStatusbarHeight(); return { disableScroll, onPageScroll, onPageReachBottom, onReachBottomDistance, - windowTop: 0, // TODO + statusbarHeight, + windowTop: windowOptions.titleNView && windowOptions.titleNView.type === 'float' ? (statusbarHeight + TITLEBAR_HEIGHT) : 0, windowBottom: (tabBar$1.indexOf(route) >= 0 && tabBar$1.cover) ? tabBar$1.height : 0 } } diff --git a/packages/vue-cli-plugin-uni-optimize/packages/vue-loader/index.js b/packages/vue-cli-plugin-uni-optimize/packages/vue-loader/index.js deleted file mode 100644 index cad24a1d6..000000000 --- a/packages/vue-cli-plugin-uni-optimize/packages/vue-loader/index.js +++ /dev/null @@ -1,217 +0,0 @@ -const path = require('path') -const hash = require('hash-sum') -const qs = require('querystring') -const plugin = require('vue-loader/lib/plugin') -const selectBlock = require('vue-loader/lib/select') -const loaderUtils = require('loader-utils') -const { attrsToQuery } = require('vue-loader/lib/codegen/utils') -const { parse } = require('@vue/component-compiler-utils') -const genStylesCode = require('vue-loader/lib/codegen/styleInjection') -const { genHotReloadCode } = require('vue-loader/lib/codegen/hotReload') -const genCustomBlocksCode = require('vue-loader/lib/codegen/customBlocks') -const componentNormalizerPath = require.resolve('vue-loader/lib/runtime/componentNormalizer') -const { NS } = require('vue-loader/lib/plugin') -const { src } = require('@dcloudio/uni-h5/path') - -let errorEmitted = false - - -const isWin = /^win/.test(process.platform) - -const normalizePath = path => (isWin ? path.replace(/\\/g, '/') : path) - -function loadTemplateCompiler (loaderContext) { - try { - return require('vue-template-compiler') - } catch (e) { - if (/version mismatch/.test(e.toString())) { - loaderContext.emitError(e) - } else { - loaderContext.emitError(new Error( - `[vue-loader] vue-template-compiler must be installed as a peer dependency, ` + - `or a compatible compiler implementation must be passed via options.` - )) - } - } -} - -let modules - -module.exports = function (source) { - const loaderContext = this - - if (!errorEmitted && !loaderContext['thread-loader'] && !loaderContext[NS]) { - loaderContext.emitError(new Error( - `vue-loader was used without the corresponding plugin. ` + - `Make sure to include VueLoaderPlugin in your webpack config.` - )) - errorEmitted = true - } - - const stringifyRequest = r => loaderUtils.stringifyRequest(loaderContext, r) - - const { - target, - request, - minimize, - sourceMap, - rootContext, - resourcePath, - resourceQuery - } = loaderContext - - const rawQuery = resourceQuery.slice(1) - const inheritQuery = `&${rawQuery}` - const incomingQuery = qs.parse(rawQuery) - const options = loaderUtils.getOptions(loaderContext) || {} - - const isServer = target === 'node' - const isShadow = !!options.shadowMode - const isProduction = options.productionMode || minimize || process.env.NODE_ENV === 'production' - const filename = path.basename(resourcePath) - const context = rootContext || process.cwd() - const sourceRoot = path.dirname(path.relative(context, resourcePath)) - - const descriptor = parse({ - source, - compiler: options.compiler || loadTemplateCompiler(loaderContext), - filename, - sourceRoot, - needMap: sourceMap - }) - // fixed by xxxxxx - if(!modules && options.compilerOptions && options.compilerOptions.modules){ - modules = options.compilerOptions.modules - } - const sourcePath = normalizePath(src) - if (normalizePath(this.resourcePath).indexOf(sourcePath) === 0) { - descriptor.styles.length = 0 - options.compilerOptions && (delete options.compilerOptions.modules) - } else if(options.compilerOptions){ - options.compilerOptions.modules = modules - } - - // if the query has a type field, this is a language block request - // e.g. foo.vue?type=template&id=xxxxx - // and we will return early - if (incomingQuery.type) { - return selectBlock( - descriptor, - loaderContext, - incomingQuery, - !!options.appendExtension - ) - } - - // module id for scoped CSS & hot-reload - const rawShortFilePath = path - .relative(context, resourcePath) - .replace(/^(\.\.[\/\\])+/, '') - - const shortFilePath = rawShortFilePath.replace(/\\/g, '/') + resourceQuery - - const id = hash( - isProduction - ? (shortFilePath + '\n' + source) - : shortFilePath - ) - - // feature information - const hasScoped = descriptor.styles.some(s => s.scoped) - const hasFunctional = descriptor.template && descriptor.template.attrs.functional - const needsHotReload = ( - !isServer && - !isProduction && - (descriptor.script || descriptor.template) && - options.hotReload !== false - ) - - // template - let templateImport = `var render, staticRenderFns` - let templateRequest - if (descriptor.template) { - const src = descriptor.template.src || resourcePath - const idQuery = `&id=${id}` - const scopedQuery = hasScoped ? `&scoped=true` : `` - const attrsQuery = attrsToQuery(descriptor.template.attrs) - const query = `?vue&type=template${idQuery}${scopedQuery}${attrsQuery}${inheritQuery}` - const request = templateRequest = stringifyRequest(src + query) - templateImport = `import { render, staticRenderFns } from ${request}` - } - - // script - let scriptImport = `var script = {}` - if (descriptor.script) { - const src = descriptor.script.src || resourcePath - const attrsQuery = attrsToQuery(descriptor.script.attrs, 'js') - const query = `?vue&type=script${attrsQuery}${inheritQuery}` - const request = stringifyRequest(src + query) - scriptImport = ( - `import script from ${request}\n` + - `export * from ${request}` // support named exports - ) - } - - // styles - let stylesCode = `` - if (descriptor.styles.length) { - stylesCode = genStylesCode( - loaderContext, - descriptor.styles, - id, - resourcePath, - stringifyRequest, - needsHotReload, - isServer || isShadow // needs explicit injection? - ) - } - - let code = ` -${templateImport} -${scriptImport} -${stylesCode} - -/* normalize component */ -import normalizer from ${stringifyRequest(`!${componentNormalizerPath}`)} -var component = normalizer( - script, - render, - staticRenderFns, - ${hasFunctional ? `true` : `false`}, - ${/injectStyles/.test(stylesCode) ? `injectStyles` : `null`}, - ${hasScoped ? JSON.stringify(id) : `null`}, - ${isServer ? JSON.stringify(hash(request)) : `null`} - ${isShadow ? `,true` : ``} -) - `.trim() + `\n` - - if (descriptor.customBlocks && descriptor.customBlocks.length) { - code += genCustomBlocksCode( - descriptor.customBlocks, - resourcePath, - resourceQuery, - stringifyRequest - ) - } - - if (needsHotReload) { - code += `\n` + genHotReloadCode(id, hasFunctional, templateRequest) - } - - // Expose filename. This is used by the devtools and Vue runtime warnings. - if (!isProduction) { - // Expose the file's full path in development, so that it can be opened - // from the devtools. - code += `\ncomponent.options.__file = ${JSON.stringify(rawShortFilePath.replace(/\\/g, '/'))}` - } else if (options.exposeFilename) { - // Libraies can opt-in to expose their components' filenames in production builds. - // For security reasons, only expose the file's basename in production. - code += `\ncomponent.options.__file = ${JSON.stringify(filename)}` - } - - code += `\nexport default component.exports` - // console.log(code) - return code -} - -module.exports.VueLoaderPlugin = plugin diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.dev.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.dev.js index 08ae052ec..cf490edfe 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.dev.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.dev.js @@ -6785,6 +6785,8 @@ function updateWxsProps(oldVnode, vnode) { context.$getComponentDescriptor(context, true), vnode.elm.__vue__.$getComponentDescriptor(vnode.elm.__vue__, false) ); + }, { + deep: true }); }); diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.prod.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.prod.js index 7d432207f..d18463c96 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.prod.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.common.prod.js @@ -3,4 +3,4 @@ * (c) 2014-2020 Evan You * Released under the MIT License. */ -"use strict";var e=Object.freeze({});function t(e){return null==e}function n(e){return null!=e}function r(e){return!0===e}function i(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function a(e){return null!==e&&"object"==typeof e}var o=Object.prototype.toString;function s(e){return"[object Object]"===o.call(e)}function c(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function u(e){return n(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function l(e){return null==e?"":Array.isArray(e)||s(e)&&e.toString===o?JSON.stringify(e,null,2):String(e)}function f(e){var t=parseFloat(e);return isNaN(t)?e:t}function p(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var m=Object.prototype.hasOwnProperty;function y(e,t){return m.call(e,t)}function g(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var _=/-(\w)/g,b=g(function(e){return e.replace(_,function(e,t){return t?t.toUpperCase():""})}),$=g(function(e){return e.charAt(0).toUpperCase()+e.slice(1)}),w=/\B([A-Z])/g,x=g(function(e){return e.replace(w,"-$1").toLowerCase()});var C=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function k(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function A(e,t){for(var n in t)e[n]=t[n];return e}function O(e){for(var t={},n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch,Q=!1;if(z)try{var ee={};Object.defineProperty(ee,"passive",{get:function(){Q=!0}}),window.addEventListener("test-passive",null,ee)}catch(e){}var te=function(){return void 0===B&&(B=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),B},ne=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function re(e){return"function"==typeof e&&/native code/.test(e.toString())}var ie,ae="undefined"!=typeof Symbol&&re(Symbol)&&"undefined"!=typeof Reflect&&re(Reflect.ownKeys);ie="undefined"!=typeof Set&&re(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var oe=S,se=0,ce=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=se++,this.subs=[]};function ue(e){ce.SharedObject.targetStack.push(e),ce.SharedObject.target=e}function le(){ce.SharedObject.targetStack.pop(),ce.SharedObject.target=ce.SharedObject.targetStack[ce.SharedObject.targetStack.length-1]}ce.prototype.addSub=function(e){this.subs.push(e)},ce.prototype.removeSub=function(e){h(this.subs,e)},ce.prototype.depend=function(){ce.SharedObject.target&&ce.SharedObject.target.addDep(this)},ce.prototype.notify=function(){for(var e=this.subs.slice(),t=0,n=e.length;t-1)if(a&&!y(i,"default"))o=!1;else if(""===o||o===x(e)){var c=Ie(String,i.type);(c<0||s0&&(st((u=e(u,(o||"")+"_"+c))[0])&&st(f)&&(s[l]=ve(f.text+u[0].text),u.shift()),s.push.apply(s,u)):i(u)?st(f)?s[l]=ve(f.text+u):""!==u&&s.push(ve(u)):st(u)&&st(f)?s[l]=ve(f.text+u.text):(r(a._isVList)&&n(u.tag)&&t(u.key)&&n(o)&&(u.key="__vlist"+o+"_"+c+"__"),s.push(u)));return s}(e):void 0}function st(e){return n(e)&&n(e.text)&&!1===e.isComment}function ct(e,t){if(e){for(var n=Object.create(null),r=ae?Reflect.ownKeys(e):Object.keys(e),i=0;i0,o=t?!!t.$stable:!a,s=t&&t.$key;if(t){if(t._normalized)return t._normalized;if(o&&r&&r!==e&&s===r.$key&&!a&&!r.$hasNormal)return r;for(var c in i={},t)t[c]&&"$"!==c[0]&&(i[c]=pt(n,c,t[c]))}else i={};for(var u in n)u in i||(i[u]=dt(n,u));return t&&Object.isExtensible(t)&&(t._normalized=i),R(i,"$stable",o),R(i,"$key",s),R(i,"$hasNormal",a),i}function pt(e,t,n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:ot(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function dt(e,t){return function(){return e[t]}}function vt(e,t){var r,i,o,s,c;if(Array.isArray(e)||"string"==typeof e)for(r=new Array(e.length),i=0,o=e.length;idocument.createEvent("Event").timeStamp&&(sn=function(){return cn.now()})}function un(){var e,t;for(on=sn(),rn=!0,Qt.sort(function(e,t){return e.id-t.id}),an=0;anan&&Qt[n].id>e.id;)n--;Qt.splice(n+1,0,e)}else Qt.push(e);nn||(nn=!0,Xe(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||a(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Fe(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length;e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||h(this.vm._watchers,this);for(var e=this.deps.length;e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:S,set:S};function dn(e,t,n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e,t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&be(!1);var a=function(a){i.push(a);var o=Me(a,t,n,e);xe(r,a,o),a in e||dn(e,"_props",a)};for(var o in t)a(o);be(!0)}(e,t.props),t.methods&&function(e,t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?S:C(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;s(t=e._data="function"==typeof t?function(e,t){ue();try{return e.call(t,t)}catch(e){return Fe(e,t,"data()"),{}}finally{le()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(;i--;){var a=n[i];r&&y(r,a)||(o=void 0,36!==(o=(a+"").charCodeAt(0))&&95!==o&&dn(e,"_data",a))}var o;we(t,!0)}(e):we(e._data={},!0),t.computed&&function(e,t){var n=e._computedWatchers=Object.create(null),r=te();for(var i in t){var a=t[i],o="function"==typeof a?a:a.get;r||(n[i]=new fn(e,o||S,S,hn)),i in e||mn(e,i,a)}}(e,t.computed),t.watch&&t.watch!==Y&&function(e,t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0;i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:(n=e,"[object RegExp]"===o.call(n)&&e.test(t));var n}function An(e,t){var n=e.cache,r=e.keys,i=e._vnode;for(var a in n){var o=n[a];if(o){var s=Cn(o.componentOptions);s&&!t(s)&&On(n,a,r,i)}}}function On(e,t,n,r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,h(n,t)}!function(t){t.prototype._init=function(t){var n=this;n._uid=bn++,n._isVue=!0,t&&t._isComponent?function(e,t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(n,t):n.$options=Ne($n(n.constructor),t||{},n),n._renderProxy=n,n._self=n,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(n),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Wt(e,t)}(n),function(t){t._vnode=null,t._staticTrees=null;var n=t.$options,r=t.$vnode=n._parentVnode,i=r&&r.context;t.$slots=ut(n._renderChildren,i),t.$scopedSlots=e,t._c=function(e,n,r,i){return Ft(t,e,n,r,i,!1)},t.$createElement=function(e,n,r,i){return Ft(t,e,n,r,i,!0)};var a=r&&r.data;xe(t,"$attrs",a&&a.attrs||e,null,!0),xe(t,"$listeners",n._parentListeners||e,null,!0)}(n),Yt(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(e){var t=ct(e.$options.inject,e);t&&(be(!1),Object.keys(t).forEach(function(n){xe(e,n,t[n])}),be(!0))}(n),vn(n),"mp-toutiao"!==n.mpHost&&function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(n),"mp-toutiao"!==n.mpHost&&Yt(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(wn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Ce,e.prototype.$delete=ke,e.prototype.$watch=function(e,t,n){if(s(t))return _n(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Fe(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(wn),function(e){var t=/^hook:/;e.prototype.$on=function(e,n){var r=this;if(Array.isArray(e))for(var i=0,a=e.length;i1?k(t):t;for(var n=k(arguments,1),r='event handler for "'+e+'"',i=0,a=t.length;iparseInt(this.max)&&On(o,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return I}};Object.defineProperty(e,"config",t),e.util={warn:oe,extend:A,mergeOptions:Ne,defineReactive:xe},e.set=Ce,e.delete=ke,e.nextTick=Xe,e.observable=function(e){return we(e),e},e.options=Object.create(null),L.forEach(function(t){e.options[t+"s"]=Object.create(null)}),e.options._base=e,A(e.options.components,Tn),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=k(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Ne(this.options,e),this}}(e),xn(e),function(e){L.forEach(function(t){e[t]=function(e,n){return n?("component"===t&&s(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}})}(e)}(wn),Object.defineProperty(wn.prototype,"$isServer",{get:te}),Object.defineProperty(wn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(wn,"FunctionalRenderContext",{value:Tt}),wn.version="2.6.11";var jn=p("style,class"),En=p("input,textarea,option,select,progress"),Nn=function(e,t,n){return"value"===n&&En(e)&&"button"!==t||"selected"===n&&"option"===e||"checked"===n&&"input"===e||"muted"===n&&"video"===e},Dn=p("contenteditable,draggable,spellcheck"),Mn=p("events,caret,typing,plaintext-only"),Ln=function(e,t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Mn(t)?t:"true"},Pn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),In="http://www.w3.org/1999/xlink",Fn=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Rn=function(e){return Fn(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Bn(e){for(var t=e.data,r=e,i=e;n(i.componentInstance);)(i=i.componentInstance._vnode)&&i.data&&(t=Un(i.data,t));for(;n(r=r.parent);)r&&r.data&&(t=Un(t,r.data));return function(e,t){if(n(e)||n(t))return zn(e,Vn(t));return""}(t.staticClass,t.class)}function Un(e,t){return{staticClass:zn(e.staticClass,t.staticClass),class:n(e.class)?[e.class,t.class]:t.class}}function zn(e,t){return e?t?e+" "+t:e:t||""}function Vn(e){return Array.isArray(e)?function(e){for(var t,r="",i=0,a=e.length;i-1?yr(e,t,n):Pn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Dn(t)?e.setAttribute(t,Ln(t,n)):Fn(t)?Hn(n)?e.removeAttributeNS(In,Rn(t)):e.setAttributeNS(In,t,n):yr(e,t,n)}function yr(e,t,n){if(Hn(n))e.removeAttribute(t);else{if(W&&!q&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var gr={create:hr,update:hr};function _r(e,r){var i=r.elm,a=r.data,o=e.data;if(!(t(a.staticClass)&&t(a.class)&&(t(o)||t(o.staticClass)&&t(o.class))&&t(i.__wxsAddClass)&&t(i.__wxsRemoveClass))){var s=Bn(r),c=i._transitionClasses;if(n(c)&&(s=zn(s,Vn(c))),Array.isArray(i.__wxsRemoveClass)&&i.__wxsRemoveClass.length){var u=s.split(/\s+/);i.__wxsRemoveClass.forEach(function(e){var t=u.findIndex(function(t){return t===e});-1!==t&&u.splice(t,1)}),s=u.join(" "),i.__wxsRemoveClass.length=0}if(i.__wxsAddClass){var l=s.split(/\s+/).concat(i.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(e){e&&(f[e]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(e){var t=p[b(e)];t&&(s=s.replace(e,t))}),s!==i._prevClass&&(i.setAttribute("class",s),i._prevClass=s)}}var br,$r,wr,xr,Cr,kr,Ar={create:_r,update:_r},Or=/[\w).+\-_$\]]/;function Sr(e){var t,n,r,i,a,o=!1,s=!1,c=!1,u=!1,l=0,f=0,p=0,d=0;for(r=0;r=0&&" "===(h=e.charAt(v));v--);h&&Or.test(h)||(u=!0)}}else void 0===i?(d=r+1,i=e.slice(0,r).trim()):m();function m(){(a||(a=[])).push(e.slice(d,r).trim()),d=r+1}if(void 0===i?i=e.slice(0,r).trim():0!==d&&m(),a)for(r=0;r-1?{exp:e.slice(0,xr),key:'"'+e.slice(xr+1)+'"'}:{exp:e,key:null};$r=e,xr=Cr=kr=0;for(;!Kr();)Jr(wr=Vr())?qr(wr):91===wr&&Wr(wr);return{exp:e.slice(0,Cr),key:e.slice(Cr+1,kr)}}(e);return null===n.key?e+"="+t:"$set("+n.exp+", "+n.key+", "+t+")"}function Vr(){return $r.charCodeAt(++xr)}function Kr(){return xr>=br}function Jr(e){return 34===e||39===e}function Wr(e){var t=1;for(Cr=xr;!Kr();)if(Jr(e=Vr()))qr(e);else if(91===e&&t++,93===e&&t--,0===t){kr=xr;break}}function qr(e){for(var t=e;!Kr()&&(e=Vr())!==t;);}var Zr,Gr="__r",Xr="__c";function Yr(e,t,n){var r=Zr;return function i(){null!==t.apply(null,arguments)&&ti(e,i,n,r)}}var Qr=ze&&!(X&&Number(X[1])<=53);function ei(e,t,n,r){if(Qr){var i=on,a=t;t=a._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return a.apply(this,arguments)}}Zr.addEventListener(e,t,Q?{capture:n,passive:r}:n)}function ti(e,t,n,r){(r||Zr).removeEventListener(e,t._wrapper||t,n)}function ni(e,r){if(!t(e.data.on)||!t(r.data.on)){var i=r.data.on||{},a=e.data.on||{};Zr=r.elm,function(e){if(n(e[Gr])){var t=W?"change":"input";e[t]=[].concat(e[Gr],e[t]||[]),delete e[Gr]}n(e[Xr])&&(e.change=[].concat(e[Xr],e.change||[]),delete e[Xr])}(i),nt(i,a,ei,ti,Yr,r.context),Zr=void 0}}var ri,ii={create:ni,update:ni};function ai(e,r){if(!t(e.data.domProps)||!t(r.data.domProps)){var i,a,o=r.elm,s=e.data.domProps||{},c=r.data.domProps||{};for(i in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)i in c||(o[i]="");for(i in c){if(a=c[i],"textContent"===i||"innerHTML"===i){if(r.children&&(r.children.length=0),a===s[i])continue;1===o.childNodes.length&&o.removeChild(o.childNodes[0])}if("value"===i&&"PROGRESS"!==o.tagName){o._value=a;var u=t(a)?"":String(a);oi(o,u)&&(o.value=u)}else if("innerHTML"===i&&Wn(o.tagName)&&t(o.innerHTML)){(ri=ri||document.createElement("div")).innerHTML=""+a+"";for(var l=ri.firstChild;o.firstChild;)o.removeChild(o.firstChild);for(;l.firstChild;)o.appendChild(l.firstChild)}else if(a!==s[i])try{o[i]=a}catch(e){}}}}function oi(e,t){return!e.composing&&("OPTION"===e.tagName||function(e,t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e,t){var r=e.value,i=e._vModifiers;if(n(i)){if(i.number)return f(r)!==f(t);if(i.trim)return r.trim()!==t.trim()}return r!==t}(e,t))}var si={create:ai,update:ai},ci=g(function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach(function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t});function ui(e){var t=li(e.style);return e.staticStyle?A(e.staticStyle,t):t}function li(e){return Array.isArray(e)?O(e):"string"==typeof e?ci(e):e}var fi,pi=/^--/,di=/\s*!important$/,vi=/([+-]?\d+(\.\d+)?)[r|u]px/g,hi=function(e){return"string"==typeof e?e.replace(vi,function(e,t){return uni.upx2px(t)+"px"}):e},mi=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,yi=function(e,t,n,r){if(r&&r._$getRealPath&&n&&(n=function(e,t){if("string"==typeof e&&-1!==e.indexOf("url(")){var n=e.match(mi);n&&3===n.length&&(e=e.replace(n[1],t._$getRealPath(n[1])))}return e}(n,r)),pi.test(t))e.style.setProperty(t,n);else if(di.test(n))e.style.setProperty(x(t),n.replace(di,""),"important");else{var i=_i(t);if(Array.isArray(n))for(var a=0,o=n.length;a-1?t.split(wi).forEach(function(t){return e.classList.add(t)}):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Ci(e,t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(wi).forEach(function(t){return e.classList.remove(t)}):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function ki(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&A(t,Ai(e.name||"v")),A(t,e),t}return"string"==typeof e?Ai(e):void 0}}var Ai=g(function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}}),Oi=z&&!q,Si="transition",Ti="animation",ji="transition",Ei="transitionend",Ni="animation",Di="animationend";Oi&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(ji="WebkitTransition",Ei="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Ni="WebkitAnimation",Di="webkitAnimationEnd"));var Mi=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Li(e){Mi(function(){Mi(e)})}function Pi(e,t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),xi(e,t))}function Ii(e,t){e._transitionClasses&&h(e._transitionClasses,t),Ci(e,t)}function Fi(e,t,n){var r=Hi(e,t),i=r.type,a=r.timeout,o=r.propCount;if(!i)return n();var s=i===Si?Ei:Di,c=0,u=function(){e.removeEventListener(s,l),n()},l=function(t){t.target===e&&++c>=o&&u()};setTimeout(function(){c0&&(n=Si,l=o,f=a.length):t===Ti?u>0&&(n=Ti,l=u,f=c.length):f=(n=(l=Math.max(o,u))>0?o>u?Si:Ti:null)?n===Si?a.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Si&&Ri.test(r[ji+"Property"])}}function Bi(e,t){for(;e.length1}function Wi(e,t){!0!==t.data.show&&zi(t)}var qi=function(e){var a,o,s={},c=e.modules,u=e.nodeOps;for(a=0;av?_(e,t(i[y+1])?null:i[y+1].elm,i,d,y,a):d>y&&$(r,p,v)}(p,h,y,a,l):n(y)?(n(e.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,a)):n(h)?$(h,0,h.length-1):n(e.text)&&u.setTextContent(p,""):e.text!==i.text&&u.setTextContent(p,i.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(e,i)}}}function k(e,t,i){if(r(i)&&n(e.parent))e.parent.data.pendingInsert=t;else for(var a=0;a-1,o.selected!==a&&(o.selected=a);else if(E(Qi(o),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function Yi(e,t){return t.every(function(t){return!E(t,e)})}function Qi(e){return"_value"in e?e._value:e.value}function ea(e){e.target.composing=!0}function ta(e){e.target.composing&&(e.target.composing=!1,na(e.target,"input"))}function na(e,t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function ra(e){return!e.componentInstance||e.data&&e.data.transition?e:ra(e.componentInstance._vnode)}var ia={model:Zi,show:{bind:function(e,t,n){var r=t.value,i=(n=ra(n)).data&&n.data.transition,a=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,zi(n,function(){e.style.display=a})):e.style.display=r?a:"none"},update:function(e,t,n){var r=t.value;!r!=!t.oldValue&&((n=ra(n)).data&&n.data.transition?(n.data.show=!0,r?zi(n,function(){e.style.display=e.__vOriginalDisplay}):Vi(n,function(){e.style.display="none"})):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e,t,n,r,i){i||(e.style.display=e.__vOriginalDisplay)}}},aa={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function oa(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?oa(zt(t.children)):e}function sa(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var a in i)t[b(a)]=i[a];return t}function ca(e,t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var ua=function(e){return e.tag||Ut(e)},la=function(e){return"show"===e.name},fa={name:"transition",props:aa,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(ua)).length){var r=this.mode,a=n[0];if(function(e){for(;e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return a;var o=oa(a);if(!o)return a;if(this._leaving)return ca(e,a);var s="__transition-"+this._uid+"-";o.key=null==o.key?o.isComment?s+"comment":s+o.tag:i(o.key)?0===String(o.key).indexOf(s)?o.key:s+o.key:o.key;var c=(o.data||(o.data={})).transition=sa(this),u=this._vnode,l=oa(u);if(o.data.directives&&o.data.directives.some(la)&&(o.data.show=!0),l&&l.data&&!function(e,t){return t.key===e.key&&t.tag===e.tag}(o,l)&&!Ut(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,rt(f,"afterLeave",function(){t._leaving=!1,t.$forceUpdate()}),ca(e,a);if("in-out"===r){if(Ut(o))return u;var p,d=function(){p()};rt(c,"afterEnter",d),rt(c,"enterCancelled",d),rt(f,"delayLeave",function(e){p=e})}}return a}}},pa=A({tag:String,moveClass:String},aa);function da(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function va(e){e.data.newPos=e.elm.getBoundingClientRect()}function ha(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var a=e.elm.style;a.transform=a.WebkitTransform="translate("+r+"px,"+i+"px)",a.transitionDuration="0s"}}delete pa.mode;var ma={Transition:fa,TransitionGroup:{props:pa,beforeMount:function(){var e=this,t=this._update;this._update=function(n,r){var i=Zt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],a=this.children=[],o=sa(this),s=0;s-1?Gn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Gn[e]=/HTMLUnknownElement/.test(t.toString())},A(wn.options.directives,ia),A(wn.options.components,ma),wn.prototype.__patch__=z?qi:S,wn.prototype.__call_hook=function(e,t){var n=this;ue();var r,i=n.$options[e],a=e+" hook";if(i)for(var o=0,s=i.length;o\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Sa=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Ta="[a-zA-Z_][\\-\\.0-9_a-zA-Z"+F.source+"]*",ja="((?:"+Ta+"\\:)?"+Ta+")",Ea=new RegExp("^<"+ja),Na=/^\s*(\/?)>/,Da=new RegExp("^<\\/"+ja+"[^>]*>"),Ma=/^]+>/i,La=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Ha=/&(?:lt|gt|quot|amp|#39);/g,Ba=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,Ua=p("pre,textarea",!0),za=function(e,t){return e&&Ua(e)&&"\n"===t[0]};function Va(e,t){var n=t?Ba:Ha;return e.replace(n,function(e){return Ra[e]})}var Ka,Ja,Wa,qa,Za,Ga,Xa,Ya,Qa=/^@|^v-on:/,eo=/^v-|^@|^:|^#/,to=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,no=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,ro=/^\(|\)$/g,io=/^\[.*\]$/,ao=/:(.*)$/,oo=/^:|^\.|^v-bind:/,so=/\.[^.\]]+(?=[^\]]*$)/g,co=/^v-slot(:|$)|^#/,uo=/[\r\n]/,lo=/\s+/g,fo=g(xa),po="_empty_";function vo(e,t,n){return{type:1,tag:e,attrsList:t,attrsMap:$o(t),rawAttrsMap:{},parent:n,children:[]}}function ho(e,t){Ka=t.warn||jr,Ga=t.isPreTag||T,Xa=t.mustUseProp||T,Ya=t.getTagNamespace||T;t.isReservedTag;Wa=Er(t.modules,"transformNode"),qa=Er(t.modules,"preTransformNode"),Za=Er(t.modules,"postTransformNode"),Ja=t.delimiters;var n,r,i=[],a=!1!==t.preserveWhitespace,o=t.whitespace,s=!1,c=!1;function u(e){if(l(e),s||e.processed||(e=mo(e,t)),i.length||e===n||n.if&&(e.elseif||e.else)&&go(n,{exp:e.elseif,block:e}),r&&!e.forbidden)if(e.elseif||e.else)o=e,(u=function(e){var t=e.length;for(;t--;){if(1===e[t].type)return e[t];e.pop()}}(r.children))&&u.if&&go(u,{exp:o.elseif,block:o});else{if(e.slotScope){var a=e.slotTarget||'"default"';(r.scopedSlots||(r.scopedSlots={}))[a]=e}r.children.push(e),e.parent=r}var o,u;e.children=e.children.filter(function(e){return!e.slotScope}),l(e),e.pre&&(s=!1),Ga(e.tag)&&(c=!1);for(var f=0;f]*>)","i")),p=e.replace(f,function(e,n,r){return u=r.length,Ia(l)||"noscript"===l||(n=n.replace(//g,"$1").replace(//g,"$1")),za(l,n)&&(n=n.slice(1)),t.chars&&t.chars(n),""});c+=e.length-p.length,e=p,A(l,c-u,c)}else{var d=e.indexOf("<");if(0===d){if(La.test(e)){var v=e.indexOf("--\x3e");if(v>=0){t.shouldKeepComment&&t.comment(e.substring(4,v),c,c+v+3),x(v+3);continue}}if(Pa.test(e)){var h=e.indexOf("]>");if(h>=0){x(h+2);continue}}var m=e.match(Ma);if(m){x(m[0].length);continue}var y=e.match(Da);if(y){var g=c;x(y[0].length),A(y[1],g,c);continue}var _=C();if(_){k(_),za(_.tagName,e)&&x(1);continue}}var b=void 0,$=void 0,w=void 0;if(d>=0){for($=e.slice(d);!(Da.test($)||Ea.test($)||La.test($)||Pa.test($)||(w=$.indexOf("<",1))<0);)d+=w,$=e.slice(d);b=e.substring(0,d)}d<0&&(b=e),b&&x(b.length),t.chars&&b&&t.chars(b,c-b.length,c)}if(e===n){t.chars&&t.chars(e);break}}function x(t){c+=t,e=e.substring(t)}function C(){var t=e.match(Ea);if(t){var n,r,i={tagName:t[1],attrs:[],start:c};for(x(t[0].length);!(n=e.match(Na))&&(r=e.match(Sa)||e.match(Oa));)r.start=c,x(r[0].length),r.end=c,i.attrs.push(r);if(n)return i.unarySlash=n[1],x(n[0].length),i.end=c,i}}function k(e){var n=e.tagName,c=e.unarySlash;a&&("p"===r&&Aa(n)&&A(r),s(n)&&r===n&&A(n));for(var u=o(n)||!!c,l=e.attrs.length,f=new Array(l),p=0;p=0&&i[o].lowerCasedTag!==s;o--);else o=0;if(o>=0){for(var u=i.length-1;u>=o;u--)t.end&&t.end(i[u].tag,n,a);i.length=o,r=o&&i[o-1].tag}else"br"===s?t.start&&t.start(e,[],!0,n,a):"p"===s&&(t.start&&t.start(e,[],!1,n,a),t.end&&t.end(e,n,a))}A()}(e,{warn:Ka,expectHTML:t.expectHTML,isUnaryTag:t.isUnaryTag,canBeLeftOpenTag:t.canBeLeftOpenTag,shouldDecodeNewlines:t.shouldDecodeNewlines,shouldDecodeNewlinesForHref:t.shouldDecodeNewlinesForHref,shouldKeepComment:t.comments,outputSourceRange:t.outputSourceRange,start:function(e,a,o,l,f){var p=r&&r.ns||Ya(e);W&&"svg"===p&&(a=function(e){for(var t=[],n=0;nc&&(s.push(a=e.slice(c,i)),o.push(JSON.stringify(a)));var u=Sr(r[1].trim());o.push("_s("+u+")"),s.push({"@binding":u}),c=i+r[0].length}return c=0;n--){var r=t[n].name;if(0===r.indexOf(":change:")||0===r.indexOf("v-bind:change:")){var i=r.split(":"),a=i[i.length-1],o=e.attrsMap[":"+a]||e.attrsMap["v-bind:"+a];o&&((e.wxsPropBindings||(e.wxsPropBindings={}))["change:"+a]=o)}}},genData:function(e){var t="";return e.wxsPropBindings&&(t+="wxsProps:"+JSON.stringify(e.wxsPropBindings)+","),t}},ba,wa,{preTransformNode:function(e,t){if("input"===e.tag){var n,r=e.attrsMap;if(!r["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;if((r[":type"]||r["v-bind:type"])&&(n=Fr(e,"type")),r.type||n||!r["v-bind"]||(n="("+r["v-bind"]+").type"),n){var i=Rr(e,"v-if",!0),a=i?"&&("+i+")":"",o=null!=Rr(e,"v-else",!0),s=Rr(e,"v-else-if",!0),c=Co(e);yo(c),Mr(c,"type","checkbox"),mo(c,t),c.processed=!0,c.if="("+n+")==='checkbox'"+a,go(c,{exp:c.if,block:c});var u=Co(e);Rr(u,"v-for",!0),Mr(u,"type","radio"),mo(u,t),go(c,{exp:"("+n+")==='radio'"+a,block:u});var l=Co(e);return Rr(l,"v-for",!0),Mr(l,":type",n),mo(l,t),go(c,{exp:i,block:l}),o?c.else=!0:s&&(c.elseif=s),c}}}}];var Ao,Oo,So={expectHTML:!0,modules:ko,directives:{model:function(e,t,n){var r=t.value,i=t.modifiers,a=e.tag,o=e.attrsMap.type;if(e.component)return Ur(e,r,i),!1;if("select"===a)!function(e,t,n){var r='var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;return '+(n&&n.number?"_n(val)":"val")+"});";r=r+" "+zr(t,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]"),Ir(e,"change",r,null,!0)}(e,r,i);else if("input"===a&&"checkbox"===o)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null",a=Fr(e,"true-value")||"true",o=Fr(e,"false-value")||"false";Nr(e,"checked","Array.isArray("+t+")?_i("+t+","+i+")>-1"+("true"===a?":("+t+")":":_q("+t+","+a+")")),Ir(e,"change","var $$a="+t+",$$el=$event.target,$$c=$$el.checked?("+a+"):("+o+");if(Array.isArray($$a)){var $$v="+(r?"_n("+i+")":i)+",$$i=_i($$a,$$v);if($$el.checked){$$i<0&&("+zr(t,"$$a.concat([$$v])")+")}else{$$i>-1&&("+zr(t,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")+")}}else{"+zr(t,"$$c")+"}",null,!0)}(e,r,i);else if("input"===a&&"radio"===o)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null";Nr(e,"checked","_q("+t+","+(i=r?"_n("+i+")":i)+")"),Ir(e,"change",zr(t,i),null,!0)}(e,r,i);else if("input"===a||"textarea"===a)!function(e,t,n){var r=e.attrsMap.type,i=n||{},a=i.lazy,o=i.number,s=i.trim,c=!a&&"range"!==r,u=a?"change":"range"===r?Gr:"input",l="$event.target.value";s&&(l="$event.target.value.trim()"),o&&(l="_n("+l+")");var f=zr(t,l);c&&(f="if($event.target.composing)return;"+f),Nr(e,"value","("+t+")"),Ir(e,u,f,null,!0),(s||o)&&Ir(e,"blur","$forceUpdate()")}(e,r,i);else if(!I.isReservedTag(a))return Ur(e,r,i),!1;return!0},text:function(e,t){t.value&&Nr(e,"textContent","_s("+t.value+")",t)},html:function(e,t){t.value&&Nr(e,"innerHTML","_s("+t.value+")",t)}},isPreTag:function(e){return"pre"===e},isUnaryTag:Ca,mustUseProp:Nn,canBeLeftOpenTag:ka,isReservedTag:qn,getTagNamespace:Zn,staticKeys:function(e){return e.reduce(function(e,t){return e.concat(t.staticKeys||[])},[]).join(",")}(ko)},To=g(function(e){return p("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(e?","+e:""))});function jo(e,t){e&&(Ao=To(t.staticKeys||""),Oo=t.isReservedTag||T,function e(t){t.static=function(e){if(2===e.type)return!1;if(3===e.type)return!0;return!(!e.pre&&(e.hasBindings||e.if||e.for||d(e.tag)||!Oo(e.tag)||function(e){for(;e.parent;){if("template"!==(e=e.parent).tag)return!1;if(e.for)return!0}return!1}(e)||!Object.keys(e).every(Ao)))}(t);if(1===t.type){if(!Oo(t.tag)&&"slot"!==t.tag&&null==t.attrsMap["inline-template"])return;for(var n=0,r=t.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,No=/\([^)]*?\);*$/,Do=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Mo={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},Lo={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},Po=function(e){return"if("+e+")return null;"},Io={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:Po("$event.target !== $event.currentTarget"),ctrl:Po("!$event.ctrlKey"),shift:Po("!$event.shiftKey"),alt:Po("!$event.altKey"),meta:Po("!$event.metaKey"),left:Po("'button' in $event && $event.button !== 0"),middle:Po("'button' in $event && $event.button !== 1"),right:Po("'button' in $event && $event.button !== 2")};function Fo(e,t){var n=t?"nativeOn:":"on:",r="",i="";for(var a in e){var o=Ro(e[a]);e[a]&&e[a].dynamic?i+=a+","+o+",":r+='"'+a+'":'+o+","}return r="{"+r.slice(0,-1)+"}",i?n+"_d("+r+",["+i.slice(0,-1)+"])":n+r}function Ro(e){if(!e)return"function(){}";if(Array.isArray(e))return"["+e.map(function(e){return Ro(e)}).join(",")+"]";var t=Do.test(e.value),n=Eo.test(e.value),r=Do.test(e.value.replace(No,""));if(e.modifiers){var i="",a="",o=[];for(var s in e.modifiers)if(Io[s])a+=Io[s],Mo[s]&&o.push(s);else if("exact"===s){var c=e.modifiers;a+=Po(["ctrl","shift","alt","meta"].filter(function(e){return!c[e]}).map(function(e){return"$event."+e+"Key"}).join("||"))}else o.push(s);return o.length&&(i+=function(e){return"if(!$event.type.indexOf('key')&&"+e.map(Ho).join("&&")+")return null;"}(o)),a&&(i+=a),"function($event){"+i+(t?"return "+e.value+"($event)":n?"return ("+e.value+")($event)":r?"return "+e.value:e.value)+"}"}return t||n?e.value:"function($event){"+(r?"return "+e.value:e.value)+"}"}function Ho(e){var t=parseInt(e,10);if(t)return"$event.keyCode!=="+t;var n=Mo[e],r=Lo[e];return"_k($event.keyCode,"+JSON.stringify(e)+","+JSON.stringify(n)+",$event.key,"+JSON.stringify(r)+")"}var Bo={on:function(e,t){e.wrapListeners=function(e){return"_g("+e+","+t.value+")"}},bind:function(e,t){e.wrapData=function(n){return"_b("+n+",'"+e.tag+"',"+t.value+","+(t.modifiers&&t.modifiers.prop?"true":"false")+(t.modifiers&&t.modifiers.sync?",true":"")+")"}},cloak:S},Uo=function(e){this.options=e,this.warn=e.warn||jr,this.transforms=Er(e.modules,"transformCode"),this.dataGenFns=Er(e.modules,"genData"),this.directives=A(A({},Bo),e.directives);var t=e.isReservedTag||T;this.maybeComponent=function(e){return!!e.component||!t(e.tag)},this.onceId=0,this.staticRenderFns=[],this.pre=!1};function zo(e,t){var n=new Uo(t);return{render:"with(this){return "+(e?Vo(e,n):'_c("div")')+"}",staticRenderFns:n.staticRenderFns}}function Vo(e,t){if(e.parent&&(e.pre=e.pre||e.parent.pre),e.staticRoot&&!e.staticProcessed)return Ko(e,t);if(e.once&&!e.onceProcessed)return Jo(e,t);if(e.for&&!e.forProcessed)return qo(e,t);if(e.if&&!e.ifProcessed)return Wo(e,t);if("template"!==e.tag||e.slotTarget||t.pre){if("slot"===e.tag)return function(e,t){var n=e.slotName||'"default"',r=Yo(e,t),i="_t("+n+(r?","+r:""),a=e.attrs||e.dynamicAttrs?ts((e.attrs||[]).concat(e.dynamicAttrs||[]).map(function(e){return{name:b(e.name),value:e.value,dynamic:e.dynamic}})):null,o=e.attrsMap["v-bind"];!a&&!o||r||(i+=",null");a&&(i+=","+a);o&&(i+=(a?"":",null")+","+o);return i+")"}(e,t);var n;if(e.component)n=function(e,t,n){var r=t.inlineTemplate?null:Yo(t,n,!0);return"_c("+e+","+Zo(t,n)+(r?","+r:"")+")"}(e.component,e,t);else{var r;(!e.plain||e.pre&&t.maybeComponent(e))&&(r=Zo(e,t));var i=e.inlineTemplate?null:Yo(e,t,!0);n="_c('"+e.tag+"'"+(r?","+r:"")+(i?","+i:"")+")"}for(var a=0;a>>0}(o):"")+")"}(e,e.scopedSlots,t)+","),e.model&&(n+="model:{value:"+e.model.value+",callback:"+e.model.callback+",expression:"+e.model.expression+"},"),e.inlineTemplate){var a=function(e,t){var n=e.children[0];if(n&&1===n.type){var r=zo(n,t.options);return"inlineTemplate:{render:function(){"+r.render+"},staticRenderFns:["+r.staticRenderFns.map(function(e){return"function(){"+e+"}"}).join(",")+"]}"}}(e,t);a&&(n+=a+",")}return n=n.replace(/,$/,"")+"}",e.dynamicAttrs&&(n="_b("+n+',"'+e.tag+'",'+ts(e.dynamicAttrs)+")"),e.wrapData&&(n=e.wrapData(n)),e.wrapListeners&&(n=e.wrapListeners(n)),n}function Go(e){return 1===e.type&&("slot"===e.tag||e.children.some(Go))}function Xo(e,t){var n=e.attrsMap["slot-scope"];if(e.if&&!e.ifProcessed&&!n)return Wo(e,t,Xo,"null");if(e.for&&!e.forProcessed)return qo(e,t,Xo);var r=e.slotScope===po?"":String(e.slotScope),i="function("+r+"){return "+("template"===e.tag?e.if&&n?"("+e.if+")?"+(Yo(e,t)||"undefined")+":undefined":Yo(e,t)||"undefined":Vo(e,t))+"}",a=r?"":",proxy:true";return"{key:"+(e.slotTarget||'"default"')+",fn:"+i+a+"}"}function Yo(e,t,n,r,i){var a=e.children;if(a.length){var o=a[0];if(1===a.length&&o.for&&"template"!==o.tag&&"slot"!==o.tag){var s=n?t.maybeComponent(o)?",1":",0":"";return""+(r||Vo)(o,t)+s}var c=n?function(e,t){for(var n=0,r=0;r':'
',os.innerHTML.indexOf(" ")>0}var ls=!!z&&us(!1),fs=!!z&&us(!0),ps=g(function(e){var t=Yn(e);return t&&t.innerHTML}),ds=wn.prototype.$mount;wn.prototype.$mount=function(e,t){if((e=e&&Yn(e))===document.body||e===document.documentElement)return this;var n=this.$options;if(!n.render){var r=n.template;if(r)if("string"==typeof r)"#"===r.charAt(0)&&(r=ps(r));else{if(!r.nodeType)return this;r=r.innerHTML}else e&&(r=function(e){if(e.outerHTML)return e.outerHTML;var t=document.createElement("div");return t.appendChild(e.cloneNode(!0)),t.innerHTML}(e));if(r){var i=cs(r,{outputSourceRange:!1,shouldDecodeNewlines:ls,shouldDecodeNewlinesForHref:fs,delimiters:n.delimiters,comments:n.comments},this),a=i.render,o=i.staticRenderFns;n.render=a,n.staticRenderFns=o}}return ds.call(this,e,t)},wn.compile=cs,module.exports=wn; \ No newline at end of file +"use strict";var e=Object.freeze({});function t(e){return null==e}function n(e){return null!=e}function r(e){return!0===e}function i(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function a(e){return null!==e&&"object"==typeof e}var o=Object.prototype.toString;function s(e){return"[object Object]"===o.call(e)}function c(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function u(e){return n(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function l(e){return null==e?"":Array.isArray(e)||s(e)&&e.toString===o?JSON.stringify(e,null,2):String(e)}function f(e){var t=parseFloat(e);return isNaN(t)?e:t}function p(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var m=Object.prototype.hasOwnProperty;function y(e,t){return m.call(e,t)}function g(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var _=/-(\w)/g,b=g(function(e){return e.replace(_,function(e,t){return t?t.toUpperCase():""})}),$=g(function(e){return e.charAt(0).toUpperCase()+e.slice(1)}),w=/\B([A-Z])/g,x=g(function(e){return e.replace(w,"-$1").toLowerCase()});var C=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function k(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function A(e,t){for(var n in t)e[n]=t[n];return e}function O(e){for(var t={},n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch,Q=!1;if(z)try{var ee={};Object.defineProperty(ee,"passive",{get:function(){Q=!0}}),window.addEventListener("test-passive",null,ee)}catch(e){}var te=function(){return void 0===B&&(B=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),B},ne=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function re(e){return"function"==typeof e&&/native code/.test(e.toString())}var ie,ae="undefined"!=typeof Symbol&&re(Symbol)&&"undefined"!=typeof Reflect&&re(Reflect.ownKeys);ie="undefined"!=typeof Set&&re(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var oe=S,se=0,ce=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=se++,this.subs=[]};function ue(e){ce.SharedObject.targetStack.push(e),ce.SharedObject.target=e}function le(){ce.SharedObject.targetStack.pop(),ce.SharedObject.target=ce.SharedObject.targetStack[ce.SharedObject.targetStack.length-1]}ce.prototype.addSub=function(e){this.subs.push(e)},ce.prototype.removeSub=function(e){h(this.subs,e)},ce.prototype.depend=function(){ce.SharedObject.target&&ce.SharedObject.target.addDep(this)},ce.prototype.notify=function(){for(var e=this.subs.slice(),t=0,n=e.length;t-1)if(a&&!y(i,"default"))o=!1;else if(""===o||o===x(e)){var c=Ie(String,i.type);(c<0||s0&&(st((u=e(u,(o||"")+"_"+c))[0])&&st(f)&&(s[l]=ve(f.text+u[0].text),u.shift()),s.push.apply(s,u)):i(u)?st(f)?s[l]=ve(f.text+u):""!==u&&s.push(ve(u)):st(u)&&st(f)?s[l]=ve(f.text+u.text):(r(a._isVList)&&n(u.tag)&&t(u.key)&&n(o)&&(u.key="__vlist"+o+"_"+c+"__"),s.push(u)));return s}(e):void 0}function st(e){return n(e)&&n(e.text)&&!1===e.isComment}function ct(e,t){if(e){for(var n=Object.create(null),r=ae?Reflect.ownKeys(e):Object.keys(e),i=0;i0,o=t?!!t.$stable:!a,s=t&&t.$key;if(t){if(t._normalized)return t._normalized;if(o&&r&&r!==e&&s===r.$key&&!a&&!r.$hasNormal)return r;for(var c in i={},t)t[c]&&"$"!==c[0]&&(i[c]=pt(n,c,t[c]))}else i={};for(var u in n)u in i||(i[u]=dt(n,u));return t&&Object.isExtensible(t)&&(t._normalized=i),R(i,"$stable",o),R(i,"$key",s),R(i,"$hasNormal",a),i}function pt(e,t,n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:ot(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function dt(e,t){return function(){return e[t]}}function vt(e,t){var r,i,o,s,c;if(Array.isArray(e)||"string"==typeof e)for(r=new Array(e.length),i=0,o=e.length;idocument.createEvent("Event").timeStamp&&(sn=function(){return cn.now()})}function un(){var e,t;for(on=sn(),rn=!0,Qt.sort(function(e,t){return e.id-t.id}),an=0;anan&&Qt[n].id>e.id;)n--;Qt.splice(n+1,0,e)}else Qt.push(e);nn||(nn=!0,Xe(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||a(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Fe(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length;e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||h(this.vm._watchers,this);for(var e=this.deps.length;e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:S,set:S};function dn(e,t,n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e,t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&be(!1);var a=function(a){i.push(a);var o=Me(a,t,n,e);xe(r,a,o),a in e||dn(e,"_props",a)};for(var o in t)a(o);be(!0)}(e,t.props),t.methods&&function(e,t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?S:C(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;s(t=e._data="function"==typeof t?function(e,t){ue();try{return e.call(t,t)}catch(e){return Fe(e,t,"data()"),{}}finally{le()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(;i--;){var a=n[i];r&&y(r,a)||(o=void 0,36!==(o=(a+"").charCodeAt(0))&&95!==o&&dn(e,"_data",a))}var o;we(t,!0)}(e):we(e._data={},!0),t.computed&&function(e,t){var n=e._computedWatchers=Object.create(null),r=te();for(var i in t){var a=t[i],o="function"==typeof a?a:a.get;r||(n[i]=new fn(e,o||S,S,hn)),i in e||mn(e,i,a)}}(e,t.computed),t.watch&&t.watch!==Y&&function(e,t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0;i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:(n=e,"[object RegExp]"===o.call(n)&&e.test(t));var n}function An(e,t){var n=e.cache,r=e.keys,i=e._vnode;for(var a in n){var o=n[a];if(o){var s=Cn(o.componentOptions);s&&!t(s)&&On(n,a,r,i)}}}function On(e,t,n,r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,h(n,t)}!function(t){t.prototype._init=function(t){var n=this;n._uid=bn++,n._isVue=!0,t&&t._isComponent?function(e,t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(n,t):n.$options=Ne($n(n.constructor),t||{},n),n._renderProxy=n,n._self=n,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(n),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Wt(e,t)}(n),function(t){t._vnode=null,t._staticTrees=null;var n=t.$options,r=t.$vnode=n._parentVnode,i=r&&r.context;t.$slots=ut(n._renderChildren,i),t.$scopedSlots=e,t._c=function(e,n,r,i){return Ft(t,e,n,r,i,!1)},t.$createElement=function(e,n,r,i){return Ft(t,e,n,r,i,!0)};var a=r&&r.data;xe(t,"$attrs",a&&a.attrs||e,null,!0),xe(t,"$listeners",n._parentListeners||e,null,!0)}(n),Yt(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(e){var t=ct(e.$options.inject,e);t&&(be(!1),Object.keys(t).forEach(function(n){xe(e,n,t[n])}),be(!0))}(n),vn(n),"mp-toutiao"!==n.mpHost&&function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(n),"mp-toutiao"!==n.mpHost&&Yt(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(wn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Ce,e.prototype.$delete=ke,e.prototype.$watch=function(e,t,n){if(s(t))return _n(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Fe(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(wn),function(e){var t=/^hook:/;e.prototype.$on=function(e,n){var r=this;if(Array.isArray(e))for(var i=0,a=e.length;i1?k(t):t;for(var n=k(arguments,1),r='event handler for "'+e+'"',i=0,a=t.length;iparseInt(this.max)&&On(o,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return I}};Object.defineProperty(e,"config",t),e.util={warn:oe,extend:A,mergeOptions:Ne,defineReactive:xe},e.set=Ce,e.delete=ke,e.nextTick=Xe,e.observable=function(e){return we(e),e},e.options=Object.create(null),L.forEach(function(t){e.options[t+"s"]=Object.create(null)}),e.options._base=e,A(e.options.components,Tn),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=k(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Ne(this.options,e),this}}(e),xn(e),function(e){L.forEach(function(t){e[t]=function(e,n){return n?("component"===t&&s(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}})}(e)}(wn),Object.defineProperty(wn.prototype,"$isServer",{get:te}),Object.defineProperty(wn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(wn,"FunctionalRenderContext",{value:Tt}),wn.version="2.6.11";var jn=p("style,class"),En=p("input,textarea,option,select,progress"),Nn=function(e,t,n){return"value"===n&&En(e)&&"button"!==t||"selected"===n&&"option"===e||"checked"===n&&"input"===e||"muted"===n&&"video"===e},Dn=p("contenteditable,draggable,spellcheck"),Mn=p("events,caret,typing,plaintext-only"),Ln=function(e,t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Mn(t)?t:"true"},Pn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),In="http://www.w3.org/1999/xlink",Fn=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Rn=function(e){return Fn(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Bn(e){for(var t=e.data,r=e,i=e;n(i.componentInstance);)(i=i.componentInstance._vnode)&&i.data&&(t=Un(i.data,t));for(;n(r=r.parent);)r&&r.data&&(t=Un(t,r.data));return function(e,t){if(n(e)||n(t))return zn(e,Vn(t));return""}(t.staticClass,t.class)}function Un(e,t){return{staticClass:zn(e.staticClass,t.staticClass),class:n(e.class)?[e.class,t.class]:t.class}}function zn(e,t){return e?t?e+" "+t:e:t||""}function Vn(e){return Array.isArray(e)?function(e){for(var t,r="",i=0,a=e.length;i-1?yr(e,t,n):Pn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Dn(t)?e.setAttribute(t,Ln(t,n)):Fn(t)?Hn(n)?e.removeAttributeNS(In,Rn(t)):e.setAttributeNS(In,t,n):yr(e,t,n)}function yr(e,t,n){if(Hn(n))e.removeAttribute(t);else{if(W&&!q&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var gr={create:hr,update:hr};function _r(e,r){var i=r.elm,a=r.data,o=e.data;if(!(t(a.staticClass)&&t(a.class)&&(t(o)||t(o.staticClass)&&t(o.class))&&t(i.__wxsAddClass)&&t(i.__wxsRemoveClass))){var s=Bn(r),c=i._transitionClasses;if(n(c)&&(s=zn(s,Vn(c))),Array.isArray(i.__wxsRemoveClass)&&i.__wxsRemoveClass.length){var u=s.split(/\s+/);i.__wxsRemoveClass.forEach(function(e){var t=u.findIndex(function(t){return t===e});-1!==t&&u.splice(t,1)}),s=u.join(" "),i.__wxsRemoveClass.length=0}if(i.__wxsAddClass){var l=s.split(/\s+/).concat(i.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(e){e&&(f[e]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(e){var t=p[b(e)];t&&(s=s.replace(e,t))}),s!==i._prevClass&&(i.setAttribute("class",s),i._prevClass=s)}}var br,$r,wr,xr,Cr,kr,Ar={create:_r,update:_r},Or=/[\w).+\-_$\]]/;function Sr(e){var t,n,r,i,a,o=!1,s=!1,c=!1,u=!1,l=0,f=0,p=0,d=0;for(r=0;r=0&&" "===(h=e.charAt(v));v--);h&&Or.test(h)||(u=!0)}}else void 0===i?(d=r+1,i=e.slice(0,r).trim()):m();function m(){(a||(a=[])).push(e.slice(d,r).trim()),d=r+1}if(void 0===i?i=e.slice(0,r).trim():0!==d&&m(),a)for(r=0;r-1?{exp:e.slice(0,xr),key:'"'+e.slice(xr+1)+'"'}:{exp:e,key:null};$r=e,xr=Cr=kr=0;for(;!Kr();)Jr(wr=Vr())?qr(wr):91===wr&&Wr(wr);return{exp:e.slice(0,Cr),key:e.slice(Cr+1,kr)}}(e);return null===n.key?e+"="+t:"$set("+n.exp+", "+n.key+", "+t+")"}function Vr(){return $r.charCodeAt(++xr)}function Kr(){return xr>=br}function Jr(e){return 34===e||39===e}function Wr(e){var t=1;for(Cr=xr;!Kr();)if(Jr(e=Vr()))qr(e);else if(91===e&&t++,93===e&&t--,0===t){kr=xr;break}}function qr(e){for(var t=e;!Kr()&&(e=Vr())!==t;);}var Zr,Gr="__r",Xr="__c";function Yr(e,t,n){var r=Zr;return function i(){null!==t.apply(null,arguments)&&ti(e,i,n,r)}}var Qr=ze&&!(X&&Number(X[1])<=53);function ei(e,t,n,r){if(Qr){var i=on,a=t;t=a._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return a.apply(this,arguments)}}Zr.addEventListener(e,t,Q?{capture:n,passive:r}:n)}function ti(e,t,n,r){(r||Zr).removeEventListener(e,t._wrapper||t,n)}function ni(e,r){if(!t(e.data.on)||!t(r.data.on)){var i=r.data.on||{},a=e.data.on||{};Zr=r.elm,function(e){if(n(e[Gr])){var t=W?"change":"input";e[t]=[].concat(e[Gr],e[t]||[]),delete e[Gr]}n(e[Xr])&&(e.change=[].concat(e[Xr],e.change||[]),delete e[Xr])}(i),nt(i,a,ei,ti,Yr,r.context),Zr=void 0}}var ri,ii={create:ni,update:ni};function ai(e,r){if(!t(e.data.domProps)||!t(r.data.domProps)){var i,a,o=r.elm,s=e.data.domProps||{},c=r.data.domProps||{};for(i in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)i in c||(o[i]="");for(i in c){if(a=c[i],"textContent"===i||"innerHTML"===i){if(r.children&&(r.children.length=0),a===s[i])continue;1===o.childNodes.length&&o.removeChild(o.childNodes[0])}if("value"===i&&"PROGRESS"!==o.tagName){o._value=a;var u=t(a)?"":String(a);oi(o,u)&&(o.value=u)}else if("innerHTML"===i&&Wn(o.tagName)&&t(o.innerHTML)){(ri=ri||document.createElement("div")).innerHTML=""+a+"";for(var l=ri.firstChild;o.firstChild;)o.removeChild(o.firstChild);for(;l.firstChild;)o.appendChild(l.firstChild)}else if(a!==s[i])try{o[i]=a}catch(e){}}}}function oi(e,t){return!e.composing&&("OPTION"===e.tagName||function(e,t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e,t){var r=e.value,i=e._vModifiers;if(n(i)){if(i.number)return f(r)!==f(t);if(i.trim)return r.trim()!==t.trim()}return r!==t}(e,t))}var si={create:ai,update:ai},ci=g(function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach(function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t});function ui(e){var t=li(e.style);return e.staticStyle?A(e.staticStyle,t):t}function li(e){return Array.isArray(e)?O(e):"string"==typeof e?ci(e):e}var fi,pi=/^--/,di=/\s*!important$/,vi=/([+-]?\d+(\.\d+)?)[r|u]px/g,hi=function(e){return"string"==typeof e?e.replace(vi,function(e,t){return uni.upx2px(t)+"px"}):e},mi=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,yi=function(e,t,n,r){if(r&&r._$getRealPath&&n&&(n=function(e,t){if("string"==typeof e&&-1!==e.indexOf("url(")){var n=e.match(mi);n&&3===n.length&&(e=e.replace(n[1],t._$getRealPath(n[1])))}return e}(n,r)),pi.test(t))e.style.setProperty(t,n);else if(di.test(n))e.style.setProperty(x(t),n.replace(di,""),"important");else{var i=_i(t);if(Array.isArray(n))for(var a=0,o=n.length;a-1?t.split(wi).forEach(function(t){return e.classList.add(t)}):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Ci(e,t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(wi).forEach(function(t){return e.classList.remove(t)}):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function ki(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&A(t,Ai(e.name||"v")),A(t,e),t}return"string"==typeof e?Ai(e):void 0}}var Ai=g(function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}}),Oi=z&&!q,Si="transition",Ti="animation",ji="transition",Ei="transitionend",Ni="animation",Di="animationend";Oi&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(ji="WebkitTransition",Ei="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Ni="WebkitAnimation",Di="webkitAnimationEnd"));var Mi=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Li(e){Mi(function(){Mi(e)})}function Pi(e,t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),xi(e,t))}function Ii(e,t){e._transitionClasses&&h(e._transitionClasses,t),Ci(e,t)}function Fi(e,t,n){var r=Hi(e,t),i=r.type,a=r.timeout,o=r.propCount;if(!i)return n();var s=i===Si?Ei:Di,c=0,u=function(){e.removeEventListener(s,l),n()},l=function(t){t.target===e&&++c>=o&&u()};setTimeout(function(){c0&&(n=Si,l=o,f=a.length):t===Ti?u>0&&(n=Ti,l=u,f=c.length):f=(n=(l=Math.max(o,u))>0?o>u?Si:Ti:null)?n===Si?a.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Si&&Ri.test(r[ji+"Property"])}}function Bi(e,t){for(;e.length1}function Wi(e,t){!0!==t.data.show&&zi(t)}var qi=function(e){var a,o,s={},c=e.modules,u=e.nodeOps;for(a=0;av?_(e,t(i[y+1])?null:i[y+1].elm,i,d,y,a):d>y&&$(r,p,v)}(p,h,y,a,l):n(y)?(n(e.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,a)):n(h)?$(h,0,h.length-1):n(e.text)&&u.setTextContent(p,""):e.text!==i.text&&u.setTextContent(p,i.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(e,i)}}}function k(e,t,i){if(r(i)&&n(e.parent))e.parent.data.pendingInsert=t;else for(var a=0;a-1,o.selected!==a&&(o.selected=a);else if(E(Qi(o),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function Yi(e,t){return t.every(function(t){return!E(t,e)})}function Qi(e){return"_value"in e?e._value:e.value}function ea(e){e.target.composing=!0}function ta(e){e.target.composing&&(e.target.composing=!1,na(e.target,"input"))}function na(e,t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function ra(e){return!e.componentInstance||e.data&&e.data.transition?e:ra(e.componentInstance._vnode)}var ia={model:Zi,show:{bind:function(e,t,n){var r=t.value,i=(n=ra(n)).data&&n.data.transition,a=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,zi(n,function(){e.style.display=a})):e.style.display=r?a:"none"},update:function(e,t,n){var r=t.value;!r!=!t.oldValue&&((n=ra(n)).data&&n.data.transition?(n.data.show=!0,r?zi(n,function(){e.style.display=e.__vOriginalDisplay}):Vi(n,function(){e.style.display="none"})):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e,t,n,r,i){i||(e.style.display=e.__vOriginalDisplay)}}},aa={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function oa(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?oa(zt(t.children)):e}function sa(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var a in i)t[b(a)]=i[a];return t}function ca(e,t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var ua=function(e){return e.tag||Ut(e)},la=function(e){return"show"===e.name},fa={name:"transition",props:aa,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(ua)).length){var r=this.mode,a=n[0];if(function(e){for(;e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return a;var o=oa(a);if(!o)return a;if(this._leaving)return ca(e,a);var s="__transition-"+this._uid+"-";o.key=null==o.key?o.isComment?s+"comment":s+o.tag:i(o.key)?0===String(o.key).indexOf(s)?o.key:s+o.key:o.key;var c=(o.data||(o.data={})).transition=sa(this),u=this._vnode,l=oa(u);if(o.data.directives&&o.data.directives.some(la)&&(o.data.show=!0),l&&l.data&&!function(e,t){return t.key===e.key&&t.tag===e.tag}(o,l)&&!Ut(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,rt(f,"afterLeave",function(){t._leaving=!1,t.$forceUpdate()}),ca(e,a);if("in-out"===r){if(Ut(o))return u;var p,d=function(){p()};rt(c,"afterEnter",d),rt(c,"enterCancelled",d),rt(f,"delayLeave",function(e){p=e})}}return a}}},pa=A({tag:String,moveClass:String},aa);function da(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function va(e){e.data.newPos=e.elm.getBoundingClientRect()}function ha(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var a=e.elm.style;a.transform=a.WebkitTransform="translate("+r+"px,"+i+"px)",a.transitionDuration="0s"}}delete pa.mode;var ma={Transition:fa,TransitionGroup:{props:pa,beforeMount:function(){var e=this,t=this._update;this._update=function(n,r){var i=Zt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],a=this.children=[],o=sa(this),s=0;s-1?Gn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Gn[e]=/HTMLUnknownElement/.test(t.toString())},A(wn.options.directives,ia),A(wn.options.components,ma),wn.prototype.__patch__=z?qi:S,wn.prototype.__call_hook=function(e,t){var n=this;ue();var r,i=n.$options[e],a=e+" hook";if(i)for(var o=0,s=i.length;o\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Sa=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Ta="[a-zA-Z_][\\-\\.0-9_a-zA-Z"+F.source+"]*",ja="((?:"+Ta+"\\:)?"+Ta+")",Ea=new RegExp("^<"+ja),Na=/^\s*(\/?)>/,Da=new RegExp("^<\\/"+ja+"[^>]*>"),Ma=/^]+>/i,La=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Ha=/&(?:lt|gt|quot|amp|#39);/g,Ba=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,Ua=p("pre,textarea",!0),za=function(e,t){return e&&Ua(e)&&"\n"===t[0]};function Va(e,t){var n=t?Ba:Ha;return e.replace(n,function(e){return Ra[e]})}var Ka,Ja,Wa,qa,Za,Ga,Xa,Ya,Qa=/^@|^v-on:/,eo=/^v-|^@|^:|^#/,to=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,no=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,ro=/^\(|\)$/g,io=/^\[.*\]$/,ao=/:(.*)$/,oo=/^:|^\.|^v-bind:/,so=/\.[^.\]]+(?=[^\]]*$)/g,co=/^v-slot(:|$)|^#/,uo=/[\r\n]/,lo=/\s+/g,fo=g(xa),po="_empty_";function vo(e,t,n){return{type:1,tag:e,attrsList:t,attrsMap:$o(t),rawAttrsMap:{},parent:n,children:[]}}function ho(e,t){Ka=t.warn||jr,Ga=t.isPreTag||T,Xa=t.mustUseProp||T,Ya=t.getTagNamespace||T;t.isReservedTag;Wa=Er(t.modules,"transformNode"),qa=Er(t.modules,"preTransformNode"),Za=Er(t.modules,"postTransformNode"),Ja=t.delimiters;var n,r,i=[],a=!1!==t.preserveWhitespace,o=t.whitespace,s=!1,c=!1;function u(e){if(l(e),s||e.processed||(e=mo(e,t)),i.length||e===n||n.if&&(e.elseif||e.else)&&go(n,{exp:e.elseif,block:e}),r&&!e.forbidden)if(e.elseif||e.else)o=e,(u=function(e){var t=e.length;for(;t--;){if(1===e[t].type)return e[t];e.pop()}}(r.children))&&u.if&&go(u,{exp:o.elseif,block:o});else{if(e.slotScope){var a=e.slotTarget||'"default"';(r.scopedSlots||(r.scopedSlots={}))[a]=e}r.children.push(e),e.parent=r}var o,u;e.children=e.children.filter(function(e){return!e.slotScope}),l(e),e.pre&&(s=!1),Ga(e.tag)&&(c=!1);for(var f=0;f]*>)","i")),p=e.replace(f,function(e,n,r){return u=r.length,Ia(l)||"noscript"===l||(n=n.replace(//g,"$1").replace(//g,"$1")),za(l,n)&&(n=n.slice(1)),t.chars&&t.chars(n),""});c+=e.length-p.length,e=p,A(l,c-u,c)}else{var d=e.indexOf("<");if(0===d){if(La.test(e)){var v=e.indexOf("--\x3e");if(v>=0){t.shouldKeepComment&&t.comment(e.substring(4,v),c,c+v+3),x(v+3);continue}}if(Pa.test(e)){var h=e.indexOf("]>");if(h>=0){x(h+2);continue}}var m=e.match(Ma);if(m){x(m[0].length);continue}var y=e.match(Da);if(y){var g=c;x(y[0].length),A(y[1],g,c);continue}var _=C();if(_){k(_),za(_.tagName,e)&&x(1);continue}}var b=void 0,$=void 0,w=void 0;if(d>=0){for($=e.slice(d);!(Da.test($)||Ea.test($)||La.test($)||Pa.test($)||(w=$.indexOf("<",1))<0);)d+=w,$=e.slice(d);b=e.substring(0,d)}d<0&&(b=e),b&&x(b.length),t.chars&&b&&t.chars(b,c-b.length,c)}if(e===n){t.chars&&t.chars(e);break}}function x(t){c+=t,e=e.substring(t)}function C(){var t=e.match(Ea);if(t){var n,r,i={tagName:t[1],attrs:[],start:c};for(x(t[0].length);!(n=e.match(Na))&&(r=e.match(Sa)||e.match(Oa));)r.start=c,x(r[0].length),r.end=c,i.attrs.push(r);if(n)return i.unarySlash=n[1],x(n[0].length),i.end=c,i}}function k(e){var n=e.tagName,c=e.unarySlash;a&&("p"===r&&Aa(n)&&A(r),s(n)&&r===n&&A(n));for(var u=o(n)||!!c,l=e.attrs.length,f=new Array(l),p=0;p=0&&i[o].lowerCasedTag!==s;o--);else o=0;if(o>=0){for(var u=i.length-1;u>=o;u--)t.end&&t.end(i[u].tag,n,a);i.length=o,r=o&&i[o-1].tag}else"br"===s?t.start&&t.start(e,[],!0,n,a):"p"===s&&(t.start&&t.start(e,[],!1,n,a),t.end&&t.end(e,n,a))}A()}(e,{warn:Ka,expectHTML:t.expectHTML,isUnaryTag:t.isUnaryTag,canBeLeftOpenTag:t.canBeLeftOpenTag,shouldDecodeNewlines:t.shouldDecodeNewlines,shouldDecodeNewlinesForHref:t.shouldDecodeNewlinesForHref,shouldKeepComment:t.comments,outputSourceRange:t.outputSourceRange,start:function(e,a,o,l,f){var p=r&&r.ns||Ya(e);W&&"svg"===p&&(a=function(e){for(var t=[],n=0;nc&&(s.push(a=e.slice(c,i)),o.push(JSON.stringify(a)));var u=Sr(r[1].trim());o.push("_s("+u+")"),s.push({"@binding":u}),c=i+r[0].length}return c=0;n--){var r=t[n].name;if(0===r.indexOf(":change:")||0===r.indexOf("v-bind:change:")){var i=r.split(":"),a=i[i.length-1],o=e.attrsMap[":"+a]||e.attrsMap["v-bind:"+a];o&&((e.wxsPropBindings||(e.wxsPropBindings={}))["change:"+a]=o)}}},genData:function(e){var t="";return e.wxsPropBindings&&(t+="wxsProps:"+JSON.stringify(e.wxsPropBindings)+","),t}},ba,wa,{preTransformNode:function(e,t){if("input"===e.tag){var n,r=e.attrsMap;if(!r["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;if((r[":type"]||r["v-bind:type"])&&(n=Fr(e,"type")),r.type||n||!r["v-bind"]||(n="("+r["v-bind"]+").type"),n){var i=Rr(e,"v-if",!0),a=i?"&&("+i+")":"",o=null!=Rr(e,"v-else",!0),s=Rr(e,"v-else-if",!0),c=Co(e);yo(c),Mr(c,"type","checkbox"),mo(c,t),c.processed=!0,c.if="("+n+")==='checkbox'"+a,go(c,{exp:c.if,block:c});var u=Co(e);Rr(u,"v-for",!0),Mr(u,"type","radio"),mo(u,t),go(c,{exp:"("+n+")==='radio'"+a,block:u});var l=Co(e);return Rr(l,"v-for",!0),Mr(l,":type",n),mo(l,t),go(c,{exp:i,block:l}),o?c.else=!0:s&&(c.elseif=s),c}}}}];var Ao,Oo,So={expectHTML:!0,modules:ko,directives:{model:function(e,t,n){var r=t.value,i=t.modifiers,a=e.tag,o=e.attrsMap.type;if(e.component)return Ur(e,r,i),!1;if("select"===a)!function(e,t,n){var r='var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;return '+(n&&n.number?"_n(val)":"val")+"});";r=r+" "+zr(t,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]"),Ir(e,"change",r,null,!0)}(e,r,i);else if("input"===a&&"checkbox"===o)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null",a=Fr(e,"true-value")||"true",o=Fr(e,"false-value")||"false";Nr(e,"checked","Array.isArray("+t+")?_i("+t+","+i+")>-1"+("true"===a?":("+t+")":":_q("+t+","+a+")")),Ir(e,"change","var $$a="+t+",$$el=$event.target,$$c=$$el.checked?("+a+"):("+o+");if(Array.isArray($$a)){var $$v="+(r?"_n("+i+")":i)+",$$i=_i($$a,$$v);if($$el.checked){$$i<0&&("+zr(t,"$$a.concat([$$v])")+")}else{$$i>-1&&("+zr(t,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")+")}}else{"+zr(t,"$$c")+"}",null,!0)}(e,r,i);else if("input"===a&&"radio"===o)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null";Nr(e,"checked","_q("+t+","+(i=r?"_n("+i+")":i)+")"),Ir(e,"change",zr(t,i),null,!0)}(e,r,i);else if("input"===a||"textarea"===a)!function(e,t,n){var r=e.attrsMap.type,i=n||{},a=i.lazy,o=i.number,s=i.trim,c=!a&&"range"!==r,u=a?"change":"range"===r?Gr:"input",l="$event.target.value";s&&(l="$event.target.value.trim()"),o&&(l="_n("+l+")");var f=zr(t,l);c&&(f="if($event.target.composing)return;"+f),Nr(e,"value","("+t+")"),Ir(e,u,f,null,!0),(s||o)&&Ir(e,"blur","$forceUpdate()")}(e,r,i);else if(!I.isReservedTag(a))return Ur(e,r,i),!1;return!0},text:function(e,t){t.value&&Nr(e,"textContent","_s("+t.value+")",t)},html:function(e,t){t.value&&Nr(e,"innerHTML","_s("+t.value+")",t)}},isPreTag:function(e){return"pre"===e},isUnaryTag:Ca,mustUseProp:Nn,canBeLeftOpenTag:ka,isReservedTag:qn,getTagNamespace:Zn,staticKeys:function(e){return e.reduce(function(e,t){return e.concat(t.staticKeys||[])},[]).join(",")}(ko)},To=g(function(e){return p("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(e?","+e:""))});function jo(e,t){e&&(Ao=To(t.staticKeys||""),Oo=t.isReservedTag||T,function e(t){t.static=function(e){if(2===e.type)return!1;if(3===e.type)return!0;return!(!e.pre&&(e.hasBindings||e.if||e.for||d(e.tag)||!Oo(e.tag)||function(e){for(;e.parent;){if("template"!==(e=e.parent).tag)return!1;if(e.for)return!0}return!1}(e)||!Object.keys(e).every(Ao)))}(t);if(1===t.type){if(!Oo(t.tag)&&"slot"!==t.tag&&null==t.attrsMap["inline-template"])return;for(var n=0,r=t.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,No=/\([^)]*?\);*$/,Do=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Mo={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},Lo={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},Po=function(e){return"if("+e+")return null;"},Io={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:Po("$event.target !== $event.currentTarget"),ctrl:Po("!$event.ctrlKey"),shift:Po("!$event.shiftKey"),alt:Po("!$event.altKey"),meta:Po("!$event.metaKey"),left:Po("'button' in $event && $event.button !== 0"),middle:Po("'button' in $event && $event.button !== 1"),right:Po("'button' in $event && $event.button !== 2")};function Fo(e,t){var n=t?"nativeOn:":"on:",r="",i="";for(var a in e){var o=Ro(e[a]);e[a]&&e[a].dynamic?i+=a+","+o+",":r+='"'+a+'":'+o+","}return r="{"+r.slice(0,-1)+"}",i?n+"_d("+r+",["+i.slice(0,-1)+"])":n+r}function Ro(e){if(!e)return"function(){}";if(Array.isArray(e))return"["+e.map(function(e){return Ro(e)}).join(",")+"]";var t=Do.test(e.value),n=Eo.test(e.value),r=Do.test(e.value.replace(No,""));if(e.modifiers){var i="",a="",o=[];for(var s in e.modifiers)if(Io[s])a+=Io[s],Mo[s]&&o.push(s);else if("exact"===s){var c=e.modifiers;a+=Po(["ctrl","shift","alt","meta"].filter(function(e){return!c[e]}).map(function(e){return"$event."+e+"Key"}).join("||"))}else o.push(s);return o.length&&(i+=function(e){return"if(!$event.type.indexOf('key')&&"+e.map(Ho).join("&&")+")return null;"}(o)),a&&(i+=a),"function($event){"+i+(t?"return "+e.value+"($event)":n?"return ("+e.value+")($event)":r?"return "+e.value:e.value)+"}"}return t||n?e.value:"function($event){"+(r?"return "+e.value:e.value)+"}"}function Ho(e){var t=parseInt(e,10);if(t)return"$event.keyCode!=="+t;var n=Mo[e],r=Lo[e];return"_k($event.keyCode,"+JSON.stringify(e)+","+JSON.stringify(n)+",$event.key,"+JSON.stringify(r)+")"}var Bo={on:function(e,t){e.wrapListeners=function(e){return"_g("+e+","+t.value+")"}},bind:function(e,t){e.wrapData=function(n){return"_b("+n+",'"+e.tag+"',"+t.value+","+(t.modifiers&&t.modifiers.prop?"true":"false")+(t.modifiers&&t.modifiers.sync?",true":"")+")"}},cloak:S},Uo=function(e){this.options=e,this.warn=e.warn||jr,this.transforms=Er(e.modules,"transformCode"),this.dataGenFns=Er(e.modules,"genData"),this.directives=A(A({},Bo),e.directives);var t=e.isReservedTag||T;this.maybeComponent=function(e){return!!e.component||!t(e.tag)},this.onceId=0,this.staticRenderFns=[],this.pre=!1};function zo(e,t){var n=new Uo(t);return{render:"with(this){return "+(e?Vo(e,n):'_c("div")')+"}",staticRenderFns:n.staticRenderFns}}function Vo(e,t){if(e.parent&&(e.pre=e.pre||e.parent.pre),e.staticRoot&&!e.staticProcessed)return Ko(e,t);if(e.once&&!e.onceProcessed)return Jo(e,t);if(e.for&&!e.forProcessed)return qo(e,t);if(e.if&&!e.ifProcessed)return Wo(e,t);if("template"!==e.tag||e.slotTarget||t.pre){if("slot"===e.tag)return function(e,t){var n=e.slotName||'"default"',r=Yo(e,t),i="_t("+n+(r?","+r:""),a=e.attrs||e.dynamicAttrs?ts((e.attrs||[]).concat(e.dynamicAttrs||[]).map(function(e){return{name:b(e.name),value:e.value,dynamic:e.dynamic}})):null,o=e.attrsMap["v-bind"];!a&&!o||r||(i+=",null");a&&(i+=","+a);o&&(i+=(a?"":",null")+","+o);return i+")"}(e,t);var n;if(e.component)n=function(e,t,n){var r=t.inlineTemplate?null:Yo(t,n,!0);return"_c("+e+","+Zo(t,n)+(r?","+r:"")+")"}(e.component,e,t);else{var r;(!e.plain||e.pre&&t.maybeComponent(e))&&(r=Zo(e,t));var i=e.inlineTemplate?null:Yo(e,t,!0);n="_c('"+e.tag+"'"+(r?","+r:"")+(i?","+i:"")+")"}for(var a=0;a>>0}(o):"")+")"}(e,e.scopedSlots,t)+","),e.model&&(n+="model:{value:"+e.model.value+",callback:"+e.model.callback+",expression:"+e.model.expression+"},"),e.inlineTemplate){var a=function(e,t){var n=e.children[0];if(n&&1===n.type){var r=zo(n,t.options);return"inlineTemplate:{render:function(){"+r.render+"},staticRenderFns:["+r.staticRenderFns.map(function(e){return"function(){"+e+"}"}).join(",")+"]}"}}(e,t);a&&(n+=a+",")}return n=n.replace(/,$/,"")+"}",e.dynamicAttrs&&(n="_b("+n+',"'+e.tag+'",'+ts(e.dynamicAttrs)+")"),e.wrapData&&(n=e.wrapData(n)),e.wrapListeners&&(n=e.wrapListeners(n)),n}function Go(e){return 1===e.type&&("slot"===e.tag||e.children.some(Go))}function Xo(e,t){var n=e.attrsMap["slot-scope"];if(e.if&&!e.ifProcessed&&!n)return Wo(e,t,Xo,"null");if(e.for&&!e.forProcessed)return qo(e,t,Xo);var r=e.slotScope===po?"":String(e.slotScope),i="function("+r+"){return "+("template"===e.tag?e.if&&n?"("+e.if+")?"+(Yo(e,t)||"undefined")+":undefined":Yo(e,t)||"undefined":Vo(e,t))+"}",a=r?"":",proxy:true";return"{key:"+(e.slotTarget||'"default"')+",fn:"+i+a+"}"}function Yo(e,t,n,r,i){var a=e.children;if(a.length){var o=a[0];if(1===a.length&&o.for&&"template"!==o.tag&&"slot"!==o.tag){var s=n?t.maybeComponent(o)?",1":",0":"";return""+(r||Vo)(o,t)+s}var c=n?function(e,t){for(var n=0,r=0;r':'
',os.innerHTML.indexOf(" ")>0}var ls=!!z&&us(!1),fs=!!z&&us(!0),ps=g(function(e){var t=Yn(e);return t&&t.innerHTML}),ds=wn.prototype.$mount;wn.prototype.$mount=function(e,t){if((e=e&&Yn(e))===document.body||e===document.documentElement)return this;var n=this.$options;if(!n.render){var r=n.template;if(r)if("string"==typeof r)"#"===r.charAt(0)&&(r=ps(r));else{if(!r.nodeType)return this;r=r.innerHTML}else e&&(r=function(e){if(e.outerHTML)return e.outerHTML;var t=document.createElement("div");return t.appendChild(e.cloneNode(!0)),t.innerHTML}(e));if(r){var i=cs(r,{outputSourceRange:!1,shouldDecodeNewlines:ls,shouldDecodeNewlinesForHref:fs,delimiters:n.delimiters,comments:n.comments},this),a=i.render,o=i.staticRenderFns;n.render=a,n.staticRenderFns=o}}return ds.call(this,e,t)},wn.compile=cs,module.exports=wn; \ No newline at end of file diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.js index 32bb62856..d39ec537c 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.js @@ -6815,6 +6815,8 @@ function updateWxsProps(oldVnode, vnode) { context.$getComponentDescriptor(context, true), vnode.elm.__vue__.$getComponentDescriptor(vnode.elm.__vue__, false) ); + }, { + deep: true }); }); diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.min.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.min.js index 093dea8da..71e98eefe 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.min.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.browser.min.js @@ -3,4 +3,4 @@ * (c) 2014-2020 Evan You * Released under the MIT License. */ -const t=Object.freeze({});function e(t){return null==t}function n(t){return null!=t}function o(t){return!0===t}function r(t){return"string"==typeof t||"number"==typeof t||"symbol"==typeof t||"boolean"==typeof t}function s(t){return null!==t&&"object"==typeof t}const i=Object.prototype.toString;function a(t){return"[object Object]"===i.call(t)}function c(t){const e=parseFloat(String(t));return e>=0&&Math.floor(e)===e&&isFinite(t)}function l(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function u(t){return null==t?"":Array.isArray(t)||a(t)&&t.toString===i?JSON.stringify(t,null,2):String(t)}function f(t){const e=parseFloat(t);return isNaN(e)?t:e}function d(t,e){const n=Object.create(null),o=t.split(",");for(let t=0;tn[t.toLowerCase()]:t=>n[t]}const p=d("slot,component",!0),h=d("key,ref,slot,slot-scope,is");function m(t,e){if(t.length){const n=t.indexOf(e);if(n>-1)return t.splice(n,1)}}const g=Object.prototype.hasOwnProperty;function y(t,e){return g.call(t,e)}function v(t){const e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}const $=/-(\w)/g,_=v(t=>t.replace($,(t,e)=>e?e.toUpperCase():"")),b=v(t=>t.charAt(0).toUpperCase()+t.slice(1)),w=/\B([A-Z])/g,x=v(t=>t.replace(w,"-$1").toLowerCase());const C=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){const o=arguments.length;return o?o>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function k(t,e){e=e||0;let n=t.length-e;const o=new Array(n);for(;n--;)o[n]=t[n+e];return o}function A(t,e){for(const n in e)t[n]=e[n];return t}function O(t){const e={};for(let n=0;n!1,j=t=>t;function E(t,e){if(t===e)return!0;const n=s(t),o=s(e);if(!n||!o)return!n&&!o&&String(t)===String(e);try{const n=Array.isArray(t),o=Array.isArray(e);if(n&&o)return t.length===e.length&&t.every((t,n)=>E(t,e[n]));if(t instanceof Date&&e instanceof Date)return t.getTime()===e.getTime();if(n||o)return!1;{const n=Object.keys(t),o=Object.keys(e);return n.length===o.length&&n.every(n=>E(t[n],e[n]))}}catch(t){return!1}}function N(t,e){for(let n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch;let Q,tt=!1;if(z)try{const t={};Object.defineProperty(t,"passive",{get(){tt=!0}}),window.addEventListener("test-passive",null,t)}catch(t){}const et=()=>(void 0===Q&&(Q=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),Q),nt=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function ot(t){return"function"==typeof t&&/native code/.test(t.toString())}const rt="undefined"!=typeof Symbol&&ot(Symbol)&&"undefined"!=typeof Reflect&&ot(Reflect.ownKeys);let st;st="undefined"!=typeof Set&&ot(Set)?Set:class{constructor(){this.set=Object.create(null)}has(t){return!0===this.set[t]}add(t){this.set[t]=!0}clear(){this.set=Object.create(null)}};let it=S,at=0;class ct{constructor(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=at++,this.subs=[]}addSub(t){this.subs.push(t)}removeSub(t){m(this.subs,t)}depend(){ct.SharedObject.target&&ct.SharedObject.target.addDep(this)}notify(){const t=this.subs.slice();for(let e=0,n=t.length;e{const e=new ft;return e.text=t,e.isComment=!0,e};function pt(t){return new ft(void 0,void 0,void 0,String(t))}function ht(t){const e=new ft(t.tag,t.data,t.children&&t.children.slice(),t.text,t.elm,t.context,t.componentOptions,t.asyncFactory);return e.ns=t.ns,e.isStatic=t.isStatic,e.key=t.key,e.isComment=t.isComment,e.fnContext=t.fnContext,e.fnOptions=t.fnOptions,e.fnScopeId=t.fnScopeId,e.asyncMeta=t.asyncMeta,e.isCloned=!0,e}const mt=Array.prototype,gt=Object.create(mt);["push","pop","shift","unshift","splice","sort","reverse"].forEach(function(t){const e=mt[t];H(gt,t,function(...n){const o=e.apply(this,n),r=this.__ob__;let s;switch(t){case"push":case"unshift":s=n;break;case"splice":s=n.slice(2)}return s&&r.observeArray(s),r.dep.notify(),o})});const yt=Object.getOwnPropertyNames(gt);let vt=!0;function $t(t){vt=t}class _t{constructor(t){var e;this.value=t,this.dep=new ct,this.vmCount=0,H(t,"__ob__",this),Array.isArray(t)?(U?(e=gt,t.__proto__=e):function(t,e,n){for(let o=0,r=n.length;o{kt[t]=St}),L.forEach(function(t){kt[t+"s"]=Tt}),kt.watch=function(t,e,n,o){if(t===Y&&(t=void 0),e===Y&&(e=void 0),!e)return Object.create(t||null);if(!t)return e;const r={};A(r,t);for(const t in e){let n=r[t];const o=e[t];n&&!Array.isArray(n)&&(n=[n]),r[t]=n?n.concat(o):Array.isArray(o)?o:[o]}return r},kt.props=kt.methods=kt.inject=kt.computed=function(t,e,n,o){if(!t)return e;const r=Object.create(null);return A(r,t),e&&A(r,e),r},kt.provide=Ot;const jt=function(t,e){return void 0===e?t:e};function Et(t,e,n){if("function"==typeof e&&(e=e.options),function(t,e){const n=t.props;if(!n)return;const o={};let r,s,i;if(Array.isArray(n))for(r=n.length;r--;)"string"==typeof(s=n[r])&&(o[i=_(s)]={type:null});else if(a(n))for(const t in n)s=n[t],o[i=_(t)]=a(s)?s:{type:s};t.props=o}(e),function(t,e){const n=t.inject;if(!n)return;const o=t.inject={};if(Array.isArray(n))for(let t=0;t-1)if(s&&!y(r,"default"))i=!1;else if(""===i||i===x(t)){const t=Pt(String,r.type);(t<0||aIt(t,o,r+" (Promise/async)")),s._handled=!0)}catch(t){It(t,o,r)}return s}function Rt(t,e,n){if(I.errorHandler)try{return I.errorHandler.call(null,t,e,n)}catch(e){e!==t&&Ht(e,null,"config.errorHandler")}Ht(t,e,n)}function Ht(t,e,n){if(!z&&!V||"undefined"==typeof console)throw t;console.error(t)}let Bt=!1;const Ut=[];let zt,Vt=!1;function Kt(){Vt=!1;const t=Ut.slice(0);Ut.length=0;for(let e=0;e{t.then(Kt),G&&setTimeout(S)}),Bt=!0}else if(W||"undefined"==typeof MutationObserver||!ot(MutationObserver)&&"[object MutationObserverConstructor]"!==MutationObserver.toString())zt="undefined"!=typeof setImmediate&&ot(setImmediate)?()=>{setImmediate(Kt)}:()=>{setTimeout(Kt,0)};else{let t=1;const e=new MutationObserver(Kt),n=document.createTextNode(String(t));e.observe(n,{characterData:!0}),zt=(()=>{t=(t+1)%2,n.data=String(t)}),Bt=!0}function Jt(t,e){let n;if(Ut.push(()=>{if(t)try{t.call(e)}catch(t){It(t,e,"nextTick")}else n&&n(e)}),Vt||(Vt=!0,zt()),!t&&"undefined"!=typeof Promise)return new Promise(t=>{n=t})}const Wt=new st;function qt(t){!function t(e,n){let o,r;const i=Array.isArray(e);if(!i&&!s(e)||Object.isFrozen(e)||e instanceof ft)return;if(e.__ob__){const t=e.__ob__.dep.id;if(n.has(t))return;n.add(t)}if(i)for(o=e.length;o--;)t(e[o],n);else for(r=Object.keys(e),o=r.length;o--;)t(e[r[o]],n)}(t,Wt),Wt.clear()}const Zt=v(t=>{const e="&"===t.charAt(0),n="~"===(t=e?t.slice(1):t).charAt(0),o="!"===(t=n?t.slice(1):t).charAt(0);return{name:t=o?t.slice(1):t,once:n,capture:o,passive:e}});function Gt(t,e){function n(){const t=n.fns;if(!Array.isArray(t))return Ft(t,null,arguments,e,"v-on handler");{const n=t.slice();for(let t=0;t0&&(ne((l=t(l,`${i||""}_${c}`))[0])&&ne(f)&&(a[u]=pt(f.text+l[0].text),l.shift()),a.push.apply(a,l)):r(l)?ne(f)?a[u]=pt(f.text+l):""!==l&&a.push(pt(l)):ne(l)&&ne(f)?a[u]=pt(f.text+l.text):(o(s._isVList)&&n(l.tag)&&e(l.key)&&n(i)&&(l.key=`__vlist${i}_${c}__`),a.push(l)));return a}(t):void 0}function ne(t){return n(t)&&n(t.text)&&!1===t.isComment}function oe(t,e){if(t){const n=Object.create(null),o=rt?Reflect.ownKeys(t):Object.keys(t);for(let r=0;r0,i=e?!!e.$stable:!s,a=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(i&&o&&o!==t&&a===o.$key&&!s&&!o.$hasNormal)return o;r={};for(const t in e)e[t]&&"$"!==t[0]&&(r[t]=ae(n,t,e[t]))}else r={};for(const t in n)t in r||(r[t]=ce(n,t));return e&&Object.isExtensible(e)&&(e._normalized=r),H(r,"$stable",i),H(r,"$key",a),H(r,"$hasNormal",s),r}function ae(t,e,n){const o=function(){let t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:ee(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:o,enumerable:!0,configurable:!0}),o}function ce(t,e){return()=>t[e]}function le(t,e){let o,r,i,a,c;if(Array.isArray(t)||"string"==typeof t)for(o=new Array(t.length),r=0,i=t.length;r(this.$slots||ie(e.scopedSlots,this.$slots=re(r,s)),this.$slots)),Object.defineProperty(this,"scopedSlots",{enumerable:!0,get(){return ie(e.scopedSlots,this.slots())}}),l&&(this.$options=a,this.$slots=this.slots(),this.$scopedSlots=ie(e.scopedSlots,this.$slots)),a._scopeId?this._c=((t,e,n,o)=>{const r=De(c,t,e,n,o,u);return r&&!Array.isArray(r)&&(r.fnScopeId=a._scopeId,r.fnContext=s),r}):this._c=((t,e,n,o)=>De(c,t,e,n,o,u))}function ke(t,e,n,o,r){const s=ht(t);return s.fnContext=n,s.fnOptions=o,e.slot&&((s.data||(s.data={})).slot=e.slot),s}function Ae(t,e){for(const n in e)t[_(n)]=e[n]}xe(Ce.prototype);const Oe={init(t,e){if(t.componentInstance&&!t.componentInstance._isDestroyed&&t.data.keepAlive){const e=t;Oe.prepatch(e,e)}else{(t.componentInstance=function(t,e){const o={_isComponent:!0,_parentVnode:t,parent:e},r=t.data.inlineTemplate;n(r)&&(o.render=r.render,o.staticRenderFns=r.staticRenderFns);return new t.componentOptions.Ctor(o)}(t,ze)).$mount(e?t.elm:void 0,e)}},prepatch(e,n){const o=n.componentOptions;!function(e,n,o,r,s){const i=r.data.scopedSlots,a=e.$scopedSlots,c=!!(i&&!i.$stable||a!==t&&!a.$stable||i&&e.$scopedSlots.$key!==i.$key),l=!!(s||e.$options._renderChildren||c);e.$options._parentVnode=r,e.$vnode=r,e._vnode&&(e._vnode.parent=r);if(e.$options._renderChildren=s,e.$attrs=r.data.attrs||t,e.$listeners=o||t,n&&e.$options.props){$t(!1);const t=e._props,o=e.$options._propKeys||[];for(let r=0;rm(o,i));const f=t=>{for(let t=0,e=o.length;t{t.resolved=Pe(e,r),a?o.length=0:f(!0)}),p=D(e=>{n(t.errorComp)&&(t.error=!0,f(!0))}),h=t(d,p);return s(h)&&(l(h)?e(t.resolved)&&h.then(d,p):l(h.component)&&(h.component.then(d,p),n(h.error)&&(t.errorComp=Pe(h.error,r)),n(h.loading)&&(t.loadingComp=Pe(h.loading,r),0===h.delay?t.loading=!0:c=setTimeout(()=>{c=null,e(t.resolved)&&e(t.error)&&(t.loading=!0,f(!1))},h.delay||200)),n(h.timeout)&&(u=setTimeout(()=>{u=null,e(t.resolved)&&p(null)},h.timeout)))),a=!1,t.loading?t.loadingComp:t.resolved}}(d=r,f)))return function(t,e,n,o,r){const s=dt();return s.asyncFactory=t,s.asyncMeta={data:e,context:n,children:o,tag:r},s}(d,i,a,c,u);i=i||{},mn(r),n(i.model)&&function(t,e){const o=t.model&&t.model.prop||"value",r=t.model&&t.model.event||"input";(e.attrs||(e.attrs={}))[o]=e.model.value;const s=e.on||(e.on={}),i=s[r],a=e.model.callback;n(i)?(Array.isArray(i)?-1===i.indexOf(a):i!==a)&&(s[r]=[a].concat(i)):s[r]=a}(r.options,i);const p=function(t,o,r,s){const i=o.options.props;if(e(i))return Qt(t,o,{},s);const a={},{attrs:c,props:l}=t;if(n(c)||n(l))for(const t in i){const e=x(t);te(a,l,t,e,!0)||te(a,c,t,e,!1)}return Qt(t,o,a,s)}(i,r,0,a);if(o(r.options.functional))return function(e,o,r,s,i){const a=e.options,c={},l=a.props;if(n(l))for(const e in l)c[e]=Dt(e,l,o||t);else n(r.attrs)&&Ae(c,r.attrs),n(r.props)&&Ae(c,r.props);const u=new Ce(r,c,i,s,e),f=a.render.call(null,u._c,u);if(f instanceof ft)return ke(f,r,u.parent,a);if(Array.isArray(f)){const t=ee(f)||[],e=new Array(t.length);for(let n=0;n{t(n,o),e(n,o)};return n._merged=!0,n}const Ee=1,Ne=2;function De(t,i,a,c,l,u){return(Array.isArray(a)||r(a))&&(l=c,c=a,a=void 0),o(u)&&(l=Ne),function(t,r,i,a,c){if(n(i)&&n(i.__ob__))return dt();n(i)&&n(i.is)&&(r=i.is);if(!r)return dt();Array.isArray(a)&&"function"==typeof a[0]&&((i=i||{}).scopedSlots={default:a[0]},a.length=0);c===Ne?a=ee(a):c===Ee&&(a=function(t){for(let e=0;e{ze=e}}function Ke(t){for(;t&&(t=t.$parent);)if(t._inactive)return!0;return!1}function Je(t,e){if(e){if(t._directInactive=!1,Ke(t))return}else if(t._directInactive)return;if(t._inactive||null===t._inactive){t._inactive=!1;for(let e=0;edocument.createEvent("Event").timeStamp&&(en=(()=>t.now()))}function nn(){let t,e;for(tn=en(),Ye=!0,qe.sort((t,e)=>t.id-e.id),Qe=0;QeQe&&qe[e].id>t.id;)e--;qe.splice(e+1,0,t)}else qe.push(t);Xe||(Xe=!0,Jt(nn))}}(this)}run(){if(this.active){const t=this.get();if(t!==this.value||s(t)||this.deep){const e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){It(t,this.vm,`callback for watcher "${this.expression}"`)}else this.cb.call(this.vm,t,e)}}}evaluate(){this.value=this.get(),this.dirty=!1}depend(){let t=this.deps.length;for(;t--;)this.deps[t].depend()}teardown(){if(this.active){this.vm._isBeingDestroyed||m(this.vm._watchers,this);let t=this.deps.length;for(;t--;)this.deps[t].removeSub(this);this.active=!1}}}const sn={enumerable:!0,configurable:!0,get:S,set:S};function an(t,e,n){sn.get=function(){return this[e][n]},sn.set=function(t){this[e][n]=t},Object.defineProperty(t,n,sn)}function cn(t){t._watchers=[];const e=t.$options;e.props&&function(t,e){const n=t.$options.propsData||{},o=t._props={},r=t.$options._propKeys=[];t.$parent&&$t(!1);for(const s in e){r.push(s);const i=Dt(s,e,n,t);wt(o,s,i),s in t||an(t,"_props",s)}$t(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(const n in e)t[n]="function"!=typeof e[n]?S:C(e[n],t)}(t,e.methods),e.data?function(t){let e=t.$options.data;a(e=t._data="function"==typeof e?function(t,e){lt();try{return t.call(e,e)}catch(t){return It(t,e,"data()"),{}}finally{ut()}}(e,t):e||{})||(e={});const n=Object.keys(e),o=t.$options.props;t.$options.methods;let r=n.length;for(;r--;){const e=n[r];o&&y(o,e)||R(e)||an(t,"_data",e)}bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){const n=t._computedWatchers=Object.create(null),o=et();for(const r in e){const s=e[r],i="function"==typeof s?s:s.get;o||(n[r]=new rn(t,i||S,S,ln)),r in t||un(t,r,s)}}(t,e.computed),e.watch&&e.watch!==Y&&function(t,e){for(const n in e){const o=e[n];if(Array.isArray(o))for(let e=0;e-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===i.call(n)&&t.test(e));var n}function _n(t,e){const{cache:n,keys:o,_vnode:r}=t;for(const t in n){const s=n[t];if(s){const i=vn(s.componentOptions);i&&!e(i)&&bn(n,t,o,r)}}}function bn(t,e,n,o){const r=t[e];!r||o&&r.tag===o.tag||r.componentInstance.$destroy(),t[e]=null,m(n,e)}!function(e){e.prototype._init=function(e){const n=this;n._uid=hn++,n._isVue=!0,e&&e._isComponent?function(t,e){const n=t.$options=Object.create(t.constructor.options),o=e._parentVnode;n.parent=e.parent,n._parentVnode=o;const r=o.componentOptions;n.propsData=r.propsData,n._parentListeners=r.listeners,n._renderChildren=r.children,n._componentTag=r.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(mn(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){const e=t.$options;let n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;const e=t.$options._parentListeners;e&&Ue(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;const n=e.$options,o=e.$vnode=n._parentVnode,r=o&&o.context;e.$slots=re(n._renderChildren,r),e.$scopedSlots=t,e._c=((t,n,o,r)=>De(e,t,n,o,r,!1)),e.$createElement=((t,n,o,r)=>De(e,t,n,o,r,!0));const s=o&&o.data;wt(e,"$attrs",s&&s.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),We(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){const e=oe(t.$options.inject,t);e&&($t(!1),Object.keys(e).forEach(n=>{wt(t,n,e[n])}),$t(!0))}(n),cn(n),"mp-toutiao"!==n.mpHost&&function(t){const e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&We(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(gn),function(t){const e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=xt,t.prototype.$delete=Ct,t.prototype.$watch=function(t,e,n){const o=this;if(a(e))return pn(o,t,e,n);(n=n||{}).user=!0;const r=new rn(o,t,e,n);if(n.immediate)try{e.call(o,r.value)}catch(t){It(t,o,`callback for immediate watcher "${r.expression}"`)}return function(){r.teardown()}}}(gn),function(t){const e=/^hook:/;t.prototype.$on=function(t,n){const o=this;if(Array.isArray(t))for(let e=0,r=t.length;e1?k(n):n;const o=k(arguments,1),r=`event handler for "${t}"`;for(let t=0,s=n.length;t{_n(this,e=>$n(t,e))}),this.$watch("exclude",t=>{_n(this,e=>!$n(t,e))})},render(){const t=this.$slots.default,e=Fe(t),n=e&&e.componentOptions;if(n){const t=vn(n),{include:o,exclude:r}=this;if(o&&(!t||!$n(o,t))||r&&t&&$n(r,t))return e;const{cache:s,keys:i}=this,a=null==e.key?n.Ctor.cid+(n.tag?`::${n.tag}`:""):e.key;s[a]?(e.componentInstance=s[a].componentInstance,m(i,a),i.push(a)):(s[a]=e,i.push(a),this.max&&i.length>parseInt(this.max)&&bn(s,i[0],i,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){const e={get:()=>I};Object.defineProperty(t,"config",e),t.util={warn:it,extend:A,mergeOptions:Et,defineReactive:wt},t.set=xt,t.delete=Ct,t.nextTick=Jt,t.observable=(t=>(bt(t),t)),t.options=Object.create(null),L.forEach(e=>{t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,xn),function(t){t.use=function(t){const e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;const n=k(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),yn(t),function(t){L.forEach(e=>{t[e]=function(t,n){return n?("component"===e&&a(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(gn),Object.defineProperty(gn.prototype,"$isServer",{get:et}),Object.defineProperty(gn.prototype,"$ssrContext",{get(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(gn,"FunctionalRenderContext",{value:Ce}),gn.version="2.6.11";const Cn=d("style,class"),kn=d("input,textarea,option,select,progress"),An=(t,e,n)=>"value"===n&&kn(t)&&"button"!==e||"selected"===n&&"option"===t||"checked"===n&&"input"===t||"muted"===n&&"video"===t,On=d("contenteditable,draggable,spellcheck"),Sn=d("events,caret,typing,plaintext-only"),Tn=(t,e)=>Mn(e)||"false"===e?"false":"contenteditable"===t&&Sn(e)?e:"true",jn=d("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),En="http://www.w3.org/1999/xlink",Nn=t=>":"===t.charAt(5)&&"xlink"===t.slice(0,5),Dn=t=>Nn(t)?t.slice(6,t.length):"",Mn=t=>null==t||!1===t;function Ln(t){let e=t.data,o=t,r=t;for(;n(r.componentInstance);)(r=r.componentInstance._vnode)&&r.data&&(e=Pn(r.data,e));for(;n(o=o.parent);)o&&o.data&&(e=Pn(e,o.data));return function(t,e){if(n(t)||n(e))return In(t,Fn(e));return""}(e.staticClass,e.class)}function Pn(t,e){return{staticClass:In(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function In(t,e){return t?e?t+" "+e:t:e||""}function Fn(t){return Array.isArray(t)?function(t){let e,o="";for(let r=0,s=t.length;rHn(t)||Bn(t);function zn(t){return Bn(t)?"svg":"math"===t?"math":void 0}const Vn=Object.create(null);const Kn=d("text,number,password,search,email,tel,url");function Jn(t){if("string"==typeof t){const e=document.querySelector(t);return e||document.createElement("div")}return t}var Wn=Object.freeze({createElement:function(t,e){const n=document.createElement(t);return"select"!==t?n:(e.data&&e.data.attrs&&void 0!==e.data.attrs.multiple&&n.setAttribute("multiple","multiple"),n)},createElementNS:function(t,e){return document.createElementNS(Rn[t],e)},createTextNode:function(t){return document.createTextNode(t)},createComment:function(t){return document.createComment(t)},insertBefore:function(t,e,n){t.insertBefore(e,n)},removeChild:function(t,e){t.removeChild(e)},appendChild:function(t,e){t.appendChild(e)},parentNode:function(t){return t.parentNode},nextSibling:function(t){return t.nextSibling},tagName:function(t){return t.tagName},setTextContent:function(t,e){t.textContent=e},setStyleScope:function(t,e){t.setAttribute(e,"")}}),qn={create(t,e){Zn(e)},update(t,e){t.data.ref!==e.data.ref&&(Zn(t,!0),Zn(e))},destroy(t){Zn(t,!0)}};function Zn(t,e){const o=t.data.ref;if(!n(o))return;const r=t.context,s=t.componentInstance||t.elm,i=r.$refs;e?Array.isArray(i[o])?m(i[o],s):i[o]===s&&(i[o]=void 0):t.data.refInFor?Array.isArray(i[o])?i[o].indexOf(s)<0&&i[o].push(s):i[o]=[s]:i[o]=s}const Gn=new ft("",{},[]),Xn=["create","activate","update","remove","destroy"];function Yn(t,r){return t.key===r.key&&(t.tag===r.tag&&t.isComment===r.isComment&&n(t.data)===n(r.data)&&function(t,e){if("input"!==t.tag)return!0;let o;const r=n(o=t.data)&&n(o=o.attrs)&&o.type,s=n(o=e.data)&&n(o=o.attrs)&&o.type;return r===s||Kn(r)&&Kn(s)}(t,r)||o(t.isAsyncPlaceholder)&&t.asyncFactory===r.asyncFactory&&e(r.asyncFactory.error))}function Qn(t,e,o){let r,s;const i={};for(r=e;r<=o;++r)n(s=t[r].key)&&(i[s]=r);return i}var to={create:eo,update:eo,destroy:function(t){eo(t,Gn)}};function eo(t,e){(t.data.directives||e.data.directives)&&function(t,e){const n=t===Gn,o=e===Gn,r=oo(t.data.directives,t.context),s=oo(e.data.directives,e.context),i=[],a=[];let c,l,u;for(c in s)l=r[c],u=s[c],l?(u.oldValue=l.value,u.oldArg=l.arg,so(u,"update",e,t),u.def&&u.def.componentUpdated&&a.push(u)):(so(u,"bind",e,t),u.def&&u.def.inserted&&i.push(u));if(i.length){const o=()=>{for(let n=0;n{for(let n=0;n{e[o]&&(n[t[o]]=e[o],delete e[o])}),n}(n.data.wxsProps,n.data.attrs),i=n.context;n.$wxsWatches={},Object.keys(s).forEach(t=>{let e=t;n.context.wxsProps&&(e="wxsProps."+t),n.$wxsWatches[t]=o[t]||n.context.$watch(e,function(e,o){s[t](e,o,i.$getComponentDescriptor(i,!0),n.elm.__vue__.$getComponentDescriptor(n.elm.__vue__,!1))})}),Object.keys(o).forEach(t=>{n.$wxsWatches[t]||(o[t](),delete o[t])})}var co={create:ao,update:ao};function lo(t,o){const r=o.componentOptions;if(n(r)&&!1===r.Ctor.options.inheritAttrs)return;if(e(t.data.attrs)&&e(o.data.attrs))return;let s,i,a;const c=o.elm,l=t.data.attrs||{};let u=o.data.attrs||{};for(s in n(u.__ob__)&&(u=o.data.attrs=A({},u)),u)i=u[s],(a=l[s])!==i&&uo(c,s,i);for(s in(W||Z)&&u.value!==l.value&&uo(c,"value",u.value),l)e(u[s])&&(Nn(s)?c.removeAttributeNS(En,Dn(s)):On(s)||c.removeAttribute(s))}function uo(t,e,n){t.tagName.indexOf("-")>-1?fo(t,e,n):jn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):On(e)?t.setAttribute(e,Tn(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(En,Dn(e)):t.setAttributeNS(En,e,n):fo(t,e,n)}function fo(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){const e=n=>{n.stopImmediatePropagation(),t.removeEventListener("input",e)};t.addEventListener("input",e),t.__ieph=!0}t.setAttribute(e,n)}}var po={create:lo,update:lo};function ho(t,o){const r=o.elm,s=o.data,i=t.data;if(e(s.staticClass)&&e(s.class)&&(e(i)||e(i.staticClass)&&e(i.class))&&e(r.__wxsAddClass)&&e(r.__wxsRemoveClass))return;let a=Ln(o);const c=r._transitionClasses;if(n(c)&&(a=In(a,Fn(c))),Array.isArray(r.__wxsRemoveClass)&&r.__wxsRemoveClass.length){const t=a.split(/\s+/);r.__wxsRemoveClass.forEach(e=>{const n=t.findIndex(t=>t===e);-1!==n&&t.splice(n,1)}),a=t.join(" "),r.__wxsRemoveClass.length=0}if(r.__wxsAddClass){const t=a.split(/\s+/).concat(r.__wxsAddClass.split(/\s+/)),e=Object.create(null);t.forEach(t=>{t&&(e[t]=1)}),a=Object.keys(e).join(" ")}const l=o.context,u=l.$options.mpOptions&&l.$options.mpOptions.externalClasses;Array.isArray(u)&&u.forEach(t=>{const e=l[_(t)];e&&(a=a.replace(t,e))}),a!==r._prevClass&&(r.setAttribute("class",a),r._prevClass=a)}var mo={create:ho,update:ho};const go=/[\w).+\-_$\]]/;function yo(t){let e,n,o,r,s,i=!1,a=!1,c=!1,l=!1,u=0,f=0,d=0,p=0;for(o=0;o=0&&" "===(e=t.charAt(n));n--);e&&go.test(e)||(l=!0)}}else void 0===r?(p=o+1,r=t.slice(0,o).trim()):h();function h(){(s||(s=[])).push(t.slice(p,o).trim()),p=o+1}if(void 0===r?r=t.slice(0,o).trim():0!==p&&h(),s)for(o=0;ot[e]).filter(t=>t):[]}function bo(t,e,n,o,r){(t.props||(t.props=[])).push(jo({name:e,value:n,dynamic:r},o)),t.plain=!1}function wo(t,e,n,o,r){(r?t.dynamicAttrs||(t.dynamicAttrs=[]):t.attrs||(t.attrs=[])).push(jo({name:e,value:n,dynamic:r},o)),t.plain=!1}function xo(t,e,n,o){t.attrsMap[e]=n,t.attrsList.push(jo({name:e,value:n},o))}function Co(t,e,n,o,r,s,i,a){(t.directives||(t.directives=[])).push(jo({name:e,rawName:n,value:o,arg:r,isDynamicArg:s,modifiers:i},a)),t.plain=!1}function ko(t,e,n){return n?`_p(${e},"${t}")`:t+e}function Ao(e,n,o,r,s,i,a,c){let l;(r=r||t).right?c?n=`(${n})==='click'?'contextmenu':(${n})`:"click"===n&&(n="contextmenu",delete r.right):r.middle&&(c?n=`(${n})==='click'?'mouseup':(${n})`:"click"===n&&(n="mouseup")),r.capture&&(delete r.capture,n=ko("!",n,c)),r.once&&(delete r.once,n=ko("~",n,c)),r.passive&&(delete r.passive,n=ko("&",n,c)),r.native?(delete r.native,l=e.nativeEvents||(e.nativeEvents={})):l=e.events||(e.events={});const u=jo({value:o.trim(),dynamic:c},a);r!==t&&(u.modifiers=r);const f=l[n];Array.isArray(f)?s?f.unshift(u):f.push(u):l[n]=f?s?[u,f]:[f,u]:u,e.plain=!1}function Oo(t,e,n){const o=So(t,":"+e)||So(t,"v-bind:"+e);if(null!=o)return yo(o);if(!1!==n){const n=So(t,e);if(null!=n)return JSON.stringify(n)}}function So(t,e,n){let o;if(null!=(o=t.attrsMap[e])){const n=t.attrsList;for(let t=0,o=n.length;t-1?{exp:t.slice(0,Po),key:'"'+t.slice(Po+1)+'"'}:{exp:t,key:null};Mo=t,Po=Io=Fo=0;for(;!Ho();)Bo(Lo=Ro())?zo(Lo):91===Lo&&Uo(Lo);return{exp:t.slice(0,Io),key:t.slice(Io+1,Fo)}}(t);return null===n.key?`${t}=${e}`:`$set(${n.exp}, ${n.key}, ${e})`}let Do,Mo,Lo,Po,Io,Fo;function Ro(){return Mo.charCodeAt(++Po)}function Ho(){return Po>=Do}function Bo(t){return 34===t||39===t}function Uo(t){let e=1;for(Io=Po;!Ho();)if(Bo(t=Ro()))zo(t);else if(91===t&&e++,93===t&&e--,0===e){Fo=Po;break}}function zo(t){const e=t;for(;!Ho()&&(t=Ro())!==e;);}const Vo="__r",Ko="__c";let Jo;function Wo(t,e,n){const o=Jo;return function r(){null!==e.apply(null,arguments)&&Go(t,r,n,o)}}const qo=Bt&&!(X&&Number(X[1])<=53);function Zo(t,e,n,o){if(qo){const t=tn,n=e;e=n._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=t||e.timeStamp<=0||e.target.ownerDocument!==document)return n.apply(this,arguments)}}Jo.addEventListener(t,e,tt?{capture:n,passive:o}:n)}function Go(t,e,n,o){(o||Jo).removeEventListener(t,e._wrapper||e,n)}function Xo(t,o){if(e(t.data.on)&&e(o.data.on))return;const r=o.data.on||{},s=t.data.on||{};Jo=o.elm,function(t){if(n(t[Vo])){const e=W?"change":"input";t[e]=[].concat(t[Vo],t[e]||[]),delete t[Vo]}n(t[Ko])&&(t.change=[].concat(t[Ko],t.change||[]),delete t[Ko])}(r),Xt(r,s,Zo,Go,Wo,o.context),Jo=void 0}var Yo={create:Xo,update:Xo};let Qo;function tr(t,o){if(e(t.data.domProps)&&e(o.data.domProps))return;let r,s;const i=o.elm,a=t.data.domProps||{};let c=o.data.domProps||{};for(r in n(c.__ob__)&&(c=o.data.domProps=A({},c)),a)r in c||(i[r]="");for(r in c){if(s=c[r],"textContent"===r||"innerHTML"===r){if(o.children&&(o.children.length=0),s===a[r])continue;1===i.childNodes.length&&i.removeChild(i.childNodes[0])}if("value"===r&&"PROGRESS"!==i.tagName){i._value=s;const t=e(s)?"":String(s);er(i,t)&&(i.value=t)}else if("innerHTML"===r&&Bn(i.tagName)&&e(i.innerHTML)){(Qo=Qo||document.createElement("div")).innerHTML=`${s}`;const t=Qo.firstChild;for(;i.firstChild;)i.removeChild(i.firstChild);for(;t.firstChild;)i.appendChild(t.firstChild)}else if(s!==a[r])try{i[r]=s}catch(t){}}}function er(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){let n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){const o=t.value,r=t._vModifiers;if(n(r)){if(r.number)return f(o)!==f(e);if(r.trim)return o.trim()!==e.trim()}return o!==e}(t,e))}var nr={create:tr,update:tr};const or=v(function(t){const e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){const o=t.split(n);o.length>1&&(e[o[0].trim()]=o[1].trim())}}),e});function rr(t){const e=sr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function sr(t){return Array.isArray(t)?O(t):"string"==typeof t?or(t):t}const ir=/^--/,ar=/\s*!important$/,cr=/([+-]?\d+(\.\d+)?)[r|u]px/g,lr=t=>"string"==typeof t?t.replace(cr,(t,e)=>uni.upx2px(e)+"px"):t,ur=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,fr=(t,e,n,o)=>{if(o&&o._$getRealPath&&n&&(n=((t,e)=>{if("string"==typeof t&&-1!==t.indexOf("url(")){const n=t.match(ur);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t})(n,o)),ir.test(e))t.style.setProperty(e,n);else if(ar.test(n))t.style.setProperty(x(e),n.replace(ar,""),"important");else{const o=hr(e);if(Array.isArray(n))for(let e=0,r=n.length;e-1?e.split(yr).forEach(e=>t.classList.add(e)):t.classList.add(e);else{const n=` ${t.getAttribute("class")||""} `;n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function $r(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(yr).forEach(e=>t.classList.remove(e)):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{let n=` ${t.getAttribute("class")||""} `;const o=" "+e+" ";for(;n.indexOf(o)>=0;)n=n.replace(o," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function _r(t){if(t){if("object"==typeof t){const e={};return!1!==t.css&&A(e,br(t.name||"v")),A(e,t),e}return"string"==typeof t?br(t):void 0}}const br=v(t=>({enterClass:`${t}-enter`,enterToClass:`${t}-enter-to`,enterActiveClass:`${t}-enter-active`,leaveClass:`${t}-leave`,leaveToClass:`${t}-leave-to`,leaveActiveClass:`${t}-leave-active`})),wr=z&&!q,xr="transition",Cr="animation";let kr="transition",Ar="transitionend",Or="animation",Sr="animationend";wr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(kr="WebkitTransition",Ar="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Or="WebkitAnimation",Sr="webkitAnimationEnd"));const Tr=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:t=>t();function jr(t){Tr(()=>{Tr(t)})}function Er(t,e){const n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),vr(t,e))}function Nr(t,e){t._transitionClasses&&m(t._transitionClasses,e),$r(t,e)}function Dr(t,e,n){const{type:o,timeout:r,propCount:s}=Lr(t,e);if(!o)return n();const i=o===xr?Ar:Sr;let a=0;const c=()=>{t.removeEventListener(i,l),n()},l=e=>{e.target===t&&++a>=s&&c()};setTimeout(()=>{a0&&(l=xr,u=s,f=r.length):e===Cr?c>0&&(l=Cr,u=c,f=a.length):f=(l=(u=Math.max(s,c))>0?s>c?xr:Cr:null)?l===xr?r.length:a.length:0,{type:l,timeout:u,propCount:f,hasTransform:l===xr&&Mr.test(n[kr+"Property"])}}function Pr(t,e){for(;t.lengthIr(e)+Ir(t[n])))}function Ir(t){return 1e3*Number(t.slice(0,-1).replace(",","."))}function Fr(t,o){const r=t.elm;n(r._leaveCb)&&(r._leaveCb.cancelled=!0,r._leaveCb());const i=_r(t.data.transition);if(e(i))return;if(n(r._enterCb)||1!==r.nodeType)return;const{css:a,type:c,enterClass:l,enterToClass:u,enterActiveClass:d,appearClass:p,appearToClass:h,appearActiveClass:m,beforeEnter:g,enter:y,afterEnter:v,enterCancelled:$,beforeAppear:_,appear:b,afterAppear:w,appearCancelled:x,duration:C}=i;let k=ze,A=ze.$vnode;for(;A&&A.parent;)k=A.context,A=A.parent;const O=!k._isMounted||!t.isRootInsert;if(O&&!b&&""!==b)return;const S=O&&p?p:l,T=O&&m?m:d,j=O&&h?h:u,E=O&&_||g,N=O&&"function"==typeof b?b:y,M=O&&w||v,L=O&&x||$,P=f(s(C)?C.enter:C),I=!1!==a&&!q,F=Br(N),R=r._enterCb=D(()=>{I&&(Nr(r,j),Nr(r,T)),R.cancelled?(I&&Nr(r,S),L&&L(r)):M&&M(r),r._enterCb=null});t.data.show||Yt(t,"insert",()=>{const e=r.parentNode,n=e&&e._pending&&e._pending[t.key];n&&n.tag===t.tag&&n.elm._leaveCb&&n.elm._leaveCb(),N&&N(r,R)}),E&&E(r),I&&(Er(r,S),Er(r,T),jr(()=>{Nr(r,S),R.cancelled||(Er(r,j),F||(Hr(P)?setTimeout(R,P):Dr(r,c,R)))})),t.data.show&&(o&&o(),N&&N(r,R)),I||F||R()}function Rr(t,o){const r=t.elm;n(r._enterCb)&&(r._enterCb.cancelled=!0,r._enterCb());const i=_r(t.data.transition);if(e(i)||1!==r.nodeType)return o();if(n(r._leaveCb))return;const{css:a,type:c,leaveClass:l,leaveToClass:u,leaveActiveClass:d,beforeLeave:p,leave:h,afterLeave:m,leaveCancelled:g,delayLeave:y,duration:v}=i,$=!1!==a&&!q,_=Br(h),b=f(s(v)?v.leave:v),w=r._leaveCb=D(()=>{r.parentNode&&r.parentNode._pending&&(r.parentNode._pending[t.key]=null),$&&(Nr(r,u),Nr(r,d)),w.cancelled?($&&Nr(r,l),g&&g(r)):(o(),m&&m(r)),r._leaveCb=null});function x(){w.cancelled||(!t.data.show&&r.parentNode&&((r.parentNode._pending||(r.parentNode._pending={}))[t.key]=t),p&&p(r),$&&(Er(r,l),Er(r,d),jr(()=>{Nr(r,l),w.cancelled||(Er(r,u),_||(Hr(b)?setTimeout(w,b):Dr(r,c,w)))})),h&&h(r,w),$||_||w())}y?y(x):x()}function Hr(t){return"number"==typeof t&&!isNaN(t)}function Br(t){if(e(t))return!1;const o=t.fns;return n(o)?Br(Array.isArray(o)?o[0]:o):(t._length||t.length)>1}function Ur(t,e){!0!==e.data.show&&Fr(e)}const zr=function(t){let s,i;const a={},{modules:c,nodeOps:l}=t;for(s=0;sm?$(t,d=e(r[v+1])?null:r[v+1].elm,r,h,v,s):h>v&&b(o,p,m)}(d,m,y,s,u):n(y)?(n(t.text)&&l.setTextContent(d,""),$(d,null,y,0,y.length-1,s)):n(m)?b(m,0,m.length-1):n(t.text)&&l.setTextContent(d,""):t.text!==r.text&&l.setTextContent(d,r.text),n(h)&&n(p=h.hook)&&n(p=p.postpatch)&&p(t,r)}function k(t,e,r){if(o(r)&&n(t.parent))t.parent.data.pendingInsert=e;else for(let t=0;t{const t=document.activeElement;t&&t.vmodel&&Xr(t,"input")});const Vr={inserted(t,e,n,o){"select"===n.tag?(o.elm&&!o.elm._vOptions?Yt(n,"postpatch",()=>{Vr.componentUpdated(t,e,n)}):Kr(t,e,n.context),t._vOptions=[].map.call(t.options,qr)):("textarea"===n.tag||Kn(t.type))&&(t._vModifiers=e.modifiers,e.modifiers.lazy||(t.addEventListener("compositionstart",Zr),t.addEventListener("compositionend",Gr),t.addEventListener("change",Gr),q&&(t.vmodel=!0)))},componentUpdated(t,e,n){if("select"===n.tag){Kr(t,e,n.context);const o=t._vOptions,r=t._vOptions=[].map.call(t.options,qr);if(r.some((t,e)=>!E(t,o[e]))){(t.multiple?e.value.some(t=>Wr(t,r)):e.value!==e.oldValue&&Wr(e.value,r))&&Xr(t,"change")}}}};function Kr(t,e,n){Jr(t,e,n),(W||Z)&&setTimeout(()=>{Jr(t,e,n)},0)}function Jr(t,e,n){const o=e.value,r=t.multiple;if(r&&!Array.isArray(o))return;let s,i;for(let e=0,n=t.options.length;e-1,i.selected!==s&&(i.selected=s);else if(E(qr(i),o))return void(t.selectedIndex!==e&&(t.selectedIndex=e));r||(t.selectedIndex=-1)}function Wr(t,e){return e.every(e=>!E(e,t))}function qr(t){return"_value"in t?t._value:t.value}function Zr(t){t.target.composing=!0}function Gr(t){t.target.composing&&(t.target.composing=!1,Xr(t.target,"input"))}function Xr(t,e){const n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Yr(t){return!t.componentInstance||t.data&&t.data.transition?t:Yr(t.componentInstance._vnode)}var Qr={model:Vr,show:{bind(t,{value:e},n){const o=(n=Yr(n)).data&&n.data.transition,r=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;e&&o?(n.data.show=!0,Fr(n,()=>{t.style.display=r})):t.style.display=e?r:"none"},update(t,{value:e,oldValue:n},o){if(!e==!n)return;(o=Yr(o)).data&&o.data.transition?(o.data.show=!0,e?Fr(o,()=>{t.style.display=t.__vOriginalDisplay}):Rr(o,()=>{t.style.display="none"})):t.style.display=e?t.__vOriginalDisplay:"none"},unbind(t,e,n,o,r){r||(t.style.display=t.__vOriginalDisplay)}}};const ts={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function es(t){const e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?es(Fe(e.children)):t}function ns(t){const e={},n=t.$options;for(const o in n.propsData)e[o]=t[o];const o=n._parentListeners;for(const t in o)e[_(t)]=o[t];return e}function os(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}const rs=t=>t.tag||Ie(t),ss=t=>"show"===t.name;var is={name:"transition",props:ts,abstract:!0,render(t){let e=this.$slots.default;if(!e)return;if(!(e=e.filter(rs)).length)return;const n=this.mode,o=e[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return o;const s=es(o);if(!s)return o;if(this._leaving)return os(t,o);const i=`__transition-${this._uid}-`;s.key=null==s.key?s.isComment?i+"comment":i+s.tag:r(s.key)?0===String(s.key).indexOf(i)?s.key:i+s.key:s.key;const a=(s.data||(s.data={})).transition=ns(this),c=this._vnode,l=es(c);if(s.data.directives&&s.data.directives.some(ss)&&(s.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(s,l)&&!Ie(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){const e=l.data.transition=A({},a);if("out-in"===n)return this._leaving=!0,Yt(e,"afterLeave",()=>{this._leaving=!1,this.$forceUpdate()}),os(t,o);if("in-out"===n){if(Ie(s))return c;let t;const n=()=>{t()};Yt(a,"afterEnter",n),Yt(a,"enterCancelled",n),Yt(e,"delayLeave",e=>{t=e})}}return o}};const as=A({tag:String,moveClass:String},ts);function cs(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function ls(t){t.data.newPos=t.elm.getBoundingClientRect()}function us(t){const e=t.data.pos,n=t.data.newPos,o=e.left-n.left,r=e.top-n.top;if(o||r){t.data.moved=!0;const e=t.elm.style;e.transform=e.WebkitTransform=`translate(${o}px,${r}px)`,e.transitionDuration="0s"}}delete as.mode;var fs={Transition:is,TransitionGroup:{props:as,beforeMount(){const t=this._update;this._update=((e,n)=>{const o=Ve(this);this.__patch__(this._vnode,this.kept,!1,!0),this._vnode=this.kept,o(),t.call(this,e,n)})},render(t){const e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),o=this.prevChildren=this.children,r=this.$slots.default||[],s=this.children=[],i=ns(this);for(let t=0;t{if(t.data.moved){const n=t.elm,o=n.style;Er(n,e),o.transform=o.WebkitTransform=o.transitionDuration="",n.addEventListener(Ar,n._moveCb=function t(o){o&&o.target!==n||o&&!/transform$/.test(o.propertyName)||(n.removeEventListener(Ar,t),n._moveCb=null,Nr(n,e))})}}))},methods:{hasMove(t,e){if(!wr)return!1;if(this._hasMove)return this._hasMove;const n=t.cloneNode();t._transitionClasses&&t._transitionClasses.forEach(t=>{$r(n,t)}),vr(n,e),n.style.display="none",this.$el.appendChild(n);const o=Lr(n);return this.$el.removeChild(n),this._hasMove=o.hasTransform}}}};gn.config.mustUseProp=An,gn.config.isReservedTag=Un,gn.config.isReservedAttr=Cn,gn.config.getTagNamespace=zn,gn.config.isUnknownElement=function(t){if(!z)return!0;if(Un(t))return!1;if(t=t.toLowerCase(),null!=Vn[t])return Vn[t];const e=document.createElement(t);return t.indexOf("-")>-1?Vn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:Vn[t]=/HTMLUnknownElement/.test(e.toString())},A(gn.options.directives,Qr),A(gn.options.components,fs),gn.prototype.__patch__=z?zr:S,gn.prototype.__call_hook=function(t,e){const n=this;lt();const o=n.$options[t],r=`${t} hook`;let s;if(o)for(let t=0,i=o.length;t{t._update(t._render(),n)}),new rn(t,o,S,{before(){t._isMounted&&!t._isDestroyed&&We(t,"beforeUpdate")}},!0),n=!1,null==t.$vnode&&(We(t,"onServiceCreated"),We(t,"onServiceAttached"),t._isMounted=!0,We(t,"mounted")),t}(this,t=t&&z?Jn(t):void 0,e)},z&&setTimeout(()=>{I.devtools&&nt&&nt.emit("init",gn)},0);const ds=/\{\{((?:.|\r?\n)+?)\}\}/g,ps=/[-.*+?^${}()|[\]\/\\]/g,hs=v(t=>{const e=t[0].replace(ps,"\\$&"),n=t[1].replace(ps,"\\$&");return new RegExp(e+"((?:.|\\n)+?)"+n,"g")});var ms={staticKeys:["staticClass"],transformNode:function(t,e){e.warn;const n=So(t,"class");n&&(t.staticClass=JSON.stringify(n));const o=Oo(t,"class",!1);o&&(t.classBinding=o)},genData:function(t){let e="";return t.staticClass&&(e+=`staticClass:${t.staticClass},`),t.classBinding&&(e+=`class:${t.classBinding},`),e}};var gs={staticKeys:["staticStyle"],transformNode:function(t,e){e.warn;const n=So(t,"style");n&&(t.staticStyle=JSON.stringify(or(n)));const o=Oo(t,"style",!1);o&&(t.styleBinding=o)},genData:function(t){let e="";return t.staticStyle&&(e+=`staticStyle:${t.staticStyle},`),t.styleBinding&&(e+=`style:(${t.styleBinding}),`),e}};let ys;var vs={decode:t=>((ys=ys||document.createElement("div")).innerHTML=t,ys.textContent)};const $s=d("image,area,base,br,col,embed,frame,hr,img,input,isindex,keygen,link,meta,param,source,track,wbr"),_s=d("colgroup,dd,dt,li,options,p,td,tfoot,th,thead,tr,source"),bs=d("address,article,aside,base,blockquote,body,caption,col,colgroup,dd,details,dialog,div,dl,dt,fieldset,figcaption,figure,footer,form,h1,h2,h3,h4,h5,h6,head,header,hgroup,hr,html,legend,li,menuitem,meta,optgroup,option,param,rp,rt,source,style,summary,tbody,td,tfoot,th,thead,title,tr,track"),ws=/^\s*([^\s"'<>\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,xs=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Cs=`[a-zA-Z_][\\-\\.0-9_a-zA-Z${F.source}]*`,ks=`((?:${Cs}\\:)?${Cs})`,As=new RegExp(`^<${ks}`),Os=/^\s*(\/?)>/,Ss=new RegExp(`^<\\/${ks}[^>]*>`),Ts=/^]+>/i,js=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Ls=/&(?:lt|gt|quot|amp|#39);/g,Ps=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,Is=d("pre,textarea",!0),Fs=(t,e)=>t&&Is(t)&&"\n"===e[0];function Rs(t,e){const n=e?Ps:Ls;return t.replace(n,t=>Ms[t])}const Hs=/^@|^v-on:/,Bs=/^v-|^@|^:|^#/,Us=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,zs=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Vs=/^\(|\)$/g,Ks=/^\[.*\]$/,Js=/:(.*)$/,Ws=/^:|^\.|^v-bind:/,qs=/\.[^.\]]+(?=[^\]]*$)/g,Zs=/^v-slot(:|$)|^#/,Gs=/[\r\n]/,Xs=/\s+/g,Ys=v(vs.decode),Qs="_empty_";let ti,ei,ni,oi,ri,si,ii,ai;function ci(t,e,n){return{type:1,tag:t,attrsList:e,attrsMap:mi(e),rawAttrsMap:{},parent:n,children:[]}}function li(t,e){ti=e.warn||$o,si=e.isPreTag||T,ii=e.mustUseProp||T,ai=e.getTagNamespace||T;e.isReservedTag;ni=_o(e.modules,"transformNode"),oi=_o(e.modules,"preTransformNode"),ri=_o(e.modules,"postTransformNode"),ei=e.delimiters;const n=[],o=!1!==e.preserveWhitespace,r=e.whitespace;let s,i,a=!1,c=!1;function l(t){if(u(t),a||t.processed||(t=ui(t,e)),n.length||t===s||s.if&&(t.elseif||t.else)&&di(s,{exp:t.elseif,block:t}),i&&!t.forbidden)if(t.elseif||t.else)!function(t,e){const n=function(t){let e=t.length;for(;e--;){if(1===t[e].type)return t[e];t.pop()}}(e.children);n&&n.if&&di(n,{exp:t.elseif,block:t})}(t,i);else{if(t.slotScope){const e=t.slotTarget||'"default"';(i.scopedSlots||(i.scopedSlots={}))[e]=t}i.children.push(t),t.parent=i}t.children=t.children.filter(t=>!t.slotScope),u(t),t.pre&&(a=!1),si(t.tag)&&(c=!1);for(let n=0;n]*>)","i")),s=t.replace(r,function(t,r,s){return n=s.length,Ns(o)||"noscript"===o||(r=r.replace(//g,"$1").replace(//g,"$1")),Fs(o,r)&&(r=r.slice(1)),e.chars&&e.chars(r),""});c+=t.length-s.length,t=s,d(o,c-n,c)}else{let n,o,r,s=t.indexOf("<");if(0===s){if(js.test(t)){const n=t.indexOf("--\x3e");if(n>=0){e.shouldKeepComment&&e.comment(t.substring(4,n),c,c+n+3),l(n+3);continue}}if(Es.test(t)){const e=t.indexOf("]>");if(e>=0){l(e+2);continue}}const n=t.match(Ts);if(n){l(n[0].length);continue}const o=t.match(Ss);if(o){const t=c;l(o[0].length),d(o[1],t,c);continue}const r=u();if(r){f(r),Fs(r.tagName,t)&&l(1);continue}}if(s>=0){for(o=t.slice(s);!(Ss.test(o)||As.test(o)||js.test(o)||Es.test(o)||(r=o.indexOf("<",1))<0);)s+=r,o=t.slice(s);n=t.substring(0,s)}s<0&&(n=t),n&&l(n.length),e.chars&&n&&e.chars(n,c-n.length,c)}if(t===i){e.chars&&e.chars(t);break}}function l(e){c+=e,t=t.substring(e)}function u(){const e=t.match(As);if(e){const n={tagName:e[1],attrs:[],start:c};let o,r;for(l(e[0].length);!(o=t.match(Os))&&(r=t.match(xs)||t.match(ws));)r.start=c,l(r[0].length),r.end=c,n.attrs.push(r);if(o)return n.unarySlash=o[1],l(o[0].length),n.end=c,n}}function f(t){const i=t.tagName,c=t.unarySlash;o&&("p"===a&&bs(i)&&d(a),s(i)&&a===i&&d(i));const l=r(i)||!!c,u=t.attrs.length,f=new Array(u);for(let n=0;n=0&&n[s].lowerCasedTag!==i;s--);else s=0;if(s>=0){for(let t=n.length-1;t>=s;t--)e.end&&e.end(n[t].tag,o,r);n.length=s,a=s&&n[s-1].tag}else"br"===i?e.start&&e.start(t,[],!0,o,r):"p"===i&&(e.start&&e.start(t,[],!1,o,r),e.end&&e.end(t,o,r))}d()}(t,{warn:ti,expectHTML:e.expectHTML,isUnaryTag:e.isUnaryTag,canBeLeftOpenTag:e.canBeLeftOpenTag,shouldDecodeNewlines:e.shouldDecodeNewlines,shouldDecodeNewlinesForHref:e.shouldDecodeNewlinesForHref,shouldKeepComment:e.comments,outputSourceRange:e.outputSourceRange,start(t,o,r,u,f){const d=i&&i.ns||ai(t);W&&"svg"===d&&(o=function(t){const e=[];for(let n=0;nc&&(r.push(a=t.slice(c,i)),o.push(JSON.stringify(a)));const e=yo(s[1].trim());o.push(`_s(${e})`),r.push({"@binding":e}),c=i+s[0].length}return c{if(!t.slotScope)return t.parent=s,!0}),s.slotScope=e.value||Qs,t.children=[],t.plain=!1}}}(t),"slot"===(n=t).tag&&(n.slotName=Oo(n,"name")),function(t){let e;(e=Oo(t,"is"))&&(t.component=e);null!=So(t,"inline-template")&&(t.inlineTemplate=!0)}(t);for(let n=0;n{t[e.slice(1)]=!0}),t}}function mi(t){const e={};for(let n=0,o=t.length;n=0;n--){const o=e[n].name;if(0===o.indexOf(":change:")||0===o.indexOf("v-bind:change:")){const e=o.split(":"),n=e[e.length-1],r=t.attrsMap[":"+n]||t.attrsMap["v-bind:"+n];r&&((t.wxsPropBindings||(t.wxsPropBindings={}))["change:"+n]=r)}}},genData:function(t){let e="";return t.wxsPropBindings&&(e+=`wxsProps:${JSON.stringify(t.wxsPropBindings)},`),e}},ms,gs,{preTransformNode:function(t,e){if("input"===t.tag){const n=t.attrsMap;if(!n["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;let o;if((n[":type"]||n["v-bind:type"])&&(o=Oo(t,"type")),n.type||o||!n["v-bind"]||(o=`(${n["v-bind"]}).type`),o){const n=So(t,"v-if",!0),r=n?`&&(${n})`:"",s=null!=So(t,"v-else",!0),i=So(t,"v-else-if",!0),a=vi(t);fi(a),xo(a,"type","checkbox"),ui(a,e),a.processed=!0,a.if=`(${o})==='checkbox'`+r,di(a,{exp:a.if,block:a});const c=vi(t);So(c,"v-for",!0),xo(c,"type","radio"),ui(c,e),di(a,{exp:`(${o})==='radio'`+r,block:c});const l=vi(t);return So(l,"v-for",!0),xo(l,":type",o),ui(l,e),di(a,{exp:n,block:l}),s?a.else=!0:i&&(a.elseif=i),a}}}}];const _i={expectHTML:!0,modules:$i,directives:{model:function(t,e,n){const o=e.value,r=e.modifiers,s=t.tag,i=t.attrsMap.type;if(t.component)return Eo(t,o,r),!1;if("select"===s)!function(t,e,n){let o=`var $$selectedVal = ${'Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;'+`return ${n&&n.number?"_n(val)":"val"}})`};`;o=`${o} ${No(e,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]")}`,Ao(t,"change",o,null,!0)}(t,o,r);else if("input"===s&&"checkbox"===i)!function(t,e,n){const o=n&&n.number,r=Oo(t,"value")||"null",s=Oo(t,"true-value")||"true",i=Oo(t,"false-value")||"false";bo(t,"checked",`Array.isArray(${e})`+`?_i(${e},${r})>-1`+("true"===s?`:(${e})`:`:_q(${e},${s})`)),Ao(t,"change",`var $$a=${e},`+"$$el=$event.target,"+`$$c=$$el.checked?(${s}):(${i});`+"if(Array.isArray($$a)){"+`var $$v=${o?"_n("+r+")":r},`+"$$i=_i($$a,$$v);"+`if($$el.checked){$$i<0&&(${No(e,"$$a.concat([$$v])")})}`+`else{$$i>-1&&(${No(e,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")})}`+`}else{${No(e,"$$c")}}`,null,!0)}(t,o,r);else if("input"===s&&"radio"===i)!function(t,e,n){const o=n&&n.number;let r=Oo(t,"value")||"null";bo(t,"checked",`_q(${e},${r=o?`_n(${r})`:r})`),Ao(t,"change",No(e,r),null,!0)}(t,o,r);else if("input"===s||"textarea"===s)!function(t,e,n){const o=t.attrsMap.type,{lazy:r,number:s,trim:i}=n||{},a=!r&&"range"!==o,c=r?"change":"range"===o?Vo:"input";let l="$event.target.value";i&&(l="$event.target.value.trim()"),s&&(l=`_n(${l})`);let u=No(e,l);a&&(u=`if($event.target.composing)return;${u}`),bo(t,"value",`(${e})`),Ao(t,c,u,null,!0),(i||s)&&Ao(t,"blur","$forceUpdate()")}(t,o,r);else if(!I.isReservedTag(s))return Eo(t,o,r),!1;return!0},text:function(t,e){e.value&&bo(t,"textContent",`_s(${e.value})`,e)},html:function(t,e){e.value&&bo(t,"innerHTML",`_s(${e.value})`,e)}},isPreTag:t=>"pre"===t,isUnaryTag:$s,mustUseProp:An,canBeLeftOpenTag:_s,isReservedTag:Un,getTagNamespace:zn,staticKeys:function(t){return t.reduce((t,e)=>t.concat(e.staticKeys||[]),[]).join(",")}($i)};let bi,wi;const xi=v(function(t){return d("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(t?","+t:""))});function Ci(t,e){t&&(bi=xi(e.staticKeys||""),wi=e.isReservedTag||T,function t(e){e.static=function(t){if(2===t.type)return!1;if(3===t.type)return!0;return!(!t.pre&&(t.hasBindings||t.if||t.for||p(t.tag)||!wi(t.tag)||function(t){for(;t.parent;){if("template"!==(t=t.parent).tag)return!1;if(t.for)return!0}return!1}(t)||!Object.keys(t).every(bi)))}(e);if(1===e.type){if(!wi(e.tag)&&"slot"!==e.tag&&null==e.attrsMap["inline-template"])return;for(let n=0,o=e.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,Ai=/\([^)]*?\);*$/,Oi=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Si={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},Ti={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},ji=t=>`if(${t})return null;`,Ei={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:ji("$event.target !== $event.currentTarget"),ctrl:ji("!$event.ctrlKey"),shift:ji("!$event.shiftKey"),alt:ji("!$event.altKey"),meta:ji("!$event.metaKey"),left:ji("'button' in $event && $event.button !== 0"),middle:ji("'button' in $event && $event.button !== 1"),right:ji("'button' in $event && $event.button !== 2")};function Ni(t,e){const n=e?"nativeOn:":"on:";let o="",r="";for(const e in t){const n=Di(t[e]);t[e]&&t[e].dynamic?r+=`${e},${n},`:o+=`"${e}":${n},`}return o=`{${o.slice(0,-1)}}`,r?n+`_d(${o},[${r.slice(0,-1)}])`:n+o}function Di(t){if(!t)return"function(){}";if(Array.isArray(t))return`[${t.map(t=>Di(t)).join(",")}]`;const e=Oi.test(t.value),n=ki.test(t.value),o=Oi.test(t.value.replace(Ai,""));if(t.modifiers){let r="",s="";const i=[];for(const e in t.modifiers)if(Ei[e])s+=Ei[e],Si[e]&&i.push(e);else if("exact"===e){const e=t.modifiers;s+=ji(["ctrl","shift","alt","meta"].filter(t=>!e[t]).map(t=>`$event.${t}Key`).join("||"))}else i.push(e);return i.length&&(r+=function(t){return"if(!$event.type.indexOf('key')&&"+`${t.map(Mi).join("&&")})return null;`}(i)),s&&(r+=s),`function($event){${r}${e?`return ${t.value}($event)`:n?`return (${t.value})($event)`:o?`return ${t.value}`:t.value}}`}return e||n?t.value:`function($event){${o?`return ${t.value}`:t.value}}`}function Mi(t){const e=parseInt(t,10);if(e)return`$event.keyCode!==${e}`;const n=Si[t],o=Ti[t];return"_k($event.keyCode,"+`${JSON.stringify(t)},`+`${JSON.stringify(n)},`+"$event.key,"+`${JSON.stringify(o)}`+")"}var Li={on:function(t,e){t.wrapListeners=(t=>`_g(${t},${e.value})`)},bind:function(t,e){t.wrapData=(n=>`_b(${n},'${t.tag}',${e.value},${e.modifiers&&e.modifiers.prop?"true":"false"}${e.modifiers&&e.modifiers.sync?",true":""})`)},cloak:S};class Pi{constructor(t){this.options=t,this.warn=t.warn||$o,this.transforms=_o(t.modules,"transformCode"),this.dataGenFns=_o(t.modules,"genData"),this.directives=A(A({},Li),t.directives);const e=t.isReservedTag||T;this.maybeComponent=(t=>!!t.component||!e(t.tag)),this.onceId=0,this.staticRenderFns=[],this.pre=!1}}function Ii(t,e){const n=new Pi(e);return{render:`with(this){return ${t?Fi(t,n):'_c("div")'}}`,staticRenderFns:n.staticRenderFns}}function Fi(t,e){if(t.parent&&(t.pre=t.pre||t.parent.pre),t.staticRoot&&!t.staticProcessed)return Ri(t,e);if(t.once&&!t.onceProcessed)return Hi(t,e);if(t.for&&!t.forProcessed)return Ui(t,e);if(t.if&&!t.ifProcessed)return Bi(t,e);if("template"!==t.tag||t.slotTarget||e.pre){if("slot"===t.tag)return function(t,e){const n=t.slotName||'"default"',o=Ji(t,e);let r=`_t(${n}${o?`,${o}`:""}`;const s=t.attrs||t.dynamicAttrs?Zi((t.attrs||[]).concat(t.dynamicAttrs||[]).map(t=>({name:_(t.name),value:t.value,dynamic:t.dynamic}))):null,i=t.attrsMap["v-bind"];!s&&!i||o||(r+=",null");s&&(r+=`,${s}`);i&&(r+=`${s?"":",null"},${i}`);return r+")"}(t,e);{let n;if(t.component)n=function(t,e,n){const o=e.inlineTemplate?null:Ji(e,n,!0);return`_c(${t},${zi(e,n)}${o?`,${o}`:""})`}(t.component,t,e);else{let o;(!t.plain||t.pre&&e.maybeComponent(t))&&(o=zi(t,e));const r=t.inlineTemplate?null:Ji(t,e,!0);n=`_c('${t.tag}'${o?`,${o}`:""}${r?`,${r}`:""})`}for(let o=0;o{const n=e[t];return n.slotTargetDynamic||n.if||n.for||Vi(n)}),r=!!t.if;if(!o){let e=t.parent;for(;e;){if(e.slotScope&&e.slotScope!==Qs||e.for){o=!0;break}e.if&&(r=!0),e=e.parent}}const s=Object.keys(e).map(t=>Ki(e[t],n)).join(",");return`scopedSlots:_u([${s}]${o?",null,true":""}${!o&&r?`,null,false,${function(t){let e=5381,n=t.length;for(;n;)e=33*e^t.charCodeAt(--n);return e>>>0}(s)}`:""})`}(t,t.scopedSlots,e)},`),t.model&&(n+=`model:{value:${t.model.value},callback:${t.model.callback},expression:${t.model.expression}},`),t.inlineTemplate){const o=function(t,e){const n=t.children[0];if(n&&1===n.type){const t=Ii(n,e.options);return`inlineTemplate:{render:function(){${t.render}},staticRenderFns:[${t.staticRenderFns.map(t=>`function(){${t}}`).join(",")}]}`}}(t,e);o&&(n+=`${o},`)}return n=n.replace(/,$/,"")+"}",t.dynamicAttrs&&(n=`_b(${n},"${t.tag}",${Zi(t.dynamicAttrs)})`),t.wrapData&&(n=t.wrapData(n)),t.wrapListeners&&(n=t.wrapListeners(n)),n}function Vi(t){return 1===t.type&&("slot"===t.tag||t.children.some(Vi))}function Ki(t,e){const n=t.attrsMap["slot-scope"];if(t.if&&!t.ifProcessed&&!n)return Bi(t,e,Ki,"null");if(t.for&&!t.forProcessed)return Ui(t,e,Ki);const o=t.slotScope===Qs?"":String(t.slotScope),r=`function(${o}){`+`return ${"template"===t.tag?t.if&&n?`(${t.if})?${Ji(t,e)||"undefined"}:undefined`:Ji(t,e)||"undefined":Fi(t,e)}}`,s=o?"":",proxy:true";return`{key:${t.slotTarget||'"default"'},fn:${r}${s}}`}function Ji(t,e,n,o,r){const s=t.children;if(s.length){const t=s[0];if(1===s.length&&t.for&&"template"!==t.tag&&"slot"!==t.tag){const r=n?e.maybeComponent(t)?",1":",0":"";return`${(o||Fi)(t,e)}${r}`}const i=n?function(t,e){let n=0;for(let o=0;oWi(t.block))){n=2;break}(e(r)||r.ifConditions&&r.ifConditions.some(t=>e(t.block)))&&(n=1)}}return n}(s,e.maybeComponent):0,a=r||qi;return`[${s.map(t=>a(t,e)).join(",")}]${i?`,${i}`:""}`}}function Wi(t){return void 0!==t.for||"template"===t.tag||"slot"===t.tag}function qi(t,e){return 1===t.type?Fi(t,e):3===t.type&&t.isComment?(o=t,`_e(${JSON.stringify(o.text)})`):`_v(${2===(n=t).type?n.expression:Gi(JSON.stringify(n.text))})`;var n,o}function Zi(t){let e="",n="";for(let o=0;oXi(t,c)),e[s]=a}}const Qi=(ta=function(t,e){const n=li(t.trim(),e);!1!==e.optimize&&Ci(n,e);const o=Ii(n,e);return{ast:n,render:o.render,staticRenderFns:o.staticRenderFns}},function(t){function e(e,n){const o=Object.create(t),r=[],s=[];if(n){n.modules&&(o.modules=(t.modules||[]).concat(n.modules)),n.directives&&(o.directives=A(Object.create(t.directives||null),n.directives));for(const t in n)"modules"!==t&&"directives"!==t&&(o[t]=n[t])}o.warn=((t,e,n)=>{(n?s:r).push(t)});const i=ta(e.trim(),o);return i.errors=r,i.tips=s,i}return{compile:e,compileToFunctions:Yi(e)}});var ta;const{compile:ea,compileToFunctions:na}=Qi(_i);let oa;function ra(t){return(oa=oa||document.createElement("div")).innerHTML=t?'':'
',oa.innerHTML.indexOf(" ")>0}const sa=!!z&&ra(!1),ia=!!z&&ra(!0),aa=v(t=>{const e=Jn(t);return e&&e.innerHTML}),ca=gn.prototype.$mount;gn.prototype.$mount=function(t,e){if((t=t&&Jn(t))===document.body||t===document.documentElement)return this;const n=this.$options;if(!n.render){let e=n.template;if(e)if("string"==typeof e)"#"===e.charAt(0)&&(e=aa(e));else{if(!e.nodeType)return this;e=e.innerHTML}else t&&(e=function(t){if(t.outerHTML)return t.outerHTML;{const e=document.createElement("div");return e.appendChild(t.cloneNode(!0)),e.innerHTML}}(t));if(e){const{render:t,staticRenderFns:o}=na(e,{outputSourceRange:!1,shouldDecodeNewlines:sa,shouldDecodeNewlinesForHref:ia,delimiters:n.delimiters,comments:n.comments},this);n.render=t,n.staticRenderFns=o}}return ca.call(this,t,e)},gn.compile=na;export default gn; \ No newline at end of file +const t=Object.freeze({});function e(t){return null==t}function n(t){return null!=t}function o(t){return!0===t}function r(t){return"string"==typeof t||"number"==typeof t||"symbol"==typeof t||"boolean"==typeof t}function s(t){return null!==t&&"object"==typeof t}const i=Object.prototype.toString;function a(t){return"[object Object]"===i.call(t)}function c(t){const e=parseFloat(String(t));return e>=0&&Math.floor(e)===e&&isFinite(t)}function l(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function u(t){return null==t?"":Array.isArray(t)||a(t)&&t.toString===i?JSON.stringify(t,null,2):String(t)}function f(t){const e=parseFloat(t);return isNaN(e)?t:e}function d(t,e){const n=Object.create(null),o=t.split(",");for(let t=0;tn[t.toLowerCase()]:t=>n[t]}const p=d("slot,component",!0),h=d("key,ref,slot,slot-scope,is");function m(t,e){if(t.length){const n=t.indexOf(e);if(n>-1)return t.splice(n,1)}}const g=Object.prototype.hasOwnProperty;function y(t,e){return g.call(t,e)}function v(t){const e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}const $=/-(\w)/g,_=v(t=>t.replace($,(t,e)=>e?e.toUpperCase():"")),b=v(t=>t.charAt(0).toUpperCase()+t.slice(1)),w=/\B([A-Z])/g,x=v(t=>t.replace(w,"-$1").toLowerCase());const C=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){const o=arguments.length;return o?o>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function k(t,e){e=e||0;let n=t.length-e;const o=new Array(n);for(;n--;)o[n]=t[n+e];return o}function A(t,e){for(const n in e)t[n]=e[n];return t}function O(t){const e={};for(let n=0;n!1,j=t=>t;function E(t,e){if(t===e)return!0;const n=s(t),o=s(e);if(!n||!o)return!n&&!o&&String(t)===String(e);try{const n=Array.isArray(t),o=Array.isArray(e);if(n&&o)return t.length===e.length&&t.every((t,n)=>E(t,e[n]));if(t instanceof Date&&e instanceof Date)return t.getTime()===e.getTime();if(n||o)return!1;{const n=Object.keys(t),o=Object.keys(e);return n.length===o.length&&n.every(n=>E(t[n],e[n]))}}catch(t){return!1}}function N(t,e){for(let n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch;let Q,tt=!1;if(z)try{const t={};Object.defineProperty(t,"passive",{get(){tt=!0}}),window.addEventListener("test-passive",null,t)}catch(t){}const et=()=>(void 0===Q&&(Q=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),Q),nt=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function ot(t){return"function"==typeof t&&/native code/.test(t.toString())}const rt="undefined"!=typeof Symbol&&ot(Symbol)&&"undefined"!=typeof Reflect&&ot(Reflect.ownKeys);let st;st="undefined"!=typeof Set&&ot(Set)?Set:class{constructor(){this.set=Object.create(null)}has(t){return!0===this.set[t]}add(t){this.set[t]=!0}clear(){this.set=Object.create(null)}};let it=S,at=0;class ct{constructor(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=at++,this.subs=[]}addSub(t){this.subs.push(t)}removeSub(t){m(this.subs,t)}depend(){ct.SharedObject.target&&ct.SharedObject.target.addDep(this)}notify(){const t=this.subs.slice();for(let e=0,n=t.length;e{const e=new ft;return e.text=t,e.isComment=!0,e};function pt(t){return new ft(void 0,void 0,void 0,String(t))}function ht(t){const e=new ft(t.tag,t.data,t.children&&t.children.slice(),t.text,t.elm,t.context,t.componentOptions,t.asyncFactory);return e.ns=t.ns,e.isStatic=t.isStatic,e.key=t.key,e.isComment=t.isComment,e.fnContext=t.fnContext,e.fnOptions=t.fnOptions,e.fnScopeId=t.fnScopeId,e.asyncMeta=t.asyncMeta,e.isCloned=!0,e}const mt=Array.prototype,gt=Object.create(mt);["push","pop","shift","unshift","splice","sort","reverse"].forEach(function(t){const e=mt[t];H(gt,t,function(...n){const o=e.apply(this,n),r=this.__ob__;let s;switch(t){case"push":case"unshift":s=n;break;case"splice":s=n.slice(2)}return s&&r.observeArray(s),r.dep.notify(),o})});const yt=Object.getOwnPropertyNames(gt);let vt=!0;function $t(t){vt=t}class _t{constructor(t){var e;this.value=t,this.dep=new ct,this.vmCount=0,H(t,"__ob__",this),Array.isArray(t)?(U?(e=gt,t.__proto__=e):function(t,e,n){for(let o=0,r=n.length;o{kt[t]=St}),L.forEach(function(t){kt[t+"s"]=Tt}),kt.watch=function(t,e,n,o){if(t===Y&&(t=void 0),e===Y&&(e=void 0),!e)return Object.create(t||null);if(!t)return e;const r={};A(r,t);for(const t in e){let n=r[t];const o=e[t];n&&!Array.isArray(n)&&(n=[n]),r[t]=n?n.concat(o):Array.isArray(o)?o:[o]}return r},kt.props=kt.methods=kt.inject=kt.computed=function(t,e,n,o){if(!t)return e;const r=Object.create(null);return A(r,t),e&&A(r,e),r},kt.provide=Ot;const jt=function(t,e){return void 0===e?t:e};function Et(t,e,n){if("function"==typeof e&&(e=e.options),function(t,e){const n=t.props;if(!n)return;const o={};let r,s,i;if(Array.isArray(n))for(r=n.length;r--;)"string"==typeof(s=n[r])&&(o[i=_(s)]={type:null});else if(a(n))for(const t in n)s=n[t],o[i=_(t)]=a(s)?s:{type:s};t.props=o}(e),function(t,e){const n=t.inject;if(!n)return;const o=t.inject={};if(Array.isArray(n))for(let t=0;t-1)if(s&&!y(r,"default"))i=!1;else if(""===i||i===x(t)){const t=Pt(String,r.type);(t<0||aIt(t,o,r+" (Promise/async)")),s._handled=!0)}catch(t){It(t,o,r)}return s}function Rt(t,e,n){if(I.errorHandler)try{return I.errorHandler.call(null,t,e,n)}catch(e){e!==t&&Ht(e,null,"config.errorHandler")}Ht(t,e,n)}function Ht(t,e,n){if(!z&&!V||"undefined"==typeof console)throw t;console.error(t)}let Bt=!1;const Ut=[];let zt,Vt=!1;function Kt(){Vt=!1;const t=Ut.slice(0);Ut.length=0;for(let e=0;e{t.then(Kt),G&&setTimeout(S)}),Bt=!0}else if(W||"undefined"==typeof MutationObserver||!ot(MutationObserver)&&"[object MutationObserverConstructor]"!==MutationObserver.toString())zt="undefined"!=typeof setImmediate&&ot(setImmediate)?()=>{setImmediate(Kt)}:()=>{setTimeout(Kt,0)};else{let t=1;const e=new MutationObserver(Kt),n=document.createTextNode(String(t));e.observe(n,{characterData:!0}),zt=(()=>{t=(t+1)%2,n.data=String(t)}),Bt=!0}function Jt(t,e){let n;if(Ut.push(()=>{if(t)try{t.call(e)}catch(t){It(t,e,"nextTick")}else n&&n(e)}),Vt||(Vt=!0,zt()),!t&&"undefined"!=typeof Promise)return new Promise(t=>{n=t})}const Wt=new st;function qt(t){!function t(e,n){let o,r;const i=Array.isArray(e);if(!i&&!s(e)||Object.isFrozen(e)||e instanceof ft)return;if(e.__ob__){const t=e.__ob__.dep.id;if(n.has(t))return;n.add(t)}if(i)for(o=e.length;o--;)t(e[o],n);else for(r=Object.keys(e),o=r.length;o--;)t(e[r[o]],n)}(t,Wt),Wt.clear()}const Zt=v(t=>{const e="&"===t.charAt(0),n="~"===(t=e?t.slice(1):t).charAt(0),o="!"===(t=n?t.slice(1):t).charAt(0);return{name:t=o?t.slice(1):t,once:n,capture:o,passive:e}});function Gt(t,e){function n(){const t=n.fns;if(!Array.isArray(t))return Ft(t,null,arguments,e,"v-on handler");{const n=t.slice();for(let t=0;t0&&(ne((l=t(l,`${i||""}_${c}`))[0])&&ne(f)&&(a[u]=pt(f.text+l[0].text),l.shift()),a.push.apply(a,l)):r(l)?ne(f)?a[u]=pt(f.text+l):""!==l&&a.push(pt(l)):ne(l)&&ne(f)?a[u]=pt(f.text+l.text):(o(s._isVList)&&n(l.tag)&&e(l.key)&&n(i)&&(l.key=`__vlist${i}_${c}__`),a.push(l)));return a}(t):void 0}function ne(t){return n(t)&&n(t.text)&&!1===t.isComment}function oe(t,e){if(t){const n=Object.create(null),o=rt?Reflect.ownKeys(t):Object.keys(t);for(let r=0;r0,i=e?!!e.$stable:!s,a=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(i&&o&&o!==t&&a===o.$key&&!s&&!o.$hasNormal)return o;r={};for(const t in e)e[t]&&"$"!==t[0]&&(r[t]=ae(n,t,e[t]))}else r={};for(const t in n)t in r||(r[t]=ce(n,t));return e&&Object.isExtensible(e)&&(e._normalized=r),H(r,"$stable",i),H(r,"$key",a),H(r,"$hasNormal",s),r}function ae(t,e,n){const o=function(){let t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:ee(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:o,enumerable:!0,configurable:!0}),o}function ce(t,e){return()=>t[e]}function le(t,e){let o,r,i,a,c;if(Array.isArray(t)||"string"==typeof t)for(o=new Array(t.length),r=0,i=t.length;r(this.$slots||ie(e.scopedSlots,this.$slots=re(r,s)),this.$slots)),Object.defineProperty(this,"scopedSlots",{enumerable:!0,get(){return ie(e.scopedSlots,this.slots())}}),l&&(this.$options=a,this.$slots=this.slots(),this.$scopedSlots=ie(e.scopedSlots,this.$slots)),a._scopeId?this._c=((t,e,n,o)=>{const r=De(c,t,e,n,o,u);return r&&!Array.isArray(r)&&(r.fnScopeId=a._scopeId,r.fnContext=s),r}):this._c=((t,e,n,o)=>De(c,t,e,n,o,u))}function ke(t,e,n,o,r){const s=ht(t);return s.fnContext=n,s.fnOptions=o,e.slot&&((s.data||(s.data={})).slot=e.slot),s}function Ae(t,e){for(const n in e)t[_(n)]=e[n]}xe(Ce.prototype);const Oe={init(t,e){if(t.componentInstance&&!t.componentInstance._isDestroyed&&t.data.keepAlive){const e=t;Oe.prepatch(e,e)}else{(t.componentInstance=function(t,e){const o={_isComponent:!0,_parentVnode:t,parent:e},r=t.data.inlineTemplate;n(r)&&(o.render=r.render,o.staticRenderFns=r.staticRenderFns);return new t.componentOptions.Ctor(o)}(t,ze)).$mount(e?t.elm:void 0,e)}},prepatch(e,n){const o=n.componentOptions;!function(e,n,o,r,s){const i=r.data.scopedSlots,a=e.$scopedSlots,c=!!(i&&!i.$stable||a!==t&&!a.$stable||i&&e.$scopedSlots.$key!==i.$key),l=!!(s||e.$options._renderChildren||c);e.$options._parentVnode=r,e.$vnode=r,e._vnode&&(e._vnode.parent=r);if(e.$options._renderChildren=s,e.$attrs=r.data.attrs||t,e.$listeners=o||t,n&&e.$options.props){$t(!1);const t=e._props,o=e.$options._propKeys||[];for(let r=0;rm(o,i));const f=t=>{for(let t=0,e=o.length;t{t.resolved=Pe(e,r),a?o.length=0:f(!0)}),p=D(e=>{n(t.errorComp)&&(t.error=!0,f(!0))}),h=t(d,p);return s(h)&&(l(h)?e(t.resolved)&&h.then(d,p):l(h.component)&&(h.component.then(d,p),n(h.error)&&(t.errorComp=Pe(h.error,r)),n(h.loading)&&(t.loadingComp=Pe(h.loading,r),0===h.delay?t.loading=!0:c=setTimeout(()=>{c=null,e(t.resolved)&&e(t.error)&&(t.loading=!0,f(!1))},h.delay||200)),n(h.timeout)&&(u=setTimeout(()=>{u=null,e(t.resolved)&&p(null)},h.timeout)))),a=!1,t.loading?t.loadingComp:t.resolved}}(d=r,f)))return function(t,e,n,o,r){const s=dt();return s.asyncFactory=t,s.asyncMeta={data:e,context:n,children:o,tag:r},s}(d,i,a,c,u);i=i||{},mn(r),n(i.model)&&function(t,e){const o=t.model&&t.model.prop||"value",r=t.model&&t.model.event||"input";(e.attrs||(e.attrs={}))[o]=e.model.value;const s=e.on||(e.on={}),i=s[r],a=e.model.callback;n(i)?(Array.isArray(i)?-1===i.indexOf(a):i!==a)&&(s[r]=[a].concat(i)):s[r]=a}(r.options,i);const p=function(t,o,r,s){const i=o.options.props;if(e(i))return Qt(t,o,{},s);const a={},{attrs:c,props:l}=t;if(n(c)||n(l))for(const t in i){const e=x(t);te(a,l,t,e,!0)||te(a,c,t,e,!1)}return Qt(t,o,a,s)}(i,r,0,a);if(o(r.options.functional))return function(e,o,r,s,i){const a=e.options,c={},l=a.props;if(n(l))for(const e in l)c[e]=Dt(e,l,o||t);else n(r.attrs)&&Ae(c,r.attrs),n(r.props)&&Ae(c,r.props);const u=new Ce(r,c,i,s,e),f=a.render.call(null,u._c,u);if(f instanceof ft)return ke(f,r,u.parent,a);if(Array.isArray(f)){const t=ee(f)||[],e=new Array(t.length);for(let n=0;n{t(n,o),e(n,o)};return n._merged=!0,n}const Ee=1,Ne=2;function De(t,i,a,c,l,u){return(Array.isArray(a)||r(a))&&(l=c,c=a,a=void 0),o(u)&&(l=Ne),function(t,r,i,a,c){if(n(i)&&n(i.__ob__))return dt();n(i)&&n(i.is)&&(r=i.is);if(!r)return dt();Array.isArray(a)&&"function"==typeof a[0]&&((i=i||{}).scopedSlots={default:a[0]},a.length=0);c===Ne?a=ee(a):c===Ee&&(a=function(t){for(let e=0;e{ze=e}}function Ke(t){for(;t&&(t=t.$parent);)if(t._inactive)return!0;return!1}function Je(t,e){if(e){if(t._directInactive=!1,Ke(t))return}else if(t._directInactive)return;if(t._inactive||null===t._inactive){t._inactive=!1;for(let e=0;edocument.createEvent("Event").timeStamp&&(en=(()=>t.now()))}function nn(){let t,e;for(tn=en(),Ye=!0,qe.sort((t,e)=>t.id-e.id),Qe=0;QeQe&&qe[e].id>t.id;)e--;qe.splice(e+1,0,t)}else qe.push(t);Xe||(Xe=!0,Jt(nn))}}(this)}run(){if(this.active){const t=this.get();if(t!==this.value||s(t)||this.deep){const e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){It(t,this.vm,`callback for watcher "${this.expression}"`)}else this.cb.call(this.vm,t,e)}}}evaluate(){this.value=this.get(),this.dirty=!1}depend(){let t=this.deps.length;for(;t--;)this.deps[t].depend()}teardown(){if(this.active){this.vm._isBeingDestroyed||m(this.vm._watchers,this);let t=this.deps.length;for(;t--;)this.deps[t].removeSub(this);this.active=!1}}}const sn={enumerable:!0,configurable:!0,get:S,set:S};function an(t,e,n){sn.get=function(){return this[e][n]},sn.set=function(t){this[e][n]=t},Object.defineProperty(t,n,sn)}function cn(t){t._watchers=[];const e=t.$options;e.props&&function(t,e){const n=t.$options.propsData||{},o=t._props={},r=t.$options._propKeys=[];t.$parent&&$t(!1);for(const s in e){r.push(s);const i=Dt(s,e,n,t);wt(o,s,i),s in t||an(t,"_props",s)}$t(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(const n in e)t[n]="function"!=typeof e[n]?S:C(e[n],t)}(t,e.methods),e.data?function(t){let e=t.$options.data;a(e=t._data="function"==typeof e?function(t,e){lt();try{return t.call(e,e)}catch(t){return It(t,e,"data()"),{}}finally{ut()}}(e,t):e||{})||(e={});const n=Object.keys(e),o=t.$options.props;t.$options.methods;let r=n.length;for(;r--;){const e=n[r];o&&y(o,e)||R(e)||an(t,"_data",e)}bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){const n=t._computedWatchers=Object.create(null),o=et();for(const r in e){const s=e[r],i="function"==typeof s?s:s.get;o||(n[r]=new rn(t,i||S,S,ln)),r in t||un(t,r,s)}}(t,e.computed),e.watch&&e.watch!==Y&&function(t,e){for(const n in e){const o=e[n];if(Array.isArray(o))for(let e=0;e-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===i.call(n)&&t.test(e));var n}function _n(t,e){const{cache:n,keys:o,_vnode:r}=t;for(const t in n){const s=n[t];if(s){const i=vn(s.componentOptions);i&&!e(i)&&bn(n,t,o,r)}}}function bn(t,e,n,o){const r=t[e];!r||o&&r.tag===o.tag||r.componentInstance.$destroy(),t[e]=null,m(n,e)}!function(e){e.prototype._init=function(e){const n=this;n._uid=hn++,n._isVue=!0,e&&e._isComponent?function(t,e){const n=t.$options=Object.create(t.constructor.options),o=e._parentVnode;n.parent=e.parent,n._parentVnode=o;const r=o.componentOptions;n.propsData=r.propsData,n._parentListeners=r.listeners,n._renderChildren=r.children,n._componentTag=r.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(mn(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){const e=t.$options;let n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;const e=t.$options._parentListeners;e&&Ue(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;const n=e.$options,o=e.$vnode=n._parentVnode,r=o&&o.context;e.$slots=re(n._renderChildren,r),e.$scopedSlots=t,e._c=((t,n,o,r)=>De(e,t,n,o,r,!1)),e.$createElement=((t,n,o,r)=>De(e,t,n,o,r,!0));const s=o&&o.data;wt(e,"$attrs",s&&s.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),We(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){const e=oe(t.$options.inject,t);e&&($t(!1),Object.keys(e).forEach(n=>{wt(t,n,e[n])}),$t(!0))}(n),cn(n),"mp-toutiao"!==n.mpHost&&function(t){const e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&We(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(gn),function(t){const e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=xt,t.prototype.$delete=Ct,t.prototype.$watch=function(t,e,n){const o=this;if(a(e))return pn(o,t,e,n);(n=n||{}).user=!0;const r=new rn(o,t,e,n);if(n.immediate)try{e.call(o,r.value)}catch(t){It(t,o,`callback for immediate watcher "${r.expression}"`)}return function(){r.teardown()}}}(gn),function(t){const e=/^hook:/;t.prototype.$on=function(t,n){const o=this;if(Array.isArray(t))for(let e=0,r=t.length;e1?k(n):n;const o=k(arguments,1),r=`event handler for "${t}"`;for(let t=0,s=n.length;t{_n(this,e=>$n(t,e))}),this.$watch("exclude",t=>{_n(this,e=>!$n(t,e))})},render(){const t=this.$slots.default,e=Fe(t),n=e&&e.componentOptions;if(n){const t=vn(n),{include:o,exclude:r}=this;if(o&&(!t||!$n(o,t))||r&&t&&$n(r,t))return e;const{cache:s,keys:i}=this,a=null==e.key?n.Ctor.cid+(n.tag?`::${n.tag}`:""):e.key;s[a]?(e.componentInstance=s[a].componentInstance,m(i,a),i.push(a)):(s[a]=e,i.push(a),this.max&&i.length>parseInt(this.max)&&bn(s,i[0],i,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){const e={get:()=>I};Object.defineProperty(t,"config",e),t.util={warn:it,extend:A,mergeOptions:Et,defineReactive:wt},t.set=xt,t.delete=Ct,t.nextTick=Jt,t.observable=(t=>(bt(t),t)),t.options=Object.create(null),L.forEach(e=>{t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,xn),function(t){t.use=function(t){const e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;const n=k(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),yn(t),function(t){L.forEach(e=>{t[e]=function(t,n){return n?("component"===e&&a(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(gn),Object.defineProperty(gn.prototype,"$isServer",{get:et}),Object.defineProperty(gn.prototype,"$ssrContext",{get(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(gn,"FunctionalRenderContext",{value:Ce}),gn.version="2.6.11";const Cn=d("style,class"),kn=d("input,textarea,option,select,progress"),An=(t,e,n)=>"value"===n&&kn(t)&&"button"!==e||"selected"===n&&"option"===t||"checked"===n&&"input"===t||"muted"===n&&"video"===t,On=d("contenteditable,draggable,spellcheck"),Sn=d("events,caret,typing,plaintext-only"),Tn=(t,e)=>Mn(e)||"false"===e?"false":"contenteditable"===t&&Sn(e)?e:"true",jn=d("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),En="http://www.w3.org/1999/xlink",Nn=t=>":"===t.charAt(5)&&"xlink"===t.slice(0,5),Dn=t=>Nn(t)?t.slice(6,t.length):"",Mn=t=>null==t||!1===t;function Ln(t){let e=t.data,o=t,r=t;for(;n(r.componentInstance);)(r=r.componentInstance._vnode)&&r.data&&(e=Pn(r.data,e));for(;n(o=o.parent);)o&&o.data&&(e=Pn(e,o.data));return function(t,e){if(n(t)||n(e))return In(t,Fn(e));return""}(e.staticClass,e.class)}function Pn(t,e){return{staticClass:In(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function In(t,e){return t?e?t+" "+e:t:e||""}function Fn(t){return Array.isArray(t)?function(t){let e,o="";for(let r=0,s=t.length;rHn(t)||Bn(t);function zn(t){return Bn(t)?"svg":"math"===t?"math":void 0}const Vn=Object.create(null);const Kn=d("text,number,password,search,email,tel,url");function Jn(t){if("string"==typeof t){const e=document.querySelector(t);return e||document.createElement("div")}return t}var Wn=Object.freeze({createElement:function(t,e){const n=document.createElement(t);return"select"!==t?n:(e.data&&e.data.attrs&&void 0!==e.data.attrs.multiple&&n.setAttribute("multiple","multiple"),n)},createElementNS:function(t,e){return document.createElementNS(Rn[t],e)},createTextNode:function(t){return document.createTextNode(t)},createComment:function(t){return document.createComment(t)},insertBefore:function(t,e,n){t.insertBefore(e,n)},removeChild:function(t,e){t.removeChild(e)},appendChild:function(t,e){t.appendChild(e)},parentNode:function(t){return t.parentNode},nextSibling:function(t){return t.nextSibling},tagName:function(t){return t.tagName},setTextContent:function(t,e){t.textContent=e},setStyleScope:function(t,e){t.setAttribute(e,"")}}),qn={create(t,e){Zn(e)},update(t,e){t.data.ref!==e.data.ref&&(Zn(t,!0),Zn(e))},destroy(t){Zn(t,!0)}};function Zn(t,e){const o=t.data.ref;if(!n(o))return;const r=t.context,s=t.componentInstance||t.elm,i=r.$refs;e?Array.isArray(i[o])?m(i[o],s):i[o]===s&&(i[o]=void 0):t.data.refInFor?Array.isArray(i[o])?i[o].indexOf(s)<0&&i[o].push(s):i[o]=[s]:i[o]=s}const Gn=new ft("",{},[]),Xn=["create","activate","update","remove","destroy"];function Yn(t,r){return t.key===r.key&&(t.tag===r.tag&&t.isComment===r.isComment&&n(t.data)===n(r.data)&&function(t,e){if("input"!==t.tag)return!0;let o;const r=n(o=t.data)&&n(o=o.attrs)&&o.type,s=n(o=e.data)&&n(o=o.attrs)&&o.type;return r===s||Kn(r)&&Kn(s)}(t,r)||o(t.isAsyncPlaceholder)&&t.asyncFactory===r.asyncFactory&&e(r.asyncFactory.error))}function Qn(t,e,o){let r,s;const i={};for(r=e;r<=o;++r)n(s=t[r].key)&&(i[s]=r);return i}var to={create:eo,update:eo,destroy:function(t){eo(t,Gn)}};function eo(t,e){(t.data.directives||e.data.directives)&&function(t,e){const n=t===Gn,o=e===Gn,r=oo(t.data.directives,t.context),s=oo(e.data.directives,e.context),i=[],a=[];let c,l,u;for(c in s)l=r[c],u=s[c],l?(u.oldValue=l.value,u.oldArg=l.arg,so(u,"update",e,t),u.def&&u.def.componentUpdated&&a.push(u)):(so(u,"bind",e,t),u.def&&u.def.inserted&&i.push(u));if(i.length){const o=()=>{for(let n=0;n{for(let n=0;n{e[o]&&(n[t[o]]=e[o],delete e[o])}),n}(n.data.wxsProps,n.data.attrs),i=n.context;n.$wxsWatches={},Object.keys(s).forEach(t=>{let e=t;n.context.wxsProps&&(e="wxsProps."+t),n.$wxsWatches[t]=o[t]||n.context.$watch(e,function(e,o){s[t](e,o,i.$getComponentDescriptor(i,!0),n.elm.__vue__.$getComponentDescriptor(n.elm.__vue__,!1))},{deep:!0})}),Object.keys(o).forEach(t=>{n.$wxsWatches[t]||(o[t](),delete o[t])})}var co={create:ao,update:ao};function lo(t,o){const r=o.componentOptions;if(n(r)&&!1===r.Ctor.options.inheritAttrs)return;if(e(t.data.attrs)&&e(o.data.attrs))return;let s,i,a;const c=o.elm,l=t.data.attrs||{};let u=o.data.attrs||{};for(s in n(u.__ob__)&&(u=o.data.attrs=A({},u)),u)i=u[s],(a=l[s])!==i&&uo(c,s,i);for(s in(W||Z)&&u.value!==l.value&&uo(c,"value",u.value),l)e(u[s])&&(Nn(s)?c.removeAttributeNS(En,Dn(s)):On(s)||c.removeAttribute(s))}function uo(t,e,n){t.tagName.indexOf("-")>-1?fo(t,e,n):jn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):On(e)?t.setAttribute(e,Tn(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(En,Dn(e)):t.setAttributeNS(En,e,n):fo(t,e,n)}function fo(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){const e=n=>{n.stopImmediatePropagation(),t.removeEventListener("input",e)};t.addEventListener("input",e),t.__ieph=!0}t.setAttribute(e,n)}}var po={create:lo,update:lo};function ho(t,o){const r=o.elm,s=o.data,i=t.data;if(e(s.staticClass)&&e(s.class)&&(e(i)||e(i.staticClass)&&e(i.class))&&e(r.__wxsAddClass)&&e(r.__wxsRemoveClass))return;let a=Ln(o);const c=r._transitionClasses;if(n(c)&&(a=In(a,Fn(c))),Array.isArray(r.__wxsRemoveClass)&&r.__wxsRemoveClass.length){const t=a.split(/\s+/);r.__wxsRemoveClass.forEach(e=>{const n=t.findIndex(t=>t===e);-1!==n&&t.splice(n,1)}),a=t.join(" "),r.__wxsRemoveClass.length=0}if(r.__wxsAddClass){const t=a.split(/\s+/).concat(r.__wxsAddClass.split(/\s+/)),e=Object.create(null);t.forEach(t=>{t&&(e[t]=1)}),a=Object.keys(e).join(" ")}const l=o.context,u=l.$options.mpOptions&&l.$options.mpOptions.externalClasses;Array.isArray(u)&&u.forEach(t=>{const e=l[_(t)];e&&(a=a.replace(t,e))}),a!==r._prevClass&&(r.setAttribute("class",a),r._prevClass=a)}var mo={create:ho,update:ho};const go=/[\w).+\-_$\]]/;function yo(t){let e,n,o,r,s,i=!1,a=!1,c=!1,l=!1,u=0,f=0,d=0,p=0;for(o=0;o=0&&" "===(e=t.charAt(n));n--);e&&go.test(e)||(l=!0)}}else void 0===r?(p=o+1,r=t.slice(0,o).trim()):h();function h(){(s||(s=[])).push(t.slice(p,o).trim()),p=o+1}if(void 0===r?r=t.slice(0,o).trim():0!==p&&h(),s)for(o=0;ot[e]).filter(t=>t):[]}function bo(t,e,n,o,r){(t.props||(t.props=[])).push(jo({name:e,value:n,dynamic:r},o)),t.plain=!1}function wo(t,e,n,o,r){(r?t.dynamicAttrs||(t.dynamicAttrs=[]):t.attrs||(t.attrs=[])).push(jo({name:e,value:n,dynamic:r},o)),t.plain=!1}function xo(t,e,n,o){t.attrsMap[e]=n,t.attrsList.push(jo({name:e,value:n},o))}function Co(t,e,n,o,r,s,i,a){(t.directives||(t.directives=[])).push(jo({name:e,rawName:n,value:o,arg:r,isDynamicArg:s,modifiers:i},a)),t.plain=!1}function ko(t,e,n){return n?`_p(${e},"${t}")`:t+e}function Ao(e,n,o,r,s,i,a,c){let l;(r=r||t).right?c?n=`(${n})==='click'?'contextmenu':(${n})`:"click"===n&&(n="contextmenu",delete r.right):r.middle&&(c?n=`(${n})==='click'?'mouseup':(${n})`:"click"===n&&(n="mouseup")),r.capture&&(delete r.capture,n=ko("!",n,c)),r.once&&(delete r.once,n=ko("~",n,c)),r.passive&&(delete r.passive,n=ko("&",n,c)),r.native?(delete r.native,l=e.nativeEvents||(e.nativeEvents={})):l=e.events||(e.events={});const u=jo({value:o.trim(),dynamic:c},a);r!==t&&(u.modifiers=r);const f=l[n];Array.isArray(f)?s?f.unshift(u):f.push(u):l[n]=f?s?[u,f]:[f,u]:u,e.plain=!1}function Oo(t,e,n){const o=So(t,":"+e)||So(t,"v-bind:"+e);if(null!=o)return yo(o);if(!1!==n){const n=So(t,e);if(null!=n)return JSON.stringify(n)}}function So(t,e,n){let o;if(null!=(o=t.attrsMap[e])){const n=t.attrsList;for(let t=0,o=n.length;t-1?{exp:t.slice(0,Po),key:'"'+t.slice(Po+1)+'"'}:{exp:t,key:null};Mo=t,Po=Io=Fo=0;for(;!Ho();)Bo(Lo=Ro())?zo(Lo):91===Lo&&Uo(Lo);return{exp:t.slice(0,Io),key:t.slice(Io+1,Fo)}}(t);return null===n.key?`${t}=${e}`:`$set(${n.exp}, ${n.key}, ${e})`}let Do,Mo,Lo,Po,Io,Fo;function Ro(){return Mo.charCodeAt(++Po)}function Ho(){return Po>=Do}function Bo(t){return 34===t||39===t}function Uo(t){let e=1;for(Io=Po;!Ho();)if(Bo(t=Ro()))zo(t);else if(91===t&&e++,93===t&&e--,0===e){Fo=Po;break}}function zo(t){const e=t;for(;!Ho()&&(t=Ro())!==e;);}const Vo="__r",Ko="__c";let Jo;function Wo(t,e,n){const o=Jo;return function r(){null!==e.apply(null,arguments)&&Go(t,r,n,o)}}const qo=Bt&&!(X&&Number(X[1])<=53);function Zo(t,e,n,o){if(qo){const t=tn,n=e;e=n._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=t||e.timeStamp<=0||e.target.ownerDocument!==document)return n.apply(this,arguments)}}Jo.addEventListener(t,e,tt?{capture:n,passive:o}:n)}function Go(t,e,n,o){(o||Jo).removeEventListener(t,e._wrapper||e,n)}function Xo(t,o){if(e(t.data.on)&&e(o.data.on))return;const r=o.data.on||{},s=t.data.on||{};Jo=o.elm,function(t){if(n(t[Vo])){const e=W?"change":"input";t[e]=[].concat(t[Vo],t[e]||[]),delete t[Vo]}n(t[Ko])&&(t.change=[].concat(t[Ko],t.change||[]),delete t[Ko])}(r),Xt(r,s,Zo,Go,Wo,o.context),Jo=void 0}var Yo={create:Xo,update:Xo};let Qo;function tr(t,o){if(e(t.data.domProps)&&e(o.data.domProps))return;let r,s;const i=o.elm,a=t.data.domProps||{};let c=o.data.domProps||{};for(r in n(c.__ob__)&&(c=o.data.domProps=A({},c)),a)r in c||(i[r]="");for(r in c){if(s=c[r],"textContent"===r||"innerHTML"===r){if(o.children&&(o.children.length=0),s===a[r])continue;1===i.childNodes.length&&i.removeChild(i.childNodes[0])}if("value"===r&&"PROGRESS"!==i.tagName){i._value=s;const t=e(s)?"":String(s);er(i,t)&&(i.value=t)}else if("innerHTML"===r&&Bn(i.tagName)&&e(i.innerHTML)){(Qo=Qo||document.createElement("div")).innerHTML=`${s}`;const t=Qo.firstChild;for(;i.firstChild;)i.removeChild(i.firstChild);for(;t.firstChild;)i.appendChild(t.firstChild)}else if(s!==a[r])try{i[r]=s}catch(t){}}}function er(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){let n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){const o=t.value,r=t._vModifiers;if(n(r)){if(r.number)return f(o)!==f(e);if(r.trim)return o.trim()!==e.trim()}return o!==e}(t,e))}var nr={create:tr,update:tr};const or=v(function(t){const e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){const o=t.split(n);o.length>1&&(e[o[0].trim()]=o[1].trim())}}),e});function rr(t){const e=sr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function sr(t){return Array.isArray(t)?O(t):"string"==typeof t?or(t):t}const ir=/^--/,ar=/\s*!important$/,cr=/([+-]?\d+(\.\d+)?)[r|u]px/g,lr=t=>"string"==typeof t?t.replace(cr,(t,e)=>uni.upx2px(e)+"px"):t,ur=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,fr=(t,e,n,o)=>{if(o&&o._$getRealPath&&n&&(n=((t,e)=>{if("string"==typeof t&&-1!==t.indexOf("url(")){const n=t.match(ur);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t})(n,o)),ir.test(e))t.style.setProperty(e,n);else if(ar.test(n))t.style.setProperty(x(e),n.replace(ar,""),"important");else{const o=hr(e);if(Array.isArray(n))for(let e=0,r=n.length;e-1?e.split(yr).forEach(e=>t.classList.add(e)):t.classList.add(e);else{const n=` ${t.getAttribute("class")||""} `;n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function $r(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(yr).forEach(e=>t.classList.remove(e)):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{let n=` ${t.getAttribute("class")||""} `;const o=" "+e+" ";for(;n.indexOf(o)>=0;)n=n.replace(o," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function _r(t){if(t){if("object"==typeof t){const e={};return!1!==t.css&&A(e,br(t.name||"v")),A(e,t),e}return"string"==typeof t?br(t):void 0}}const br=v(t=>({enterClass:`${t}-enter`,enterToClass:`${t}-enter-to`,enterActiveClass:`${t}-enter-active`,leaveClass:`${t}-leave`,leaveToClass:`${t}-leave-to`,leaveActiveClass:`${t}-leave-active`})),wr=z&&!q,xr="transition",Cr="animation";let kr="transition",Ar="transitionend",Or="animation",Sr="animationend";wr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(kr="WebkitTransition",Ar="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Or="WebkitAnimation",Sr="webkitAnimationEnd"));const Tr=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:t=>t();function jr(t){Tr(()=>{Tr(t)})}function Er(t,e){const n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),vr(t,e))}function Nr(t,e){t._transitionClasses&&m(t._transitionClasses,e),$r(t,e)}function Dr(t,e,n){const{type:o,timeout:r,propCount:s}=Lr(t,e);if(!o)return n();const i=o===xr?Ar:Sr;let a=0;const c=()=>{t.removeEventListener(i,l),n()},l=e=>{e.target===t&&++a>=s&&c()};setTimeout(()=>{a0&&(l=xr,u=s,f=r.length):e===Cr?c>0&&(l=Cr,u=c,f=a.length):f=(l=(u=Math.max(s,c))>0?s>c?xr:Cr:null)?l===xr?r.length:a.length:0,{type:l,timeout:u,propCount:f,hasTransform:l===xr&&Mr.test(n[kr+"Property"])}}function Pr(t,e){for(;t.lengthIr(e)+Ir(t[n])))}function Ir(t){return 1e3*Number(t.slice(0,-1).replace(",","."))}function Fr(t,o){const r=t.elm;n(r._leaveCb)&&(r._leaveCb.cancelled=!0,r._leaveCb());const i=_r(t.data.transition);if(e(i))return;if(n(r._enterCb)||1!==r.nodeType)return;const{css:a,type:c,enterClass:l,enterToClass:u,enterActiveClass:d,appearClass:p,appearToClass:h,appearActiveClass:m,beforeEnter:g,enter:y,afterEnter:v,enterCancelled:$,beforeAppear:_,appear:b,afterAppear:w,appearCancelled:x,duration:C}=i;let k=ze,A=ze.$vnode;for(;A&&A.parent;)k=A.context,A=A.parent;const O=!k._isMounted||!t.isRootInsert;if(O&&!b&&""!==b)return;const S=O&&p?p:l,T=O&&m?m:d,j=O&&h?h:u,E=O&&_||g,N=O&&"function"==typeof b?b:y,M=O&&w||v,L=O&&x||$,P=f(s(C)?C.enter:C),I=!1!==a&&!q,F=Br(N),R=r._enterCb=D(()=>{I&&(Nr(r,j),Nr(r,T)),R.cancelled?(I&&Nr(r,S),L&&L(r)):M&&M(r),r._enterCb=null});t.data.show||Yt(t,"insert",()=>{const e=r.parentNode,n=e&&e._pending&&e._pending[t.key];n&&n.tag===t.tag&&n.elm._leaveCb&&n.elm._leaveCb(),N&&N(r,R)}),E&&E(r),I&&(Er(r,S),Er(r,T),jr(()=>{Nr(r,S),R.cancelled||(Er(r,j),F||(Hr(P)?setTimeout(R,P):Dr(r,c,R)))})),t.data.show&&(o&&o(),N&&N(r,R)),I||F||R()}function Rr(t,o){const r=t.elm;n(r._enterCb)&&(r._enterCb.cancelled=!0,r._enterCb());const i=_r(t.data.transition);if(e(i)||1!==r.nodeType)return o();if(n(r._leaveCb))return;const{css:a,type:c,leaveClass:l,leaveToClass:u,leaveActiveClass:d,beforeLeave:p,leave:h,afterLeave:m,leaveCancelled:g,delayLeave:y,duration:v}=i,$=!1!==a&&!q,_=Br(h),b=f(s(v)?v.leave:v),w=r._leaveCb=D(()=>{r.parentNode&&r.parentNode._pending&&(r.parentNode._pending[t.key]=null),$&&(Nr(r,u),Nr(r,d)),w.cancelled?($&&Nr(r,l),g&&g(r)):(o(),m&&m(r)),r._leaveCb=null});function x(){w.cancelled||(!t.data.show&&r.parentNode&&((r.parentNode._pending||(r.parentNode._pending={}))[t.key]=t),p&&p(r),$&&(Er(r,l),Er(r,d),jr(()=>{Nr(r,l),w.cancelled||(Er(r,u),_||(Hr(b)?setTimeout(w,b):Dr(r,c,w)))})),h&&h(r,w),$||_||w())}y?y(x):x()}function Hr(t){return"number"==typeof t&&!isNaN(t)}function Br(t){if(e(t))return!1;const o=t.fns;return n(o)?Br(Array.isArray(o)?o[0]:o):(t._length||t.length)>1}function Ur(t,e){!0!==e.data.show&&Fr(e)}const zr=function(t){let s,i;const a={},{modules:c,nodeOps:l}=t;for(s=0;sm?$(t,d=e(r[v+1])?null:r[v+1].elm,r,h,v,s):h>v&&b(o,p,m)}(d,m,y,s,u):n(y)?(n(t.text)&&l.setTextContent(d,""),$(d,null,y,0,y.length-1,s)):n(m)?b(m,0,m.length-1):n(t.text)&&l.setTextContent(d,""):t.text!==r.text&&l.setTextContent(d,r.text),n(h)&&n(p=h.hook)&&n(p=p.postpatch)&&p(t,r)}function k(t,e,r){if(o(r)&&n(t.parent))t.parent.data.pendingInsert=e;else for(let t=0;t{const t=document.activeElement;t&&t.vmodel&&Xr(t,"input")});const Vr={inserted(t,e,n,o){"select"===n.tag?(o.elm&&!o.elm._vOptions?Yt(n,"postpatch",()=>{Vr.componentUpdated(t,e,n)}):Kr(t,e,n.context),t._vOptions=[].map.call(t.options,qr)):("textarea"===n.tag||Kn(t.type))&&(t._vModifiers=e.modifiers,e.modifiers.lazy||(t.addEventListener("compositionstart",Zr),t.addEventListener("compositionend",Gr),t.addEventListener("change",Gr),q&&(t.vmodel=!0)))},componentUpdated(t,e,n){if("select"===n.tag){Kr(t,e,n.context);const o=t._vOptions,r=t._vOptions=[].map.call(t.options,qr);if(r.some((t,e)=>!E(t,o[e]))){(t.multiple?e.value.some(t=>Wr(t,r)):e.value!==e.oldValue&&Wr(e.value,r))&&Xr(t,"change")}}}};function Kr(t,e,n){Jr(t,e,n),(W||Z)&&setTimeout(()=>{Jr(t,e,n)},0)}function Jr(t,e,n){const o=e.value,r=t.multiple;if(r&&!Array.isArray(o))return;let s,i;for(let e=0,n=t.options.length;e-1,i.selected!==s&&(i.selected=s);else if(E(qr(i),o))return void(t.selectedIndex!==e&&(t.selectedIndex=e));r||(t.selectedIndex=-1)}function Wr(t,e){return e.every(e=>!E(e,t))}function qr(t){return"_value"in t?t._value:t.value}function Zr(t){t.target.composing=!0}function Gr(t){t.target.composing&&(t.target.composing=!1,Xr(t.target,"input"))}function Xr(t,e){const n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Yr(t){return!t.componentInstance||t.data&&t.data.transition?t:Yr(t.componentInstance._vnode)}var Qr={model:Vr,show:{bind(t,{value:e},n){const o=(n=Yr(n)).data&&n.data.transition,r=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;e&&o?(n.data.show=!0,Fr(n,()=>{t.style.display=r})):t.style.display=e?r:"none"},update(t,{value:e,oldValue:n},o){if(!e==!n)return;(o=Yr(o)).data&&o.data.transition?(o.data.show=!0,e?Fr(o,()=>{t.style.display=t.__vOriginalDisplay}):Rr(o,()=>{t.style.display="none"})):t.style.display=e?t.__vOriginalDisplay:"none"},unbind(t,e,n,o,r){r||(t.style.display=t.__vOriginalDisplay)}}};const ts={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function es(t){const e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?es(Fe(e.children)):t}function ns(t){const e={},n=t.$options;for(const o in n.propsData)e[o]=t[o];const o=n._parentListeners;for(const t in o)e[_(t)]=o[t];return e}function os(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}const rs=t=>t.tag||Ie(t),ss=t=>"show"===t.name;var is={name:"transition",props:ts,abstract:!0,render(t){let e=this.$slots.default;if(!e)return;if(!(e=e.filter(rs)).length)return;const n=this.mode,o=e[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return o;const s=es(o);if(!s)return o;if(this._leaving)return os(t,o);const i=`__transition-${this._uid}-`;s.key=null==s.key?s.isComment?i+"comment":i+s.tag:r(s.key)?0===String(s.key).indexOf(i)?s.key:i+s.key:s.key;const a=(s.data||(s.data={})).transition=ns(this),c=this._vnode,l=es(c);if(s.data.directives&&s.data.directives.some(ss)&&(s.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(s,l)&&!Ie(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){const e=l.data.transition=A({},a);if("out-in"===n)return this._leaving=!0,Yt(e,"afterLeave",()=>{this._leaving=!1,this.$forceUpdate()}),os(t,o);if("in-out"===n){if(Ie(s))return c;let t;const n=()=>{t()};Yt(a,"afterEnter",n),Yt(a,"enterCancelled",n),Yt(e,"delayLeave",e=>{t=e})}}return o}};const as=A({tag:String,moveClass:String},ts);function cs(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function ls(t){t.data.newPos=t.elm.getBoundingClientRect()}function us(t){const e=t.data.pos,n=t.data.newPos,o=e.left-n.left,r=e.top-n.top;if(o||r){t.data.moved=!0;const e=t.elm.style;e.transform=e.WebkitTransform=`translate(${o}px,${r}px)`,e.transitionDuration="0s"}}delete as.mode;var fs={Transition:is,TransitionGroup:{props:as,beforeMount(){const t=this._update;this._update=((e,n)=>{const o=Ve(this);this.__patch__(this._vnode,this.kept,!1,!0),this._vnode=this.kept,o(),t.call(this,e,n)})},render(t){const e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),o=this.prevChildren=this.children,r=this.$slots.default||[],s=this.children=[],i=ns(this);for(let t=0;t{if(t.data.moved){const n=t.elm,o=n.style;Er(n,e),o.transform=o.WebkitTransform=o.transitionDuration="",n.addEventListener(Ar,n._moveCb=function t(o){o&&o.target!==n||o&&!/transform$/.test(o.propertyName)||(n.removeEventListener(Ar,t),n._moveCb=null,Nr(n,e))})}}))},methods:{hasMove(t,e){if(!wr)return!1;if(this._hasMove)return this._hasMove;const n=t.cloneNode();t._transitionClasses&&t._transitionClasses.forEach(t=>{$r(n,t)}),vr(n,e),n.style.display="none",this.$el.appendChild(n);const o=Lr(n);return this.$el.removeChild(n),this._hasMove=o.hasTransform}}}};gn.config.mustUseProp=An,gn.config.isReservedTag=Un,gn.config.isReservedAttr=Cn,gn.config.getTagNamespace=zn,gn.config.isUnknownElement=function(t){if(!z)return!0;if(Un(t))return!1;if(t=t.toLowerCase(),null!=Vn[t])return Vn[t];const e=document.createElement(t);return t.indexOf("-")>-1?Vn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:Vn[t]=/HTMLUnknownElement/.test(e.toString())},A(gn.options.directives,Qr),A(gn.options.components,fs),gn.prototype.__patch__=z?zr:S,gn.prototype.__call_hook=function(t,e){const n=this;lt();const o=n.$options[t],r=`${t} hook`;let s;if(o)for(let t=0,i=o.length;t{t._update(t._render(),n)}),new rn(t,o,S,{before(){t._isMounted&&!t._isDestroyed&&We(t,"beforeUpdate")}},!0),n=!1,null==t.$vnode&&(We(t,"onServiceCreated"),We(t,"onServiceAttached"),t._isMounted=!0,We(t,"mounted")),t}(this,t=t&&z?Jn(t):void 0,e)},z&&setTimeout(()=>{I.devtools&&nt&&nt.emit("init",gn)},0);const ds=/\{\{((?:.|\r?\n)+?)\}\}/g,ps=/[-.*+?^${}()|[\]\/\\]/g,hs=v(t=>{const e=t[0].replace(ps,"\\$&"),n=t[1].replace(ps,"\\$&");return new RegExp(e+"((?:.|\\n)+?)"+n,"g")});var ms={staticKeys:["staticClass"],transformNode:function(t,e){e.warn;const n=So(t,"class");n&&(t.staticClass=JSON.stringify(n));const o=Oo(t,"class",!1);o&&(t.classBinding=o)},genData:function(t){let e="";return t.staticClass&&(e+=`staticClass:${t.staticClass},`),t.classBinding&&(e+=`class:${t.classBinding},`),e}};var gs={staticKeys:["staticStyle"],transformNode:function(t,e){e.warn;const n=So(t,"style");n&&(t.staticStyle=JSON.stringify(or(n)));const o=Oo(t,"style",!1);o&&(t.styleBinding=o)},genData:function(t){let e="";return t.staticStyle&&(e+=`staticStyle:${t.staticStyle},`),t.styleBinding&&(e+=`style:(${t.styleBinding}),`),e}};let ys;var vs={decode:t=>((ys=ys||document.createElement("div")).innerHTML=t,ys.textContent)};const $s=d("image,area,base,br,col,embed,frame,hr,img,input,isindex,keygen,link,meta,param,source,track,wbr"),_s=d("colgroup,dd,dt,li,options,p,td,tfoot,th,thead,tr,source"),bs=d("address,article,aside,base,blockquote,body,caption,col,colgroup,dd,details,dialog,div,dl,dt,fieldset,figcaption,figure,footer,form,h1,h2,h3,h4,h5,h6,head,header,hgroup,hr,html,legend,li,menuitem,meta,optgroup,option,param,rp,rt,source,style,summary,tbody,td,tfoot,th,thead,title,tr,track"),ws=/^\s*([^\s"'<>\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,xs=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,Cs=`[a-zA-Z_][\\-\\.0-9_a-zA-Z${F.source}]*`,ks=`((?:${Cs}\\:)?${Cs})`,As=new RegExp(`^<${ks}`),Os=/^\s*(\/?)>/,Ss=new RegExp(`^<\\/${ks}[^>]*>`),Ts=/^]+>/i,js=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Ls=/&(?:lt|gt|quot|amp|#39);/g,Ps=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,Is=d("pre,textarea",!0),Fs=(t,e)=>t&&Is(t)&&"\n"===e[0];function Rs(t,e){const n=e?Ps:Ls;return t.replace(n,t=>Ms[t])}const Hs=/^@|^v-on:/,Bs=/^v-|^@|^:|^#/,Us=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,zs=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,Vs=/^\(|\)$/g,Ks=/^\[.*\]$/,Js=/:(.*)$/,Ws=/^:|^\.|^v-bind:/,qs=/\.[^.\]]+(?=[^\]]*$)/g,Zs=/^v-slot(:|$)|^#/,Gs=/[\r\n]/,Xs=/\s+/g,Ys=v(vs.decode),Qs="_empty_";let ti,ei,ni,oi,ri,si,ii,ai;function ci(t,e,n){return{type:1,tag:t,attrsList:e,attrsMap:mi(e),rawAttrsMap:{},parent:n,children:[]}}function li(t,e){ti=e.warn||$o,si=e.isPreTag||T,ii=e.mustUseProp||T,ai=e.getTagNamespace||T;e.isReservedTag;ni=_o(e.modules,"transformNode"),oi=_o(e.modules,"preTransformNode"),ri=_o(e.modules,"postTransformNode"),ei=e.delimiters;const n=[],o=!1!==e.preserveWhitespace,r=e.whitespace;let s,i,a=!1,c=!1;function l(t){if(u(t),a||t.processed||(t=ui(t,e)),n.length||t===s||s.if&&(t.elseif||t.else)&&di(s,{exp:t.elseif,block:t}),i&&!t.forbidden)if(t.elseif||t.else)!function(t,e){const n=function(t){let e=t.length;for(;e--;){if(1===t[e].type)return t[e];t.pop()}}(e.children);n&&n.if&&di(n,{exp:t.elseif,block:t})}(t,i);else{if(t.slotScope){const e=t.slotTarget||'"default"';(i.scopedSlots||(i.scopedSlots={}))[e]=t}i.children.push(t),t.parent=i}t.children=t.children.filter(t=>!t.slotScope),u(t),t.pre&&(a=!1),si(t.tag)&&(c=!1);for(let n=0;n]*>)","i")),s=t.replace(r,function(t,r,s){return n=s.length,Ns(o)||"noscript"===o||(r=r.replace(//g,"$1").replace(//g,"$1")),Fs(o,r)&&(r=r.slice(1)),e.chars&&e.chars(r),""});c+=t.length-s.length,t=s,d(o,c-n,c)}else{let n,o,r,s=t.indexOf("<");if(0===s){if(js.test(t)){const n=t.indexOf("--\x3e");if(n>=0){e.shouldKeepComment&&e.comment(t.substring(4,n),c,c+n+3),l(n+3);continue}}if(Es.test(t)){const e=t.indexOf("]>");if(e>=0){l(e+2);continue}}const n=t.match(Ts);if(n){l(n[0].length);continue}const o=t.match(Ss);if(o){const t=c;l(o[0].length),d(o[1],t,c);continue}const r=u();if(r){f(r),Fs(r.tagName,t)&&l(1);continue}}if(s>=0){for(o=t.slice(s);!(Ss.test(o)||As.test(o)||js.test(o)||Es.test(o)||(r=o.indexOf("<",1))<0);)s+=r,o=t.slice(s);n=t.substring(0,s)}s<0&&(n=t),n&&l(n.length),e.chars&&n&&e.chars(n,c-n.length,c)}if(t===i){e.chars&&e.chars(t);break}}function l(e){c+=e,t=t.substring(e)}function u(){const e=t.match(As);if(e){const n={tagName:e[1],attrs:[],start:c};let o,r;for(l(e[0].length);!(o=t.match(Os))&&(r=t.match(xs)||t.match(ws));)r.start=c,l(r[0].length),r.end=c,n.attrs.push(r);if(o)return n.unarySlash=o[1],l(o[0].length),n.end=c,n}}function f(t){const i=t.tagName,c=t.unarySlash;o&&("p"===a&&bs(i)&&d(a),s(i)&&a===i&&d(i));const l=r(i)||!!c,u=t.attrs.length,f=new Array(u);for(let n=0;n=0&&n[s].lowerCasedTag!==i;s--);else s=0;if(s>=0){for(let t=n.length-1;t>=s;t--)e.end&&e.end(n[t].tag,o,r);n.length=s,a=s&&n[s-1].tag}else"br"===i?e.start&&e.start(t,[],!0,o,r):"p"===i&&(e.start&&e.start(t,[],!1,o,r),e.end&&e.end(t,o,r))}d()}(t,{warn:ti,expectHTML:e.expectHTML,isUnaryTag:e.isUnaryTag,canBeLeftOpenTag:e.canBeLeftOpenTag,shouldDecodeNewlines:e.shouldDecodeNewlines,shouldDecodeNewlinesForHref:e.shouldDecodeNewlinesForHref,shouldKeepComment:e.comments,outputSourceRange:e.outputSourceRange,start(t,o,r,u,f){const d=i&&i.ns||ai(t);W&&"svg"===d&&(o=function(t){const e=[];for(let n=0;nc&&(r.push(a=t.slice(c,i)),o.push(JSON.stringify(a)));const e=yo(s[1].trim());o.push(`_s(${e})`),r.push({"@binding":e}),c=i+s[0].length}return c{if(!t.slotScope)return t.parent=s,!0}),s.slotScope=e.value||Qs,t.children=[],t.plain=!1}}}(t),"slot"===(n=t).tag&&(n.slotName=Oo(n,"name")),function(t){let e;(e=Oo(t,"is"))&&(t.component=e);null!=So(t,"inline-template")&&(t.inlineTemplate=!0)}(t);for(let n=0;n{t[e.slice(1)]=!0}),t}}function mi(t){const e={};for(let n=0,o=t.length;n=0;n--){const o=e[n].name;if(0===o.indexOf(":change:")||0===o.indexOf("v-bind:change:")){const e=o.split(":"),n=e[e.length-1],r=t.attrsMap[":"+n]||t.attrsMap["v-bind:"+n];r&&((t.wxsPropBindings||(t.wxsPropBindings={}))["change:"+n]=r)}}},genData:function(t){let e="";return t.wxsPropBindings&&(e+=`wxsProps:${JSON.stringify(t.wxsPropBindings)},`),e}},ms,gs,{preTransformNode:function(t,e){if("input"===t.tag){const n=t.attrsMap;if(!n["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;let o;if((n[":type"]||n["v-bind:type"])&&(o=Oo(t,"type")),n.type||o||!n["v-bind"]||(o=`(${n["v-bind"]}).type`),o){const n=So(t,"v-if",!0),r=n?`&&(${n})`:"",s=null!=So(t,"v-else",!0),i=So(t,"v-else-if",!0),a=vi(t);fi(a),xo(a,"type","checkbox"),ui(a,e),a.processed=!0,a.if=`(${o})==='checkbox'`+r,di(a,{exp:a.if,block:a});const c=vi(t);So(c,"v-for",!0),xo(c,"type","radio"),ui(c,e),di(a,{exp:`(${o})==='radio'`+r,block:c});const l=vi(t);return So(l,"v-for",!0),xo(l,":type",o),ui(l,e),di(a,{exp:n,block:l}),s?a.else=!0:i&&(a.elseif=i),a}}}}];const _i={expectHTML:!0,modules:$i,directives:{model:function(t,e,n){const o=e.value,r=e.modifiers,s=t.tag,i=t.attrsMap.type;if(t.component)return Eo(t,o,r),!1;if("select"===s)!function(t,e,n){let o=`var $$selectedVal = ${'Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;'+`return ${n&&n.number?"_n(val)":"val"}})`};`;o=`${o} ${No(e,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]")}`,Ao(t,"change",o,null,!0)}(t,o,r);else if("input"===s&&"checkbox"===i)!function(t,e,n){const o=n&&n.number,r=Oo(t,"value")||"null",s=Oo(t,"true-value")||"true",i=Oo(t,"false-value")||"false";bo(t,"checked",`Array.isArray(${e})`+`?_i(${e},${r})>-1`+("true"===s?`:(${e})`:`:_q(${e},${s})`)),Ao(t,"change",`var $$a=${e},`+"$$el=$event.target,"+`$$c=$$el.checked?(${s}):(${i});`+"if(Array.isArray($$a)){"+`var $$v=${o?"_n("+r+")":r},`+"$$i=_i($$a,$$v);"+`if($$el.checked){$$i<0&&(${No(e,"$$a.concat([$$v])")})}`+`else{$$i>-1&&(${No(e,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")})}`+`}else{${No(e,"$$c")}}`,null,!0)}(t,o,r);else if("input"===s&&"radio"===i)!function(t,e,n){const o=n&&n.number;let r=Oo(t,"value")||"null";bo(t,"checked",`_q(${e},${r=o?`_n(${r})`:r})`),Ao(t,"change",No(e,r),null,!0)}(t,o,r);else if("input"===s||"textarea"===s)!function(t,e,n){const o=t.attrsMap.type,{lazy:r,number:s,trim:i}=n||{},a=!r&&"range"!==o,c=r?"change":"range"===o?Vo:"input";let l="$event.target.value";i&&(l="$event.target.value.trim()"),s&&(l=`_n(${l})`);let u=No(e,l);a&&(u=`if($event.target.composing)return;${u}`),bo(t,"value",`(${e})`),Ao(t,c,u,null,!0),(i||s)&&Ao(t,"blur","$forceUpdate()")}(t,o,r);else if(!I.isReservedTag(s))return Eo(t,o,r),!1;return!0},text:function(t,e){e.value&&bo(t,"textContent",`_s(${e.value})`,e)},html:function(t,e){e.value&&bo(t,"innerHTML",`_s(${e.value})`,e)}},isPreTag:t=>"pre"===t,isUnaryTag:$s,mustUseProp:An,canBeLeftOpenTag:_s,isReservedTag:Un,getTagNamespace:zn,staticKeys:function(t){return t.reduce((t,e)=>t.concat(e.staticKeys||[]),[]).join(",")}($i)};let bi,wi;const xi=v(function(t){return d("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(t?","+t:""))});function Ci(t,e){t&&(bi=xi(e.staticKeys||""),wi=e.isReservedTag||T,function t(e){e.static=function(t){if(2===t.type)return!1;if(3===t.type)return!0;return!(!t.pre&&(t.hasBindings||t.if||t.for||p(t.tag)||!wi(t.tag)||function(t){for(;t.parent;){if("template"!==(t=t.parent).tag)return!1;if(t.for)return!0}return!1}(t)||!Object.keys(t).every(bi)))}(e);if(1===e.type){if(!wi(e.tag)&&"slot"!==e.tag&&null==e.attrsMap["inline-template"])return;for(let n=0,o=e.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,Ai=/\([^)]*?\);*$/,Oi=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Si={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},Ti={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},ji=t=>`if(${t})return null;`,Ei={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:ji("$event.target !== $event.currentTarget"),ctrl:ji("!$event.ctrlKey"),shift:ji("!$event.shiftKey"),alt:ji("!$event.altKey"),meta:ji("!$event.metaKey"),left:ji("'button' in $event && $event.button !== 0"),middle:ji("'button' in $event && $event.button !== 1"),right:ji("'button' in $event && $event.button !== 2")};function Ni(t,e){const n=e?"nativeOn:":"on:";let o="",r="";for(const e in t){const n=Di(t[e]);t[e]&&t[e].dynamic?r+=`${e},${n},`:o+=`"${e}":${n},`}return o=`{${o.slice(0,-1)}}`,r?n+`_d(${o},[${r.slice(0,-1)}])`:n+o}function Di(t){if(!t)return"function(){}";if(Array.isArray(t))return`[${t.map(t=>Di(t)).join(",")}]`;const e=Oi.test(t.value),n=ki.test(t.value),o=Oi.test(t.value.replace(Ai,""));if(t.modifiers){let r="",s="";const i=[];for(const e in t.modifiers)if(Ei[e])s+=Ei[e],Si[e]&&i.push(e);else if("exact"===e){const e=t.modifiers;s+=ji(["ctrl","shift","alt","meta"].filter(t=>!e[t]).map(t=>`$event.${t}Key`).join("||"))}else i.push(e);return i.length&&(r+=function(t){return"if(!$event.type.indexOf('key')&&"+`${t.map(Mi).join("&&")})return null;`}(i)),s&&(r+=s),`function($event){${r}${e?`return ${t.value}($event)`:n?`return (${t.value})($event)`:o?`return ${t.value}`:t.value}}`}return e||n?t.value:`function($event){${o?`return ${t.value}`:t.value}}`}function Mi(t){const e=parseInt(t,10);if(e)return`$event.keyCode!==${e}`;const n=Si[t],o=Ti[t];return"_k($event.keyCode,"+`${JSON.stringify(t)},`+`${JSON.stringify(n)},`+"$event.key,"+`${JSON.stringify(o)}`+")"}var Li={on:function(t,e){t.wrapListeners=(t=>`_g(${t},${e.value})`)},bind:function(t,e){t.wrapData=(n=>`_b(${n},'${t.tag}',${e.value},${e.modifiers&&e.modifiers.prop?"true":"false"}${e.modifiers&&e.modifiers.sync?",true":""})`)},cloak:S};class Pi{constructor(t){this.options=t,this.warn=t.warn||$o,this.transforms=_o(t.modules,"transformCode"),this.dataGenFns=_o(t.modules,"genData"),this.directives=A(A({},Li),t.directives);const e=t.isReservedTag||T;this.maybeComponent=(t=>!!t.component||!e(t.tag)),this.onceId=0,this.staticRenderFns=[],this.pre=!1}}function Ii(t,e){const n=new Pi(e);return{render:`with(this){return ${t?Fi(t,n):'_c("div")'}}`,staticRenderFns:n.staticRenderFns}}function Fi(t,e){if(t.parent&&(t.pre=t.pre||t.parent.pre),t.staticRoot&&!t.staticProcessed)return Ri(t,e);if(t.once&&!t.onceProcessed)return Hi(t,e);if(t.for&&!t.forProcessed)return Ui(t,e);if(t.if&&!t.ifProcessed)return Bi(t,e);if("template"!==t.tag||t.slotTarget||e.pre){if("slot"===t.tag)return function(t,e){const n=t.slotName||'"default"',o=Ji(t,e);let r=`_t(${n}${o?`,${o}`:""}`;const s=t.attrs||t.dynamicAttrs?Zi((t.attrs||[]).concat(t.dynamicAttrs||[]).map(t=>({name:_(t.name),value:t.value,dynamic:t.dynamic}))):null,i=t.attrsMap["v-bind"];!s&&!i||o||(r+=",null");s&&(r+=`,${s}`);i&&(r+=`${s?"":",null"},${i}`);return r+")"}(t,e);{let n;if(t.component)n=function(t,e,n){const o=e.inlineTemplate?null:Ji(e,n,!0);return`_c(${t},${zi(e,n)}${o?`,${o}`:""})`}(t.component,t,e);else{let o;(!t.plain||t.pre&&e.maybeComponent(t))&&(o=zi(t,e));const r=t.inlineTemplate?null:Ji(t,e,!0);n=`_c('${t.tag}'${o?`,${o}`:""}${r?`,${r}`:""})`}for(let o=0;o{const n=e[t];return n.slotTargetDynamic||n.if||n.for||Vi(n)}),r=!!t.if;if(!o){let e=t.parent;for(;e;){if(e.slotScope&&e.slotScope!==Qs||e.for){o=!0;break}e.if&&(r=!0),e=e.parent}}const s=Object.keys(e).map(t=>Ki(e[t],n)).join(",");return`scopedSlots:_u([${s}]${o?",null,true":""}${!o&&r?`,null,false,${function(t){let e=5381,n=t.length;for(;n;)e=33*e^t.charCodeAt(--n);return e>>>0}(s)}`:""})`}(t,t.scopedSlots,e)},`),t.model&&(n+=`model:{value:${t.model.value},callback:${t.model.callback},expression:${t.model.expression}},`),t.inlineTemplate){const o=function(t,e){const n=t.children[0];if(n&&1===n.type){const t=Ii(n,e.options);return`inlineTemplate:{render:function(){${t.render}},staticRenderFns:[${t.staticRenderFns.map(t=>`function(){${t}}`).join(",")}]}`}}(t,e);o&&(n+=`${o},`)}return n=n.replace(/,$/,"")+"}",t.dynamicAttrs&&(n=`_b(${n},"${t.tag}",${Zi(t.dynamicAttrs)})`),t.wrapData&&(n=t.wrapData(n)),t.wrapListeners&&(n=t.wrapListeners(n)),n}function Vi(t){return 1===t.type&&("slot"===t.tag||t.children.some(Vi))}function Ki(t,e){const n=t.attrsMap["slot-scope"];if(t.if&&!t.ifProcessed&&!n)return Bi(t,e,Ki,"null");if(t.for&&!t.forProcessed)return Ui(t,e,Ki);const o=t.slotScope===Qs?"":String(t.slotScope),r=`function(${o}){`+`return ${"template"===t.tag?t.if&&n?`(${t.if})?${Ji(t,e)||"undefined"}:undefined`:Ji(t,e)||"undefined":Fi(t,e)}}`,s=o?"":",proxy:true";return`{key:${t.slotTarget||'"default"'},fn:${r}${s}}`}function Ji(t,e,n,o,r){const s=t.children;if(s.length){const t=s[0];if(1===s.length&&t.for&&"template"!==t.tag&&"slot"!==t.tag){const r=n?e.maybeComponent(t)?",1":",0":"";return`${(o||Fi)(t,e)}${r}`}const i=n?function(t,e){let n=0;for(let o=0;oWi(t.block))){n=2;break}(e(r)||r.ifConditions&&r.ifConditions.some(t=>e(t.block)))&&(n=1)}}return n}(s,e.maybeComponent):0,a=r||qi;return`[${s.map(t=>a(t,e)).join(",")}]${i?`,${i}`:""}`}}function Wi(t){return void 0!==t.for||"template"===t.tag||"slot"===t.tag}function qi(t,e){return 1===t.type?Fi(t,e):3===t.type&&t.isComment?(o=t,`_e(${JSON.stringify(o.text)})`):`_v(${2===(n=t).type?n.expression:Gi(JSON.stringify(n.text))})`;var n,o}function Zi(t){let e="",n="";for(let o=0;oXi(t,c)),e[s]=a}}const Qi=(ta=function(t,e){const n=li(t.trim(),e);!1!==e.optimize&&Ci(n,e);const o=Ii(n,e);return{ast:n,render:o.render,staticRenderFns:o.staticRenderFns}},function(t){function e(e,n){const o=Object.create(t),r=[],s=[];if(n){n.modules&&(o.modules=(t.modules||[]).concat(n.modules)),n.directives&&(o.directives=A(Object.create(t.directives||null),n.directives));for(const t in n)"modules"!==t&&"directives"!==t&&(o[t]=n[t])}o.warn=((t,e,n)=>{(n?s:r).push(t)});const i=ta(e.trim(),o);return i.errors=r,i.tips=s,i}return{compile:e,compileToFunctions:Yi(e)}});var ta;const{compile:ea,compileToFunctions:na}=Qi(_i);let oa;function ra(t){return(oa=oa||document.createElement("div")).innerHTML=t?'':'
',oa.innerHTML.indexOf(" ")>0}const sa=!!z&&ra(!1),ia=!!z&&ra(!0),aa=v(t=>{const e=Jn(t);return e&&e.innerHTML}),ca=gn.prototype.$mount;gn.prototype.$mount=function(t,e){if((t=t&&Jn(t))===document.body||t===document.documentElement)return this;const n=this.$options;if(!n.render){let e=n.template;if(e)if("string"==typeof e)"#"===e.charAt(0)&&(e=aa(e));else{if(!e.nodeType)return this;e=e.innerHTML}else t&&(e=function(t){if(t.outerHTML)return t.outerHTML;{const e=document.createElement("div");return e.appendChild(t.cloneNode(!0)),e.innerHTML}}(t));if(e){const{render:t,staticRenderFns:o}=na(e,{outputSourceRange:!1,shouldDecodeNewlines:sa,shouldDecodeNewlinesForHref:ia,delimiters:n.delimiters,comments:n.comments},this);n.render=t,n.staticRenderFns=o}}return ca.call(this,t,e)},gn.compile=na;export default gn; \ No newline at end of file diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.js index 8884eabba..49d840f22 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.esm.js @@ -6807,6 +6807,8 @@ function updateWxsProps(oldVnode, vnode) { context.$getComponentDescriptor(context, true), vnode.elm.__vue__.$getComponentDescriptor(vnode.elm.__vue__, false) ); + }, { + deep: true }); }); diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.js index 6d2bfe289..d6458cc37 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.js @@ -6789,6 +6789,8 @@ context.$getComponentDescriptor(context, true), vnode.elm.__vue__.$getComponentDescriptor(vnode.elm.__vue__, false) ); + }, { + deep: true }); }); diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.min.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.min.js index d4f2f7921..722d99882 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.min.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.min.js @@ -3,4 +3,4 @@ * (c) 2014-2020 Evan You * Released under the MIT License. */ -!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?module.exports=t():"function"==typeof define&&define.amd?define(t):(e=e||self).Vue=t()}(this,function(){"use strict";var e=Object.freeze({});function t(e){return null==e}function n(e){return null!=e}function r(e){return!0===e}function i(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function o(e){return null!==e&&"object"==typeof e}var a=Object.prototype.toString;function s(e){return"[object Object]"===a.call(e)}function c(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function u(e){return n(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function l(e){return null==e?"":Array.isArray(e)||s(e)&&e.toString===a?JSON.stringify(e,null,2):String(e)}function f(e){var t=parseFloat(e);return isNaN(t)?e:t}function p(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var m=Object.prototype.hasOwnProperty;function y(e,t){return m.call(e,t)}function g(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var _=/-(\w)/g,b=g(function(e){return e.replace(_,function(e,t){return t?t.toUpperCase():""})}),$=g(function(e){return e.charAt(0).toUpperCase()+e.slice(1)}),w=/\B([A-Z])/g,x=g(function(e){return e.replace(w,"-$1").toLowerCase()});var C=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function k(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function A(e,t){for(var n in t)e[n]=t[n];return e}function O(e){for(var t={},n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch,Q=!1;if(z)try{var ee={};Object.defineProperty(ee,"passive",{get:function(){Q=!0}}),window.addEventListener("test-passive",null,ee)}catch(e){}var te=function(){return void 0===B&&(B=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),B},ne=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function re(e){return"function"==typeof e&&/native code/.test(e.toString())}var ie,oe="undefined"!=typeof Symbol&&re(Symbol)&&"undefined"!=typeof Reflect&&re(Reflect.ownKeys);ie="undefined"!=typeof Set&&re(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var ae=S,se=0,ce=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=se++,this.subs=[]};function ue(e){ce.SharedObject.targetStack.push(e),ce.SharedObject.target=e}function le(){ce.SharedObject.targetStack.pop(),ce.SharedObject.target=ce.SharedObject.targetStack[ce.SharedObject.targetStack.length-1]}ce.prototype.addSub=function(e){this.subs.push(e)},ce.prototype.removeSub=function(e){h(this.subs,e)},ce.prototype.depend=function(){ce.SharedObject.target&&ce.SharedObject.target.addDep(this)},ce.prototype.notify=function(){for(var e=this.subs.slice(),t=0,n=e.length;t-1)if(o&&!y(i,"default"))a=!1;else if(""===a||a===x(e)){var c=Ie(String,i.type);(c<0||s0&&(st((u=e(u,(a||"")+"_"+c))[0])&&st(f)&&(s[l]=ve(f.text+u[0].text),u.shift()),s.push.apply(s,u)):i(u)?st(f)?s[l]=ve(f.text+u):""!==u&&s.push(ve(u)):st(u)&&st(f)?s[l]=ve(f.text+u.text):(r(o._isVList)&&n(u.tag)&&t(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(e):void 0}function st(e){return n(e)&&n(e.text)&&!1===e.isComment}function ct(e,t){if(e){for(var n=Object.create(null),r=oe?Reflect.ownKeys(e):Object.keys(e),i=0;i0,a=t?!!t.$stable:!o,s=t&&t.$key;if(t){if(t._normalized)return t._normalized;if(a&&r&&r!==e&&s===r.$key&&!o&&!r.$hasNormal)return r;for(var c in i={},t)t[c]&&"$"!==c[0]&&(i[c]=pt(n,c,t[c]))}else i={};for(var u in n)u in i||(i[u]=dt(n,u));return t&&Object.isExtensible(t)&&(t._normalized=i),R(i,"$stable",a),R(i,"$key",s),R(i,"$hasNormal",o),i}function pt(e,t,n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:at(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function dt(e,t){return function(){return e[t]}}function vt(e,t){var r,i,a,s,c;if(Array.isArray(e)||"string"==typeof e)for(r=new Array(e.length),i=0,a=e.length;idocument.createEvent("Event").timeStamp&&(sn=function(){return cn.now()})}function un(){var e,t;for(an=sn(),rn=!0,Qt.sort(function(e,t){return e.id-t.id}),on=0;onon&&Qt[n].id>e.id;)n--;Qt.splice(n+1,0,e)}else Qt.push(e);nn||(nn=!0,Xe(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||o(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Fe(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length;e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||h(this.vm._watchers,this);for(var e=this.deps.length;e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:S,set:S};function dn(e,t,n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e,t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&be(!1);var o=function(o){i.push(o);var a=Me(o,t,n,e);xe(r,o,a),o in e||dn(e,"_props",o)};for(var a in t)o(a);be(!0)}(e,t.props),t.methods&&function(e,t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?S:C(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;s(t=e._data="function"==typeof t?function(e,t){ue();try{return e.call(t,t)}catch(e){return Fe(e,t,"data()"),{}}finally{le()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(;i--;){var o=n[i];r&&y(r,o)||(a=void 0,36!==(a=(o+"").charCodeAt(0))&&95!==a&&dn(e,"_data",o))}var a;we(t,!0)}(e):we(e._data={},!0),t.computed&&function(e,t){var n=e._computedWatchers=Object.create(null),r=te();for(var i in t){var o=t[i],a="function"==typeof o?o:o.get;r||(n[i]=new fn(e,a||S,S,hn)),i in e||mn(e,i,o)}}(e,t.computed),t.watch&&t.watch!==Y&&function(e,t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0;i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:(n=e,"[object RegExp]"===a.call(n)&&e.test(t));var n}function An(e,t){var n=e.cache,r=e.keys,i=e._vnode;for(var o in n){var a=n[o];if(a){var s=Cn(a.componentOptions);s&&!t(s)&&On(n,o,r,i)}}}function On(e,t,n,r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,h(n,t)}!function(t){t.prototype._init=function(t){var n=this;n._uid=bn++,n._isVue=!0,t&&t._isComponent?function(e,t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(n,t):n.$options=Ne($n(n.constructor),t||{},n),n._renderProxy=n,n._self=n,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(n),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Wt(e,t)}(n),function(t){t._vnode=null,t._staticTrees=null;var n=t.$options,r=t.$vnode=n._parentVnode,i=r&&r.context;t.$slots=ut(n._renderChildren,i),t.$scopedSlots=e,t._c=function(e,n,r,i){return Ft(t,e,n,r,i,!1)},t.$createElement=function(e,n,r,i){return Ft(t,e,n,r,i,!0)};var o=r&&r.data;xe(t,"$attrs",o&&o.attrs||e,null,!0),xe(t,"$listeners",n._parentListeners||e,null,!0)}(n),Yt(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(e){var t=ct(e.$options.inject,e);t&&(be(!1),Object.keys(t).forEach(function(n){xe(e,n,t[n])}),be(!0))}(n),vn(n),"mp-toutiao"!==n.mpHost&&function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(n),"mp-toutiao"!==n.mpHost&&Yt(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(wn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Ce,e.prototype.$delete=ke,e.prototype.$watch=function(e,t,n){if(s(t))return _n(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Fe(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(wn),function(e){var t=/^hook:/;e.prototype.$on=function(e,n){var r=this;if(Array.isArray(e))for(var i=0,o=e.length;i1?k(t):t;for(var n=k(arguments,1),r='event handler for "'+e+'"',i=0,o=t.length;iparseInt(this.max)&&On(a,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return I}};Object.defineProperty(e,"config",t),e.util={warn:ae,extend:A,mergeOptions:Ne,defineReactive:xe},e.set=Ce,e.delete=ke,e.nextTick=Xe,e.observable=function(e){return we(e),e},e.options=Object.create(null),L.forEach(function(t){e.options[t+"s"]=Object.create(null)}),e.options._base=e,A(e.options.components,Tn),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=k(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Ne(this.options,e),this}}(e),xn(e),function(e){L.forEach(function(t){e[t]=function(e,n){return n?("component"===t&&s(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}})}(e)}(wn),Object.defineProperty(wn.prototype,"$isServer",{get:te}),Object.defineProperty(wn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(wn,"FunctionalRenderContext",{value:Tt}),wn.version="2.6.11";var jn=p("style,class"),En=p("input,textarea,option,select,progress"),Nn=function(e,t,n){return"value"===n&&En(e)&&"button"!==t||"selected"===n&&"option"===e||"checked"===n&&"input"===e||"muted"===n&&"video"===e},Dn=p("contenteditable,draggable,spellcheck"),Mn=p("events,caret,typing,plaintext-only"),Ln=function(e,t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Mn(t)?t:"true"},Pn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),In="http://www.w3.org/1999/xlink",Fn=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Rn=function(e){return Fn(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Bn(e){for(var t=e.data,r=e,i=e;n(i.componentInstance);)(i=i.componentInstance._vnode)&&i.data&&(t=Un(i.data,t));for(;n(r=r.parent);)r&&r.data&&(t=Un(t,r.data));return function(e,t){if(n(e)||n(t))return zn(e,Vn(t));return""}(t.staticClass,t.class)}function Un(e,t){return{staticClass:zn(e.staticClass,t.staticClass),class:n(e.class)?[e.class,t.class]:t.class}}function zn(e,t){return e?t?e+" "+t:e:t||""}function Vn(e){return Array.isArray(e)?function(e){for(var t,r="",i=0,o=e.length;i-1?yr(e,t,n):Pn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Dn(t)?e.setAttribute(t,Ln(t,n)):Fn(t)?Hn(n)?e.removeAttributeNS(In,Rn(t)):e.setAttributeNS(In,t,n):yr(e,t,n)}function yr(e,t,n){if(Hn(n))e.removeAttribute(t);else{if(W&&!q&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var gr={create:hr,update:hr};function _r(e,r){var i=r.elm,o=r.data,a=e.data;if(!(t(o.staticClass)&&t(o.class)&&(t(a)||t(a.staticClass)&&t(a.class))&&t(i.__wxsAddClass)&&t(i.__wxsRemoveClass))){var s=Bn(r),c=i._transitionClasses;if(n(c)&&(s=zn(s,Vn(c))),Array.isArray(i.__wxsRemoveClass)&&i.__wxsRemoveClass.length){var u=s.split(/\s+/);i.__wxsRemoveClass.forEach(function(e){var t=u.findIndex(function(t){return t===e});-1!==t&&u.splice(t,1)}),s=u.join(" "),i.__wxsRemoveClass.length=0}if(i.__wxsAddClass){var l=s.split(/\s+/).concat(i.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(e){e&&(f[e]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(e){var t=p[b(e)];t&&(s=s.replace(e,t))}),s!==i._prevClass&&(i.setAttribute("class",s),i._prevClass=s)}}var br,$r,wr,xr,Cr,kr,Ar={create:_r,update:_r},Or=/[\w).+\-_$\]]/;function Sr(e){var t,n,r,i,o,a=!1,s=!1,c=!1,u=!1,l=0,f=0,p=0,d=0;for(r=0;r=0&&" "===(h=e.charAt(v));v--);h&&Or.test(h)||(u=!0)}}else void 0===i?(d=r+1,i=e.slice(0,r).trim()):m();function m(){(o||(o=[])).push(e.slice(d,r).trim()),d=r+1}if(void 0===i?i=e.slice(0,r).trim():0!==d&&m(),o)for(r=0;r-1?{exp:e.slice(0,xr),key:'"'+e.slice(xr+1)+'"'}:{exp:e,key:null};$r=e,xr=Cr=kr=0;for(;!Kr();)Jr(wr=Vr())?qr(wr):91===wr&&Wr(wr);return{exp:e.slice(0,Cr),key:e.slice(Cr+1,kr)}}(e);return null===n.key?e+"="+t:"$set("+n.exp+", "+n.key+", "+t+")"}function Vr(){return $r.charCodeAt(++xr)}function Kr(){return xr>=br}function Jr(e){return 34===e||39===e}function Wr(e){var t=1;for(Cr=xr;!Kr();)if(Jr(e=Vr()))qr(e);else if(91===e&&t++,93===e&&t--,0===t){kr=xr;break}}function qr(e){for(var t=e;!Kr()&&(e=Vr())!==t;);}var Zr,Gr="__r",Xr="__c";function Yr(e,t,n){var r=Zr;return function i(){null!==t.apply(null,arguments)&&ti(e,i,n,r)}}var Qr=ze&&!(X&&Number(X[1])<=53);function ei(e,t,n,r){if(Qr){var i=an,o=t;t=o._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return o.apply(this,arguments)}}Zr.addEventListener(e,t,Q?{capture:n,passive:r}:n)}function ti(e,t,n,r){(r||Zr).removeEventListener(e,t._wrapper||t,n)}function ni(e,r){if(!t(e.data.on)||!t(r.data.on)){var i=r.data.on||{},o=e.data.on||{};Zr=r.elm,function(e){if(n(e[Gr])){var t=W?"change":"input";e[t]=[].concat(e[Gr],e[t]||[]),delete e[Gr]}n(e[Xr])&&(e.change=[].concat(e[Xr],e.change||[]),delete e[Xr])}(i),nt(i,o,ei,ti,Yr,r.context),Zr=void 0}}var ri,ii={create:ni,update:ni};function oi(e,r){if(!t(e.data.domProps)||!t(r.data.domProps)){var i,o,a=r.elm,s=e.data.domProps||{},c=r.data.domProps||{};for(i in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)i in c||(a[i]="");for(i in c){if(o=c[i],"textContent"===i||"innerHTML"===i){if(r.children&&(r.children.length=0),o===s[i])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===i&&"PROGRESS"!==a.tagName){a._value=o;var u=t(o)?"":String(o);ai(a,u)&&(a.value=u)}else if("innerHTML"===i&&Wn(a.tagName)&&t(a.innerHTML)){(ri=ri||document.createElement("div")).innerHTML=""+o+"";for(var l=ri.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(o!==s[i])try{a[i]=o}catch(e){}}}}function ai(e,t){return!e.composing&&("OPTION"===e.tagName||function(e,t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e,t){var r=e.value,i=e._vModifiers;if(n(i)){if(i.number)return f(r)!==f(t);if(i.trim)return r.trim()!==t.trim()}return r!==t}(e,t))}var si={create:oi,update:oi},ci=g(function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach(function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t});function ui(e){var t=li(e.style);return e.staticStyle?A(e.staticStyle,t):t}function li(e){return Array.isArray(e)?O(e):"string"==typeof e?ci(e):e}var fi,pi=/^--/,di=/\s*!important$/,vi=/([+-]?\d+(\.\d+)?)[r|u]px/g,hi=function(e){return"string"==typeof e?e.replace(vi,function(e,t){return uni.upx2px(t)+"px"}):e},mi=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,yi=function(e,t,n,r){if(r&&r._$getRealPath&&n&&(n=function(e,t){if("string"==typeof e&&-1!==e.indexOf("url(")){var n=e.match(mi);n&&3===n.length&&(e=e.replace(n[1],t._$getRealPath(n[1])))}return e}(n,r)),pi.test(t))e.style.setProperty(t,n);else if(di.test(n))e.style.setProperty(x(t),n.replace(di,""),"important");else{var i=_i(t);if(Array.isArray(n))for(var o=0,a=n.length;o-1?t.split(wi).forEach(function(t){return e.classList.add(t)}):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Ci(e,t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(wi).forEach(function(t){return e.classList.remove(t)}):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function ki(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&A(t,Ai(e.name||"v")),A(t,e),t}return"string"==typeof e?Ai(e):void 0}}var Ai=g(function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}}),Oi=z&&!q,Si="transition",Ti="animation",ji="transition",Ei="transitionend",Ni="animation",Di="animationend";Oi&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(ji="WebkitTransition",Ei="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Ni="WebkitAnimation",Di="webkitAnimationEnd"));var Mi=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Li(e){Mi(function(){Mi(e)})}function Pi(e,t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),xi(e,t))}function Ii(e,t){e._transitionClasses&&h(e._transitionClasses,t),Ci(e,t)}function Fi(e,t,n){var r=Hi(e,t),i=r.type,o=r.timeout,a=r.propCount;if(!i)return n();var s=i===Si?Ei:Di,c=0,u=function(){e.removeEventListener(s,l),n()},l=function(t){t.target===e&&++c>=a&&u()};setTimeout(function(){c0&&(n=Si,l=a,f=o.length):t===Ti?u>0&&(n=Ti,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Si:Ti:null)?n===Si?o.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Si&&Ri.test(r[ji+"Property"])}}function Bi(e,t){for(;e.length1}function Wi(e,t){!0!==t.data.show&&zi(t)}var qi=function(e){var o,a,s={},c=e.modules,u=e.nodeOps;for(o=0;ov?_(e,t(i[y+1])?null:i[y+1].elm,i,d,y,o):d>y&&$(r,p,v)}(p,h,y,o,l):n(y)?(n(e.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,o)):n(h)?$(h,0,h.length-1):n(e.text)&&u.setTextContent(p,""):e.text!==i.text&&u.setTextContent(p,i.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(e,i)}}}function k(e,t,i){if(r(i)&&n(e.parent))e.parent.data.pendingInsert=t;else for(var o=0;o-1,a.selected!==o&&(a.selected=o);else if(E(Qi(a),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function Yi(e,t){return t.every(function(t){return!E(t,e)})}function Qi(e){return"_value"in e?e._value:e.value}function eo(e){e.target.composing=!0}function to(e){e.target.composing&&(e.target.composing=!1,no(e.target,"input"))}function no(e,t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function ro(e){return!e.componentInstance||e.data&&e.data.transition?e:ro(e.componentInstance._vnode)}var io={model:Zi,show:{bind:function(e,t,n){var r=t.value,i=(n=ro(n)).data&&n.data.transition,o=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,zi(n,function(){e.style.display=o})):e.style.display=r?o:"none"},update:function(e,t,n){var r=t.value;!r!=!t.oldValue&&((n=ro(n)).data&&n.data.transition?(n.data.show=!0,r?zi(n,function(){e.style.display=e.__vOriginalDisplay}):Vi(n,function(){e.style.display="none"})):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e,t,n,r,i){i||(e.style.display=e.__vOriginalDisplay)}}},oo={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function ao(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?ao(zt(t.children)):e}function so(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var o in i)t[b(o)]=i[o];return t}function co(e,t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var uo=function(e){return e.tag||Ut(e)},lo=function(e){return"show"===e.name},fo={name:"transition",props:oo,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(uo)).length){var r=this.mode,o=n[0];if(function(e){for(;e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return o;var a=ao(o);if(!a)return o;if(this._leaving)return co(e,o);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:i(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=so(this),u=this._vnode,l=ao(u);if(a.data.directives&&a.data.directives.some(lo)&&(a.data.show=!0),l&&l.data&&!function(e,t){return t.key===e.key&&t.tag===e.tag}(a,l)&&!Ut(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,rt(f,"afterLeave",function(){t._leaving=!1,t.$forceUpdate()}),co(e,o);if("in-out"===r){if(Ut(a))return u;var p,d=function(){p()};rt(c,"afterEnter",d),rt(c,"enterCancelled",d),rt(f,"delayLeave",function(e){p=e})}}return o}}},po=A({tag:String,moveClass:String},oo);function vo(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function ho(e){e.data.newPos=e.elm.getBoundingClientRect()}function mo(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var o=e.elm.style;o.transform=o.WebkitTransform="translate("+r+"px,"+i+"px)",o.transitionDuration="0s"}}delete po.mode;var yo={Transition:fo,TransitionGroup:{props:po,beforeMount:function(){var e=this,t=this._update;this._update=function(n,r){var i=Zt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],o=this.children=[],a=so(this),s=0;s-1?Gn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Gn[e]=/HTMLUnknownElement/.test(t.toString())},A(wn.options.directives,io),A(wn.options.components,yo),wn.prototype.__patch__=z?qi:S,wn.prototype.__call_hook=function(e,t){var n=this;ue();var r,i=n.$options[e],o=e+" hook";if(i)for(var a=0,s=i.length;a\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,To=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,jo="[a-zA-Z_][\\-\\.0-9_a-zA-Z"+F.source+"]*",Eo="((?:"+jo+"\\:)?"+jo+")",No=new RegExp("^<"+Eo),Do=/^\s*(\/?)>/,Mo=new RegExp("^<\\/"+Eo+"[^>]*>"),Lo=/^]+>/i,Po=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Bo=/&(?:lt|gt|quot|amp|#39);/g,Uo=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,zo=p("pre,textarea",!0),Vo=function(e,t){return e&&zo(e)&&"\n"===t[0]};function Ko(e,t){var n=t?Uo:Bo;return e.replace(n,function(e){return Ho[e]})}var Jo,Wo,qo,Zo,Go,Xo,Yo,Qo,ea=/^@|^v-on:/,ta=/^v-|^@|^:|^#/,na=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,ra=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,ia=/^\(|\)$/g,oa=/^\[.*\]$/,aa=/:(.*)$/,sa=/^:|^\.|^v-bind:/,ca=/\.[^.\]]+(?=[^\]]*$)/g,ua=/^v-slot(:|$)|^#/,la=/[\r\n]/,fa=/\s+/g,pa=g(Co),da="_empty_";function va(e,t,n){return{type:1,tag:e,attrsList:t,attrsMap:$a(t),rawAttrsMap:{},parent:n,children:[]}}function ha(e,t){Jo=t.warn||jr,Xo=t.isPreTag||T,Yo=t.mustUseProp||T,Qo=t.getTagNamespace||T;t.isReservedTag;qo=Er(t.modules,"transformNode"),Zo=Er(t.modules,"preTransformNode"),Go=Er(t.modules,"postTransformNode"),Wo=t.delimiters;var n,r,i=[],o=!1!==t.preserveWhitespace,a=t.whitespace,s=!1,c=!1;function u(e){if(l(e),s||e.processed||(e=ma(e,t)),i.length||e===n||n.if&&(e.elseif||e.else)&&ga(n,{exp:e.elseif,block:e}),r&&!e.forbidden)if(e.elseif||e.else)a=e,(u=function(e){var t=e.length;for(;t--;){if(1===e[t].type)return e[t];e.pop()}}(r.children))&&u.if&&ga(u,{exp:a.elseif,block:a});else{if(e.slotScope){var o=e.slotTarget||'"default"';(r.scopedSlots||(r.scopedSlots={}))[o]=e}r.children.push(e),e.parent=r}var a,u;e.children=e.children.filter(function(e){return!e.slotScope}),l(e),e.pre&&(s=!1),Xo(e.tag)&&(c=!1);for(var f=0;f]*>)","i")),p=e.replace(f,function(e,n,r){return u=r.length,Fo(l)||"noscript"===l||(n=n.replace(//g,"$1").replace(//g,"$1")),Vo(l,n)&&(n=n.slice(1)),t.chars&&t.chars(n),""});c+=e.length-p.length,e=p,A(l,c-u,c)}else{var d=e.indexOf("<");if(0===d){if(Po.test(e)){var v=e.indexOf("--\x3e");if(v>=0){t.shouldKeepComment&&t.comment(e.substring(4,v),c,c+v+3),x(v+3);continue}}if(Io.test(e)){var h=e.indexOf("]>");if(h>=0){x(h+2);continue}}var m=e.match(Lo);if(m){x(m[0].length);continue}var y=e.match(Mo);if(y){var g=c;x(y[0].length),A(y[1],g,c);continue}var _=C();if(_){k(_),Vo(_.tagName,e)&&x(1);continue}}var b=void 0,$=void 0,w=void 0;if(d>=0){for($=e.slice(d);!(Mo.test($)||No.test($)||Po.test($)||Io.test($)||(w=$.indexOf("<",1))<0);)d+=w,$=e.slice(d);b=e.substring(0,d)}d<0&&(b=e),b&&x(b.length),t.chars&&b&&t.chars(b,c-b.length,c)}if(e===n){t.chars&&t.chars(e);break}}function x(t){c+=t,e=e.substring(t)}function C(){var t=e.match(No);if(t){var n,r,i={tagName:t[1],attrs:[],start:c};for(x(t[0].length);!(n=e.match(Do))&&(r=e.match(To)||e.match(So));)r.start=c,x(r[0].length),r.end=c,i.attrs.push(r);if(n)return i.unarySlash=n[1],x(n[0].length),i.end=c,i}}function k(e){var n=e.tagName,c=e.unarySlash;o&&("p"===r&&Oo(n)&&A(r),s(n)&&r===n&&A(n));for(var u=a(n)||!!c,l=e.attrs.length,f=new Array(l),p=0;p=0&&i[a].lowerCasedTag!==s;a--);else a=0;if(a>=0){for(var u=i.length-1;u>=a;u--)t.end&&t.end(i[u].tag,n,o);i.length=a,r=a&&i[a-1].tag}else"br"===s?t.start&&t.start(e,[],!0,n,o):"p"===s&&(t.start&&t.start(e,[],!1,n,o),t.end&&t.end(e,n,o))}A()}(e,{warn:Jo,expectHTML:t.expectHTML,isUnaryTag:t.isUnaryTag,canBeLeftOpenTag:t.canBeLeftOpenTag,shouldDecodeNewlines:t.shouldDecodeNewlines,shouldDecodeNewlinesForHref:t.shouldDecodeNewlinesForHref,shouldKeepComment:t.comments,outputSourceRange:t.outputSourceRange,start:function(e,o,a,l,f){var p=r&&r.ns||Qo(e);W&&"svg"===p&&(o=function(e){for(var t=[],n=0;nc&&(s.push(o=e.slice(c,i)),a.push(JSON.stringify(o)));var u=Sr(r[1].trim());a.push("_s("+u+")"),s.push({"@binding":u}),c=i+r[0].length}return c=0;n--){var r=t[n].name;if(0===r.indexOf(":change:")||0===r.indexOf("v-bind:change:")){var i=r.split(":"),o=i[i.length-1],a=e.attrsMap[":"+o]||e.attrsMap["v-bind:"+o];a&&((e.wxsPropBindings||(e.wxsPropBindings={}))["change:"+o]=a)}}},genData:function(e){var t="";return e.wxsPropBindings&&(t+="wxsProps:"+JSON.stringify(e.wxsPropBindings)+","),t}},$o,xo,{preTransformNode:function(e,t){if("input"===e.tag){var n,r=e.attrsMap;if(!r["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;if((r[":type"]||r["v-bind:type"])&&(n=Fr(e,"type")),r.type||n||!r["v-bind"]||(n="("+r["v-bind"]+").type"),n){var i=Rr(e,"v-if",!0),o=i?"&&("+i+")":"",a=null!=Rr(e,"v-else",!0),s=Rr(e,"v-else-if",!0),c=Ca(e);ya(c),Mr(c,"type","checkbox"),ma(c,t),c.processed=!0,c.if="("+n+")==='checkbox'"+o,ga(c,{exp:c.if,block:c});var u=Ca(e);Rr(u,"v-for",!0),Mr(u,"type","radio"),ma(u,t),ga(c,{exp:"("+n+")==='radio'"+o,block:u});var l=Ca(e);return Rr(l,"v-for",!0),Mr(l,":type",n),ma(l,t),ga(c,{exp:i,block:l}),a?c.else=!0:s&&(c.elseif=s),c}}}}];var Aa,Oa,Sa={expectHTML:!0,modules:ka,directives:{model:function(e,t,n){var r=t.value,i=t.modifiers,o=e.tag,a=e.attrsMap.type;if(e.component)return Ur(e,r,i),!1;if("select"===o)!function(e,t,n){var r='var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;return '+(n&&n.number?"_n(val)":"val")+"});";r=r+" "+zr(t,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]"),Ir(e,"change",r,null,!0)}(e,r,i);else if("input"===o&&"checkbox"===a)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null",o=Fr(e,"true-value")||"true",a=Fr(e,"false-value")||"false";Nr(e,"checked","Array.isArray("+t+")?_i("+t+","+i+")>-1"+("true"===o?":("+t+")":":_q("+t+","+o+")")),Ir(e,"change","var $$a="+t+",$$el=$event.target,$$c=$$el.checked?("+o+"):("+a+");if(Array.isArray($$a)){var $$v="+(r?"_n("+i+")":i)+",$$i=_i($$a,$$v);if($$el.checked){$$i<0&&("+zr(t,"$$a.concat([$$v])")+")}else{$$i>-1&&("+zr(t,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")+")}}else{"+zr(t,"$$c")+"}",null,!0)}(e,r,i);else if("input"===o&&"radio"===a)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null";Nr(e,"checked","_q("+t+","+(i=r?"_n("+i+")":i)+")"),Ir(e,"change",zr(t,i),null,!0)}(e,r,i);else if("input"===o||"textarea"===o)!function(e,t,n){var r=e.attrsMap.type,i=n||{},o=i.lazy,a=i.number,s=i.trim,c=!o&&"range"!==r,u=o?"change":"range"===r?Gr:"input",l="$event.target.value";s&&(l="$event.target.value.trim()"),a&&(l="_n("+l+")");var f=zr(t,l);c&&(f="if($event.target.composing)return;"+f),Nr(e,"value","("+t+")"),Ir(e,u,f,null,!0),(s||a)&&Ir(e,"blur","$forceUpdate()")}(e,r,i);else if(!I.isReservedTag(o))return Ur(e,r,i),!1;return!0},text:function(e,t){t.value&&Nr(e,"textContent","_s("+t.value+")",t)},html:function(e,t){t.value&&Nr(e,"innerHTML","_s("+t.value+")",t)}},isPreTag:function(e){return"pre"===e},isUnaryTag:ko,mustUseProp:Nn,canBeLeftOpenTag:Ao,isReservedTag:qn,getTagNamespace:Zn,staticKeys:function(e){return e.reduce(function(e,t){return e.concat(t.staticKeys||[])},[]).join(",")}(ka)},Ta=g(function(e){return p("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(e?","+e:""))});function ja(e,t){e&&(Aa=Ta(t.staticKeys||""),Oa=t.isReservedTag||T,function e(t){t.static=function(e){if(2===e.type)return!1;if(3===e.type)return!0;return!(!e.pre&&(e.hasBindings||e.if||e.for||d(e.tag)||!Oa(e.tag)||function(e){for(;e.parent;){if("template"!==(e=e.parent).tag)return!1;if(e.for)return!0}return!1}(e)||!Object.keys(e).every(Aa)))}(t);if(1===t.type){if(!Oa(t.tag)&&"slot"!==t.tag&&null==t.attrsMap["inline-template"])return;for(var n=0,r=t.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,Na=/\([^)]*?\);*$/,Da=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Ma={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},La={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},Pa=function(e){return"if("+e+")return null;"},Ia={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:Pa("$event.target !== $event.currentTarget"),ctrl:Pa("!$event.ctrlKey"),shift:Pa("!$event.shiftKey"),alt:Pa("!$event.altKey"),meta:Pa("!$event.metaKey"),left:Pa("'button' in $event && $event.button !== 0"),middle:Pa("'button' in $event && $event.button !== 1"),right:Pa("'button' in $event && $event.button !== 2")};function Fa(e,t){var n=t?"nativeOn:":"on:",r="",i="";for(var o in e){var a=Ra(e[o]);e[o]&&e[o].dynamic?i+=o+","+a+",":r+='"'+o+'":'+a+","}return r="{"+r.slice(0,-1)+"}",i?n+"_d("+r+",["+i.slice(0,-1)+"])":n+r}function Ra(e){if(!e)return"function(){}";if(Array.isArray(e))return"["+e.map(function(e){return Ra(e)}).join(",")+"]";var t=Da.test(e.value),n=Ea.test(e.value),r=Da.test(e.value.replace(Na,""));if(e.modifiers){var i="",o="",a=[];for(var s in e.modifiers)if(Ia[s])o+=Ia[s],Ma[s]&&a.push(s);else if("exact"===s){var c=e.modifiers;o+=Pa(["ctrl","shift","alt","meta"].filter(function(e){return!c[e]}).map(function(e){return"$event."+e+"Key"}).join("||"))}else a.push(s);return a.length&&(i+=function(e){return"if(!$event.type.indexOf('key')&&"+e.map(Ha).join("&&")+")return null;"}(a)),o&&(i+=o),"function($event){"+i+(t?"return "+e.value+"($event)":n?"return ("+e.value+")($event)":r?"return "+e.value:e.value)+"}"}return t||n?e.value:"function($event){"+(r?"return "+e.value:e.value)+"}"}function Ha(e){var t=parseInt(e,10);if(t)return"$event.keyCode!=="+t;var n=Ma[e],r=La[e];return"_k($event.keyCode,"+JSON.stringify(e)+","+JSON.stringify(n)+",$event.key,"+JSON.stringify(r)+")"}var Ba={on:function(e,t){e.wrapListeners=function(e){return"_g("+e+","+t.value+")"}},bind:function(e,t){e.wrapData=function(n){return"_b("+n+",'"+e.tag+"',"+t.value+","+(t.modifiers&&t.modifiers.prop?"true":"false")+(t.modifiers&&t.modifiers.sync?",true":"")+")"}},cloak:S},Ua=function(e){this.options=e,this.warn=e.warn||jr,this.transforms=Er(e.modules,"transformCode"),this.dataGenFns=Er(e.modules,"genData"),this.directives=A(A({},Ba),e.directives);var t=e.isReservedTag||T;this.maybeComponent=function(e){return!!e.component||!t(e.tag)},this.onceId=0,this.staticRenderFns=[],this.pre=!1};function za(e,t){var n=new Ua(t);return{render:"with(this){return "+(e?Va(e,n):'_c("div")')+"}",staticRenderFns:n.staticRenderFns}}function Va(e,t){if(e.parent&&(e.pre=e.pre||e.parent.pre),e.staticRoot&&!e.staticProcessed)return Ka(e,t);if(e.once&&!e.onceProcessed)return Ja(e,t);if(e.for&&!e.forProcessed)return qa(e,t);if(e.if&&!e.ifProcessed)return Wa(e,t);if("template"!==e.tag||e.slotTarget||t.pre){if("slot"===e.tag)return function(e,t){var n=e.slotName||'"default"',r=Ya(e,t),i="_t("+n+(r?","+r:""),o=e.attrs||e.dynamicAttrs?ts((e.attrs||[]).concat(e.dynamicAttrs||[]).map(function(e){return{name:b(e.name),value:e.value,dynamic:e.dynamic}})):null,a=e.attrsMap["v-bind"];!o&&!a||r||(i+=",null");o&&(i+=","+o);a&&(i+=(o?"":",null")+","+a);return i+")"}(e,t);var n;if(e.component)n=function(e,t,n){var r=t.inlineTemplate?null:Ya(t,n,!0);return"_c("+e+","+Za(t,n)+(r?","+r:"")+")"}(e.component,e,t);else{var r;(!e.plain||e.pre&&t.maybeComponent(e))&&(r=Za(e,t));var i=e.inlineTemplate?null:Ya(e,t,!0);n="_c('"+e.tag+"'"+(r?","+r:"")+(i?","+i:"")+")"}for(var o=0;o>>0}(a):"")+")"}(e,e.scopedSlots,t)+","),e.model&&(n+="model:{value:"+e.model.value+",callback:"+e.model.callback+",expression:"+e.model.expression+"},"),e.inlineTemplate){var o=function(e,t){var n=e.children[0];if(n&&1===n.type){var r=za(n,t.options);return"inlineTemplate:{render:function(){"+r.render+"},staticRenderFns:["+r.staticRenderFns.map(function(e){return"function(){"+e+"}"}).join(",")+"]}"}}(e,t);o&&(n+=o+",")}return n=n.replace(/,$/,"")+"}",e.dynamicAttrs&&(n="_b("+n+',"'+e.tag+'",'+ts(e.dynamicAttrs)+")"),e.wrapData&&(n=e.wrapData(n)),e.wrapListeners&&(n=e.wrapListeners(n)),n}function Ga(e){return 1===e.type&&("slot"===e.tag||e.children.some(Ga))}function Xa(e,t){var n=e.attrsMap["slot-scope"];if(e.if&&!e.ifProcessed&&!n)return Wa(e,t,Xa,"null");if(e.for&&!e.forProcessed)return qa(e,t,Xa);var r=e.slotScope===da?"":String(e.slotScope),i="function("+r+"){return "+("template"===e.tag?e.if&&n?"("+e.if+")?"+(Ya(e,t)||"undefined")+":undefined":Ya(e,t)||"undefined":Va(e,t))+"}",o=r?"":",proxy:true";return"{key:"+(e.slotTarget||'"default"')+",fn:"+i+o+"}"}function Ya(e,t,n,r,i){var o=e.children;if(o.length){var a=o[0];if(1===o.length&&a.for&&"template"!==a.tag&&"slot"!==a.tag){var s=n?t.maybeComponent(a)?",1":",0":"";return""+(r||Va)(a,t)+s}var c=n?function(e,t){for(var n=0,r=0;r':'
',as.innerHTML.indexOf(" ")>0}var ls=!!z&&us(!1),fs=!!z&&us(!0),ps=g(function(e){var t=Yn(e);return t&&t.innerHTML}),ds=wn.prototype.$mount;return wn.prototype.$mount=function(e,t){if((e=e&&Yn(e))===document.body||e===document.documentElement)return this;var n=this.$options;if(!n.render){var r=n.template;if(r)if("string"==typeof r)"#"===r.charAt(0)&&(r=ps(r));else{if(!r.nodeType)return this;r=r.innerHTML}else e&&(r=function(e){if(e.outerHTML)return e.outerHTML;var t=document.createElement("div");return t.appendChild(e.cloneNode(!0)),t.innerHTML}(e));if(r){var i=cs(r,{outputSourceRange:!1,shouldDecodeNewlines:ls,shouldDecodeNewlinesForHref:fs,delimiters:n.delimiters,comments:n.comments},this),o=i.render,a=i.staticRenderFns;n.render=o,n.staticRenderFns=a}}return ds.call(this,e,t)},wn.compile=cs,wn}); \ No newline at end of file +!function(e,t){"object"==typeof exports&&"undefined"!=typeof module?module.exports=t():"function"==typeof define&&define.amd?define(t):(e=e||self).Vue=t()}(this,function(){"use strict";var e=Object.freeze({});function t(e){return null==e}function n(e){return null!=e}function r(e){return!0===e}function i(e){return"string"==typeof e||"number"==typeof e||"symbol"==typeof e||"boolean"==typeof e}function o(e){return null!==e&&"object"==typeof e}var a=Object.prototype.toString;function s(e){return"[object Object]"===a.call(e)}function c(e){var t=parseFloat(String(e));return t>=0&&Math.floor(t)===t&&isFinite(e)}function u(e){return n(e)&&"function"==typeof e.then&&"function"==typeof e.catch}function l(e){return null==e?"":Array.isArray(e)||s(e)&&e.toString===a?JSON.stringify(e,null,2):String(e)}function f(e){var t=parseFloat(e);return isNaN(t)?e:t}function p(e,t){for(var n=Object.create(null),r=e.split(","),i=0;i-1)return e.splice(n,1)}}var m=Object.prototype.hasOwnProperty;function y(e,t){return m.call(e,t)}function g(e){var t=Object.create(null);return function(n){return t[n]||(t[n]=e(n))}}var _=/-(\w)/g,b=g(function(e){return e.replace(_,function(e,t){return t?t.toUpperCase():""})}),$=g(function(e){return e.charAt(0).toUpperCase()+e.slice(1)}),w=/\B([A-Z])/g,x=g(function(e){return e.replace(w,"-$1").toLowerCase()});var C=Function.prototype.bind?function(e,t){return e.bind(t)}:function(e,t){function n(n){var r=arguments.length;return r?r>1?e.apply(t,arguments):e.call(t,n):e.call(t)}return n._length=e.length,n};function k(e,t){t=t||0;for(var n=e.length-t,r=new Array(n);n--;)r[n]=e[n+t];return r}function A(e,t){for(var n in t)e[n]=t[n];return e}function O(e){for(var t={},n=0;n0,Z=J&&J.indexOf("edge/")>0,G=(J&&J.indexOf("android"),J&&/iphone|ipad|ipod|ios/.test(J)||"ios"===K),X=(J&&/chrome\/\d+/.test(J),J&&/phantomjs/.test(J),J&&J.match(/firefox\/(\d+)/)),Y={}.watch,Q=!1;if(z)try{var ee={};Object.defineProperty(ee,"passive",{get:function(){Q=!0}}),window.addEventListener("test-passive",null,ee)}catch(e){}var te=function(){return void 0===B&&(B=!z&&!V&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),B},ne=z&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function re(e){return"function"==typeof e&&/native code/.test(e.toString())}var ie,oe="undefined"!=typeof Symbol&&re(Symbol)&&"undefined"!=typeof Reflect&&re(Reflect.ownKeys);ie="undefined"!=typeof Set&&re(Set)?Set:function(){function e(){this.set=Object.create(null)}return e.prototype.has=function(e){return!0===this.set[e]},e.prototype.add=function(e){this.set[e]=!0},e.prototype.clear=function(){this.set=Object.create(null)},e}();var ae=S,se=0,ce=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=se++,this.subs=[]};function ue(e){ce.SharedObject.targetStack.push(e),ce.SharedObject.target=e}function le(){ce.SharedObject.targetStack.pop(),ce.SharedObject.target=ce.SharedObject.targetStack[ce.SharedObject.targetStack.length-1]}ce.prototype.addSub=function(e){this.subs.push(e)},ce.prototype.removeSub=function(e){h(this.subs,e)},ce.prototype.depend=function(){ce.SharedObject.target&&ce.SharedObject.target.addDep(this)},ce.prototype.notify=function(){for(var e=this.subs.slice(),t=0,n=e.length;t-1)if(o&&!y(i,"default"))a=!1;else if(""===a||a===x(e)){var c=Ie(String,i.type);(c<0||s0&&(st((u=e(u,(a||"")+"_"+c))[0])&&st(f)&&(s[l]=ve(f.text+u[0].text),u.shift()),s.push.apply(s,u)):i(u)?st(f)?s[l]=ve(f.text+u):""!==u&&s.push(ve(u)):st(u)&&st(f)?s[l]=ve(f.text+u.text):(r(o._isVList)&&n(u.tag)&&t(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(e):void 0}function st(e){return n(e)&&n(e.text)&&!1===e.isComment}function ct(e,t){if(e){for(var n=Object.create(null),r=oe?Reflect.ownKeys(e):Object.keys(e),i=0;i0,a=t?!!t.$stable:!o,s=t&&t.$key;if(t){if(t._normalized)return t._normalized;if(a&&r&&r!==e&&s===r.$key&&!o&&!r.$hasNormal)return r;for(var c in i={},t)t[c]&&"$"!==c[0]&&(i[c]=pt(n,c,t[c]))}else i={};for(var u in n)u in i||(i[u]=dt(n,u));return t&&Object.isExtensible(t)&&(t._normalized=i),R(i,"$stable",a),R(i,"$key",s),R(i,"$hasNormal",o),i}function pt(e,t,n){var r=function(){var e=arguments.length?n.apply(null,arguments):n({});return(e=e&&"object"==typeof e&&!Array.isArray(e)?[e]:at(e))&&(0===e.length||1===e.length&&e[0].isComment)?void 0:e};return n.proxy&&Object.defineProperty(e,t,{get:r,enumerable:!0,configurable:!0}),r}function dt(e,t){return function(){return e[t]}}function vt(e,t){var r,i,a,s,c;if(Array.isArray(e)||"string"==typeof e)for(r=new Array(e.length),i=0,a=e.length;idocument.createEvent("Event").timeStamp&&(sn=function(){return cn.now()})}function un(){var e,t;for(an=sn(),rn=!0,Qt.sort(function(e,t){return e.id-t.id}),on=0;onon&&Qt[n].id>e.id;)n--;Qt.splice(n+1,0,e)}else Qt.push(e);nn||(nn=!0,Xe(un))}}(this)},fn.prototype.run=function(){if(this.active){var e=this.get();if(e!==this.value||o(e)||this.deep){var t=this.value;if(this.value=e,this.user)try{this.cb.call(this.vm,e,t)}catch(e){Fe(e,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,e,t)}}},fn.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},fn.prototype.depend=function(){for(var e=this.deps.length;e--;)this.deps[e].depend()},fn.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||h(this.vm._watchers,this);for(var e=this.deps.length;e--;)this.deps[e].removeSub(this);this.active=!1}};var pn={enumerable:!0,configurable:!0,get:S,set:S};function dn(e,t,n){pn.get=function(){return this[t][n]},pn.set=function(e){this[t][n]=e},Object.defineProperty(e,n,pn)}function vn(e){e._watchers=[];var t=e.$options;t.props&&function(e,t){var n=e.$options.propsData||{},r=e._props={},i=e.$options._propKeys=[];e.$parent&&be(!1);var o=function(o){i.push(o);var a=Me(o,t,n,e);xe(r,o,a),o in e||dn(e,"_props",o)};for(var a in t)o(a);be(!0)}(e,t.props),t.methods&&function(e,t){e.$options.props;for(var n in t)e[n]="function"!=typeof t[n]?S:C(t[n],e)}(e,t.methods),t.data?function(e){var t=e.$options.data;s(t=e._data="function"==typeof t?function(e,t){ue();try{return e.call(t,t)}catch(e){return Fe(e,t,"data()"),{}}finally{le()}}(t,e):t||{})||(t={});var n=Object.keys(t),r=e.$options.props,i=(e.$options.methods,n.length);for(;i--;){var o=n[i];r&&y(r,o)||(a=void 0,36!==(a=(o+"").charCodeAt(0))&&95!==a&&dn(e,"_data",o))}var a;we(t,!0)}(e):we(e._data={},!0),t.computed&&function(e,t){var n=e._computedWatchers=Object.create(null),r=te();for(var i in t){var o=t[i],a="function"==typeof o?o:o.get;r||(n[i]=new fn(e,a||S,S,hn)),i in e||mn(e,i,o)}}(e,t.computed),t.watch&&t.watch!==Y&&function(e,t){for(var n in t){var r=t[n];if(Array.isArray(r))for(var i=0;i-1:"string"==typeof e?e.split(",").indexOf(t)>-1:(n=e,"[object RegExp]"===a.call(n)&&e.test(t));var n}function An(e,t){var n=e.cache,r=e.keys,i=e._vnode;for(var o in n){var a=n[o];if(a){var s=Cn(a.componentOptions);s&&!t(s)&&On(n,o,r,i)}}}function On(e,t,n,r){var i=e[t];!i||r&&i.tag===r.tag||i.componentInstance.$destroy(),e[t]=null,h(n,t)}!function(t){t.prototype._init=function(t){var n=this;n._uid=bn++,n._isVue=!0,t&&t._isComponent?function(e,t){var n=e.$options=Object.create(e.constructor.options),r=t._parentVnode;n.parent=t.parent,n._parentVnode=r;var i=r.componentOptions;n.propsData=i.propsData,n._parentListeners=i.listeners,n._renderChildren=i.children,n._componentTag=i.tag,t.render&&(n.render=t.render,n.staticRenderFns=t.staticRenderFns)}(n,t):n.$options=Ne($n(n.constructor),t||{},n),n._renderProxy=n,n._self=n,function(e){var t=e.$options,n=t.parent;if(n&&!t.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(e)}e.$parent=n,e.$root=n?n.$root:e,e.$children=[],e.$refs={},e._watcher=null,e._inactive=null,e._directInactive=!1,e._isMounted=!1,e._isDestroyed=!1,e._isBeingDestroyed=!1}(n),function(e){e._events=Object.create(null),e._hasHookEvent=!1;var t=e.$options._parentListeners;t&&Wt(e,t)}(n),function(t){t._vnode=null,t._staticTrees=null;var n=t.$options,r=t.$vnode=n._parentVnode,i=r&&r.context;t.$slots=ut(n._renderChildren,i),t.$scopedSlots=e,t._c=function(e,n,r,i){return Ft(t,e,n,r,i,!1)},t.$createElement=function(e,n,r,i){return Ft(t,e,n,r,i,!0)};var o=r&&r.data;xe(t,"$attrs",o&&o.attrs||e,null,!0),xe(t,"$listeners",n._parentListeners||e,null,!0)}(n),Yt(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(e){var t=ct(e.$options.inject,e);t&&(be(!1),Object.keys(t).forEach(function(n){xe(e,n,t[n])}),be(!0))}(n),vn(n),"mp-toutiao"!==n.mpHost&&function(e){var t=e.$options.provide;t&&(e._provided="function"==typeof t?t.call(e):t)}(n),"mp-toutiao"!==n.mpHost&&Yt(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(wn),function(e){var t={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(e.prototype,"$data",t),Object.defineProperty(e.prototype,"$props",n),e.prototype.$set=Ce,e.prototype.$delete=ke,e.prototype.$watch=function(e,t,n){if(s(t))return _n(this,e,t,n);(n=n||{}).user=!0;var r=new fn(this,e,t,n);if(n.immediate)try{t.call(this,r.value)}catch(e){Fe(e,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(wn),function(e){var t=/^hook:/;e.prototype.$on=function(e,n){var r=this;if(Array.isArray(e))for(var i=0,o=e.length;i1?k(t):t;for(var n=k(arguments,1),r='event handler for "'+e+'"',i=0,o=t.length;iparseInt(this.max)&&On(a,s[0],s,this._vnode)),t.data.keepAlive=!0}return t||e&&e[0]}}};!function(e){var t={get:function(){return I}};Object.defineProperty(e,"config",t),e.util={warn:ae,extend:A,mergeOptions:Ne,defineReactive:xe},e.set=Ce,e.delete=ke,e.nextTick=Xe,e.observable=function(e){return we(e),e},e.options=Object.create(null),L.forEach(function(t){e.options[t+"s"]=Object.create(null)}),e.options._base=e,A(e.options.components,Tn),function(e){e.use=function(e){var t=this._installedPlugins||(this._installedPlugins=[]);if(t.indexOf(e)>-1)return this;var n=k(arguments,1);return n.unshift(this),"function"==typeof e.install?e.install.apply(e,n):"function"==typeof e&&e.apply(null,n),t.push(e),this}}(e),function(e){e.mixin=function(e){return this.options=Ne(this.options,e),this}}(e),xn(e),function(e){L.forEach(function(t){e[t]=function(e,n){return n?("component"===t&&s(n)&&(n.name=n.name||e,n=this.options._base.extend(n)),"directive"===t&&"function"==typeof n&&(n={bind:n,update:n}),this.options[t+"s"][e]=n,n):this.options[t+"s"][e]}})}(e)}(wn),Object.defineProperty(wn.prototype,"$isServer",{get:te}),Object.defineProperty(wn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(wn,"FunctionalRenderContext",{value:Tt}),wn.version="2.6.11";var jn=p("style,class"),En=p("input,textarea,option,select,progress"),Nn=function(e,t,n){return"value"===n&&En(e)&&"button"!==t||"selected"===n&&"option"===e||"checked"===n&&"input"===e||"muted"===n&&"video"===e},Dn=p("contenteditable,draggable,spellcheck"),Mn=p("events,caret,typing,plaintext-only"),Ln=function(e,t){return Hn(t)||"false"===t?"false":"contenteditable"===e&&Mn(t)?t:"true"},Pn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),In="http://www.w3.org/1999/xlink",Fn=function(e){return":"===e.charAt(5)&&"xlink"===e.slice(0,5)},Rn=function(e){return Fn(e)?e.slice(6,e.length):""},Hn=function(e){return null==e||!1===e};function Bn(e){for(var t=e.data,r=e,i=e;n(i.componentInstance);)(i=i.componentInstance._vnode)&&i.data&&(t=Un(i.data,t));for(;n(r=r.parent);)r&&r.data&&(t=Un(t,r.data));return function(e,t){if(n(e)||n(t))return zn(e,Vn(t));return""}(t.staticClass,t.class)}function Un(e,t){return{staticClass:zn(e.staticClass,t.staticClass),class:n(e.class)?[e.class,t.class]:t.class}}function zn(e,t){return e?t?e+" "+t:e:t||""}function Vn(e){return Array.isArray(e)?function(e){for(var t,r="",i=0,o=e.length;i-1?yr(e,t,n):Pn(t)?Hn(n)?e.removeAttribute(t):(n="allowfullscreen"===t&&"EMBED"===e.tagName?"true":t,e.setAttribute(t,n)):Dn(t)?e.setAttribute(t,Ln(t,n)):Fn(t)?Hn(n)?e.removeAttributeNS(In,Rn(t)):e.setAttributeNS(In,t,n):yr(e,t,n)}function yr(e,t,n){if(Hn(n))e.removeAttribute(t);else{if(W&&!q&&"TEXTAREA"===e.tagName&&"placeholder"===t&&""!==n&&!e.__ieph){var r=function(t){t.stopImmediatePropagation(),e.removeEventListener("input",r)};e.addEventListener("input",r),e.__ieph=!0}e.setAttribute(t,n)}}var gr={create:hr,update:hr};function _r(e,r){var i=r.elm,o=r.data,a=e.data;if(!(t(o.staticClass)&&t(o.class)&&(t(a)||t(a.staticClass)&&t(a.class))&&t(i.__wxsAddClass)&&t(i.__wxsRemoveClass))){var s=Bn(r),c=i._transitionClasses;if(n(c)&&(s=zn(s,Vn(c))),Array.isArray(i.__wxsRemoveClass)&&i.__wxsRemoveClass.length){var u=s.split(/\s+/);i.__wxsRemoveClass.forEach(function(e){var t=u.findIndex(function(t){return t===e});-1!==t&&u.splice(t,1)}),s=u.join(" "),i.__wxsRemoveClass.length=0}if(i.__wxsAddClass){var l=s.split(/\s+/).concat(i.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(e){e&&(f[e]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(e){var t=p[b(e)];t&&(s=s.replace(e,t))}),s!==i._prevClass&&(i.setAttribute("class",s),i._prevClass=s)}}var br,$r,wr,xr,Cr,kr,Ar={create:_r,update:_r},Or=/[\w).+\-_$\]]/;function Sr(e){var t,n,r,i,o,a=!1,s=!1,c=!1,u=!1,l=0,f=0,p=0,d=0;for(r=0;r=0&&" "===(h=e.charAt(v));v--);h&&Or.test(h)||(u=!0)}}else void 0===i?(d=r+1,i=e.slice(0,r).trim()):m();function m(){(o||(o=[])).push(e.slice(d,r).trim()),d=r+1}if(void 0===i?i=e.slice(0,r).trim():0!==d&&m(),o)for(r=0;r-1?{exp:e.slice(0,xr),key:'"'+e.slice(xr+1)+'"'}:{exp:e,key:null};$r=e,xr=Cr=kr=0;for(;!Kr();)Jr(wr=Vr())?qr(wr):91===wr&&Wr(wr);return{exp:e.slice(0,Cr),key:e.slice(Cr+1,kr)}}(e);return null===n.key?e+"="+t:"$set("+n.exp+", "+n.key+", "+t+")"}function Vr(){return $r.charCodeAt(++xr)}function Kr(){return xr>=br}function Jr(e){return 34===e||39===e}function Wr(e){var t=1;for(Cr=xr;!Kr();)if(Jr(e=Vr()))qr(e);else if(91===e&&t++,93===e&&t--,0===t){kr=xr;break}}function qr(e){for(var t=e;!Kr()&&(e=Vr())!==t;);}var Zr,Gr="__r",Xr="__c";function Yr(e,t,n){var r=Zr;return function i(){null!==t.apply(null,arguments)&&ti(e,i,n,r)}}var Qr=ze&&!(X&&Number(X[1])<=53);function ei(e,t,n,r){if(Qr){var i=an,o=t;t=o._wrapper=function(e){if(e.target===e.currentTarget||e.timeStamp>=i||e.timeStamp<=0||e.target.ownerDocument!==document)return o.apply(this,arguments)}}Zr.addEventListener(e,t,Q?{capture:n,passive:r}:n)}function ti(e,t,n,r){(r||Zr).removeEventListener(e,t._wrapper||t,n)}function ni(e,r){if(!t(e.data.on)||!t(r.data.on)){var i=r.data.on||{},o=e.data.on||{};Zr=r.elm,function(e){if(n(e[Gr])){var t=W?"change":"input";e[t]=[].concat(e[Gr],e[t]||[]),delete e[Gr]}n(e[Xr])&&(e.change=[].concat(e[Xr],e.change||[]),delete e[Xr])}(i),nt(i,o,ei,ti,Yr,r.context),Zr=void 0}}var ri,ii={create:ni,update:ni};function oi(e,r){if(!t(e.data.domProps)||!t(r.data.domProps)){var i,o,a=r.elm,s=e.data.domProps||{},c=r.data.domProps||{};for(i in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)i in c||(a[i]="");for(i in c){if(o=c[i],"textContent"===i||"innerHTML"===i){if(r.children&&(r.children.length=0),o===s[i])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===i&&"PROGRESS"!==a.tagName){a._value=o;var u=t(o)?"":String(o);ai(a,u)&&(a.value=u)}else if("innerHTML"===i&&Wn(a.tagName)&&t(a.innerHTML)){(ri=ri||document.createElement("div")).innerHTML=""+o+"";for(var l=ri.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(o!==s[i])try{a[i]=o}catch(e){}}}}function ai(e,t){return!e.composing&&("OPTION"===e.tagName||function(e,t){var n=!0;try{n=document.activeElement!==e}catch(e){}return n&&e.value!==t}(e,t)||function(e,t){var r=e.value,i=e._vModifiers;if(n(i)){if(i.number)return f(r)!==f(t);if(i.trim)return r.trim()!==t.trim()}return r!==t}(e,t))}var si={create:oi,update:oi},ci=g(function(e){var t={},n=/:(.+)/;return e.split(/;(?![^(]*\))/g).forEach(function(e){if(e){var r=e.split(n);r.length>1&&(t[r[0].trim()]=r[1].trim())}}),t});function ui(e){var t=li(e.style);return e.staticStyle?A(e.staticStyle,t):t}function li(e){return Array.isArray(e)?O(e):"string"==typeof e?ci(e):e}var fi,pi=/^--/,di=/\s*!important$/,vi=/([+-]?\d+(\.\d+)?)[r|u]px/g,hi=function(e){return"string"==typeof e?e.replace(vi,function(e,t){return uni.upx2px(t)+"px"}):e},mi=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,yi=function(e,t,n,r){if(r&&r._$getRealPath&&n&&(n=function(e,t){if("string"==typeof e&&-1!==e.indexOf("url(")){var n=e.match(mi);n&&3===n.length&&(e=e.replace(n[1],t._$getRealPath(n[1])))}return e}(n,r)),pi.test(t))e.style.setProperty(t,n);else if(di.test(n))e.style.setProperty(x(t),n.replace(di,""),"important");else{var i=_i(t);if(Array.isArray(n))for(var o=0,a=n.length;o-1?t.split(wi).forEach(function(t){return e.classList.add(t)}):e.classList.add(t);else{var n=" "+(e.getAttribute("class")||"")+" ";n.indexOf(" "+t+" ")<0&&e.setAttribute("class",(n+t).trim())}}function Ci(e,t){if(t&&(t=t.trim()))if(e.classList)t.indexOf(" ")>-1?t.split(wi).forEach(function(t){return e.classList.remove(t)}):e.classList.remove(t),e.classList.length||e.removeAttribute("class");else{for(var n=" "+(e.getAttribute("class")||"")+" ",r=" "+t+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?e.setAttribute("class",n):e.removeAttribute("class")}}function ki(e){if(e){if("object"==typeof e){var t={};return!1!==e.css&&A(t,Ai(e.name||"v")),A(t,e),t}return"string"==typeof e?Ai(e):void 0}}var Ai=g(function(e){return{enterClass:e+"-enter",enterToClass:e+"-enter-to",enterActiveClass:e+"-enter-active",leaveClass:e+"-leave",leaveToClass:e+"-leave-to",leaveActiveClass:e+"-leave-active"}}),Oi=z&&!q,Si="transition",Ti="animation",ji="transition",Ei="transitionend",Ni="animation",Di="animationend";Oi&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(ji="WebkitTransition",Ei="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Ni="WebkitAnimation",Di="webkitAnimationEnd"));var Mi=z?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(e){return e()};function Li(e){Mi(function(){Mi(e)})}function Pi(e,t){var n=e._transitionClasses||(e._transitionClasses=[]);n.indexOf(t)<0&&(n.push(t),xi(e,t))}function Ii(e,t){e._transitionClasses&&h(e._transitionClasses,t),Ci(e,t)}function Fi(e,t,n){var r=Hi(e,t),i=r.type,o=r.timeout,a=r.propCount;if(!i)return n();var s=i===Si?Ei:Di,c=0,u=function(){e.removeEventListener(s,l),n()},l=function(t){t.target===e&&++c>=a&&u()};setTimeout(function(){c0&&(n=Si,l=a,f=o.length):t===Ti?u>0&&(n=Ti,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Si:Ti:null)?n===Si?o.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Si&&Ri.test(r[ji+"Property"])}}function Bi(e,t){for(;e.length1}function Wi(e,t){!0!==t.data.show&&zi(t)}var qi=function(e){var o,a,s={},c=e.modules,u=e.nodeOps;for(o=0;ov?_(e,t(i[y+1])?null:i[y+1].elm,i,d,y,o):d>y&&$(r,p,v)}(p,h,y,o,l):n(y)?(n(e.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,o)):n(h)?$(h,0,h.length-1):n(e.text)&&u.setTextContent(p,""):e.text!==i.text&&u.setTextContent(p,i.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(e,i)}}}function k(e,t,i){if(r(i)&&n(e.parent))e.parent.data.pendingInsert=t;else for(var o=0;o-1,a.selected!==o&&(a.selected=o);else if(E(Qi(a),r))return void(e.selectedIndex!==s&&(e.selectedIndex=s));i||(e.selectedIndex=-1)}}function Yi(e,t){return t.every(function(t){return!E(t,e)})}function Qi(e){return"_value"in e?e._value:e.value}function eo(e){e.target.composing=!0}function to(e){e.target.composing&&(e.target.composing=!1,no(e.target,"input"))}function no(e,t){var n=document.createEvent("HTMLEvents");n.initEvent(t,!0,!0),e.dispatchEvent(n)}function ro(e){return!e.componentInstance||e.data&&e.data.transition?e:ro(e.componentInstance._vnode)}var io={model:Zi,show:{bind:function(e,t,n){var r=t.value,i=(n=ro(n)).data&&n.data.transition,o=e.__vOriginalDisplay="none"===e.style.display?"":e.style.display;r&&i?(n.data.show=!0,zi(n,function(){e.style.display=o})):e.style.display=r?o:"none"},update:function(e,t,n){var r=t.value;!r!=!t.oldValue&&((n=ro(n)).data&&n.data.transition?(n.data.show=!0,r?zi(n,function(){e.style.display=e.__vOriginalDisplay}):Vi(n,function(){e.style.display="none"})):e.style.display=r?e.__vOriginalDisplay:"none")},unbind:function(e,t,n,r,i){i||(e.style.display=e.__vOriginalDisplay)}}},oo={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function ao(e){var t=e&&e.componentOptions;return t&&t.Ctor.options.abstract?ao(zt(t.children)):e}function so(e){var t={},n=e.$options;for(var r in n.propsData)t[r]=e[r];var i=n._parentListeners;for(var o in i)t[b(o)]=i[o];return t}function co(e,t){if(/\d-keep-alive$/.test(t.tag))return e("keep-alive",{props:t.componentOptions.propsData})}var uo=function(e){return e.tag||Ut(e)},lo=function(e){return"show"===e.name},fo={name:"transition",props:oo,abstract:!0,render:function(e){var t=this,n=this.$slots.default;if(n&&(n=n.filter(uo)).length){var r=this.mode,o=n[0];if(function(e){for(;e=e.parent;)if(e.data.transition)return!0}(this.$vnode))return o;var a=ao(o);if(!a)return o;if(this._leaving)return co(e,o);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:i(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=so(this),u=this._vnode,l=ao(u);if(a.data.directives&&a.data.directives.some(lo)&&(a.data.show=!0),l&&l.data&&!function(e,t){return t.key===e.key&&t.tag===e.tag}(a,l)&&!Ut(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,rt(f,"afterLeave",function(){t._leaving=!1,t.$forceUpdate()}),co(e,o);if("in-out"===r){if(Ut(a))return u;var p,d=function(){p()};rt(c,"afterEnter",d),rt(c,"enterCancelled",d),rt(f,"delayLeave",function(e){p=e})}}return o}}},po=A({tag:String,moveClass:String},oo);function vo(e){e.elm._moveCb&&e.elm._moveCb(),e.elm._enterCb&&e.elm._enterCb()}function ho(e){e.data.newPos=e.elm.getBoundingClientRect()}function mo(e){var t=e.data.pos,n=e.data.newPos,r=t.left-n.left,i=t.top-n.top;if(r||i){e.data.moved=!0;var o=e.elm.style;o.transform=o.WebkitTransform="translate("+r+"px,"+i+"px)",o.transitionDuration="0s"}}delete po.mode;var yo={Transition:fo,TransitionGroup:{props:po,beforeMount:function(){var e=this,t=this._update;this._update=function(n,r){var i=Zt(e);e.__patch__(e._vnode,e.kept,!1,!0),e._vnode=e.kept,i(),t.call(e,n,r)}},render:function(e){for(var t=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,i=this.$slots.default||[],o=this.children=[],a=so(this),s=0;s-1?Gn[e]=t.constructor===window.HTMLUnknownElement||t.constructor===window.HTMLElement:Gn[e]=/HTMLUnknownElement/.test(t.toString())},A(wn.options.directives,io),A(wn.options.components,yo),wn.prototype.__patch__=z?qi:S,wn.prototype.__call_hook=function(e,t){var n=this;ue();var r,i=n.$options[e],o=e+" hook";if(i)for(var a=0,s=i.length;a\/=]+)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,To=/^\s*((?:v-[\w-]+:|@|:|#)\[[^=]+\][^\s"'<>\/=]*)(?:\s*(=)\s*(?:"([^"]*)"+|'([^']*)'+|([^\s"'=<>`]+)))?/,jo="[a-zA-Z_][\\-\\.0-9_a-zA-Z"+F.source+"]*",Eo="((?:"+jo+"\\:)?"+jo+")",No=new RegExp("^<"+Eo),Do=/^\s*(\/?)>/,Mo=new RegExp("^<\\/"+Eo+"[^>]*>"),Lo=/^]+>/i,Po=/^",""":'"',"&":"&"," ":"\n"," ":"\t","'":"'"},Bo=/&(?:lt|gt|quot|amp|#39);/g,Uo=/&(?:lt|gt|quot|amp|#39|#10|#9);/g,zo=p("pre,textarea",!0),Vo=function(e,t){return e&&zo(e)&&"\n"===t[0]};function Ko(e,t){var n=t?Uo:Bo;return e.replace(n,function(e){return Ho[e]})}var Jo,Wo,qo,Zo,Go,Xo,Yo,Qo,ea=/^@|^v-on:/,ta=/^v-|^@|^:|^#/,na=/([\s\S]*?)\s+(?:in|of)\s+([\s\S]*)/,ra=/,([^,\}\]]*)(?:,([^,\}\]]*))?$/,ia=/^\(|\)$/g,oa=/^\[.*\]$/,aa=/:(.*)$/,sa=/^:|^\.|^v-bind:/,ca=/\.[^.\]]+(?=[^\]]*$)/g,ua=/^v-slot(:|$)|^#/,la=/[\r\n]/,fa=/\s+/g,pa=g(Co),da="_empty_";function va(e,t,n){return{type:1,tag:e,attrsList:t,attrsMap:$a(t),rawAttrsMap:{},parent:n,children:[]}}function ha(e,t){Jo=t.warn||jr,Xo=t.isPreTag||T,Yo=t.mustUseProp||T,Qo=t.getTagNamespace||T;t.isReservedTag;qo=Er(t.modules,"transformNode"),Zo=Er(t.modules,"preTransformNode"),Go=Er(t.modules,"postTransformNode"),Wo=t.delimiters;var n,r,i=[],o=!1!==t.preserveWhitespace,a=t.whitespace,s=!1,c=!1;function u(e){if(l(e),s||e.processed||(e=ma(e,t)),i.length||e===n||n.if&&(e.elseif||e.else)&&ga(n,{exp:e.elseif,block:e}),r&&!e.forbidden)if(e.elseif||e.else)a=e,(u=function(e){var t=e.length;for(;t--;){if(1===e[t].type)return e[t];e.pop()}}(r.children))&&u.if&&ga(u,{exp:a.elseif,block:a});else{if(e.slotScope){var o=e.slotTarget||'"default"';(r.scopedSlots||(r.scopedSlots={}))[o]=e}r.children.push(e),e.parent=r}var a,u;e.children=e.children.filter(function(e){return!e.slotScope}),l(e),e.pre&&(s=!1),Xo(e.tag)&&(c=!1);for(var f=0;f]*>)","i")),p=e.replace(f,function(e,n,r){return u=r.length,Fo(l)||"noscript"===l||(n=n.replace(//g,"$1").replace(//g,"$1")),Vo(l,n)&&(n=n.slice(1)),t.chars&&t.chars(n),""});c+=e.length-p.length,e=p,A(l,c-u,c)}else{var d=e.indexOf("<");if(0===d){if(Po.test(e)){var v=e.indexOf("--\x3e");if(v>=0){t.shouldKeepComment&&t.comment(e.substring(4,v),c,c+v+3),x(v+3);continue}}if(Io.test(e)){var h=e.indexOf("]>");if(h>=0){x(h+2);continue}}var m=e.match(Lo);if(m){x(m[0].length);continue}var y=e.match(Mo);if(y){var g=c;x(y[0].length),A(y[1],g,c);continue}var _=C();if(_){k(_),Vo(_.tagName,e)&&x(1);continue}}var b=void 0,$=void 0,w=void 0;if(d>=0){for($=e.slice(d);!(Mo.test($)||No.test($)||Po.test($)||Io.test($)||(w=$.indexOf("<",1))<0);)d+=w,$=e.slice(d);b=e.substring(0,d)}d<0&&(b=e),b&&x(b.length),t.chars&&b&&t.chars(b,c-b.length,c)}if(e===n){t.chars&&t.chars(e);break}}function x(t){c+=t,e=e.substring(t)}function C(){var t=e.match(No);if(t){var n,r,i={tagName:t[1],attrs:[],start:c};for(x(t[0].length);!(n=e.match(Do))&&(r=e.match(To)||e.match(So));)r.start=c,x(r[0].length),r.end=c,i.attrs.push(r);if(n)return i.unarySlash=n[1],x(n[0].length),i.end=c,i}}function k(e){var n=e.tagName,c=e.unarySlash;o&&("p"===r&&Oo(n)&&A(r),s(n)&&r===n&&A(n));for(var u=a(n)||!!c,l=e.attrs.length,f=new Array(l),p=0;p=0&&i[a].lowerCasedTag!==s;a--);else a=0;if(a>=0){for(var u=i.length-1;u>=a;u--)t.end&&t.end(i[u].tag,n,o);i.length=a,r=a&&i[a-1].tag}else"br"===s?t.start&&t.start(e,[],!0,n,o):"p"===s&&(t.start&&t.start(e,[],!1,n,o),t.end&&t.end(e,n,o))}A()}(e,{warn:Jo,expectHTML:t.expectHTML,isUnaryTag:t.isUnaryTag,canBeLeftOpenTag:t.canBeLeftOpenTag,shouldDecodeNewlines:t.shouldDecodeNewlines,shouldDecodeNewlinesForHref:t.shouldDecodeNewlinesForHref,shouldKeepComment:t.comments,outputSourceRange:t.outputSourceRange,start:function(e,o,a,l,f){var p=r&&r.ns||Qo(e);W&&"svg"===p&&(o=function(e){for(var t=[],n=0;nc&&(s.push(o=e.slice(c,i)),a.push(JSON.stringify(o)));var u=Sr(r[1].trim());a.push("_s("+u+")"),s.push({"@binding":u}),c=i+r[0].length}return c=0;n--){var r=t[n].name;if(0===r.indexOf(":change:")||0===r.indexOf("v-bind:change:")){var i=r.split(":"),o=i[i.length-1],a=e.attrsMap[":"+o]||e.attrsMap["v-bind:"+o];a&&((e.wxsPropBindings||(e.wxsPropBindings={}))["change:"+o]=a)}}},genData:function(e){var t="";return e.wxsPropBindings&&(t+="wxsProps:"+JSON.stringify(e.wxsPropBindings)+","),t}},$o,xo,{preTransformNode:function(e,t){if("input"===e.tag){var n,r=e.attrsMap;if(!r["v-model"])return;if("h5"!==process.env.UNI_PLATFORM)return;if((r[":type"]||r["v-bind:type"])&&(n=Fr(e,"type")),r.type||n||!r["v-bind"]||(n="("+r["v-bind"]+").type"),n){var i=Rr(e,"v-if",!0),o=i?"&&("+i+")":"",a=null!=Rr(e,"v-else",!0),s=Rr(e,"v-else-if",!0),c=Ca(e);ya(c),Mr(c,"type","checkbox"),ma(c,t),c.processed=!0,c.if="("+n+")==='checkbox'"+o,ga(c,{exp:c.if,block:c});var u=Ca(e);Rr(u,"v-for",!0),Mr(u,"type","radio"),ma(u,t),ga(c,{exp:"("+n+")==='radio'"+o,block:u});var l=Ca(e);return Rr(l,"v-for",!0),Mr(l,":type",n),ma(l,t),ga(c,{exp:i,block:l}),a?c.else=!0:s&&(c.elseif=s),c}}}}];var Aa,Oa,Sa={expectHTML:!0,modules:ka,directives:{model:function(e,t,n){var r=t.value,i=t.modifiers,o=e.tag,a=e.attrsMap.type;if(e.component)return Ur(e,r,i),!1;if("select"===o)!function(e,t,n){var r='var $$selectedVal = Array.prototype.filter.call($event.target.options,function(o){return o.selected}).map(function(o){var val = "_value" in o ? o._value : o.value;return '+(n&&n.number?"_n(val)":"val")+"});";r=r+" "+zr(t,"$event.target.multiple ? $$selectedVal : $$selectedVal[0]"),Ir(e,"change",r,null,!0)}(e,r,i);else if("input"===o&&"checkbox"===a)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null",o=Fr(e,"true-value")||"true",a=Fr(e,"false-value")||"false";Nr(e,"checked","Array.isArray("+t+")?_i("+t+","+i+")>-1"+("true"===o?":("+t+")":":_q("+t+","+o+")")),Ir(e,"change","var $$a="+t+",$$el=$event.target,$$c=$$el.checked?("+o+"):("+a+");if(Array.isArray($$a)){var $$v="+(r?"_n("+i+")":i)+",$$i=_i($$a,$$v);if($$el.checked){$$i<0&&("+zr(t,"$$a.concat([$$v])")+")}else{$$i>-1&&("+zr(t,"$$a.slice(0,$$i).concat($$a.slice($$i+1))")+")}}else{"+zr(t,"$$c")+"}",null,!0)}(e,r,i);else if("input"===o&&"radio"===a)!function(e,t,n){var r=n&&n.number,i=Fr(e,"value")||"null";Nr(e,"checked","_q("+t+","+(i=r?"_n("+i+")":i)+")"),Ir(e,"change",zr(t,i),null,!0)}(e,r,i);else if("input"===o||"textarea"===o)!function(e,t,n){var r=e.attrsMap.type,i=n||{},o=i.lazy,a=i.number,s=i.trim,c=!o&&"range"!==r,u=o?"change":"range"===r?Gr:"input",l="$event.target.value";s&&(l="$event.target.value.trim()"),a&&(l="_n("+l+")");var f=zr(t,l);c&&(f="if($event.target.composing)return;"+f),Nr(e,"value","("+t+")"),Ir(e,u,f,null,!0),(s||a)&&Ir(e,"blur","$forceUpdate()")}(e,r,i);else if(!I.isReservedTag(o))return Ur(e,r,i),!1;return!0},text:function(e,t){t.value&&Nr(e,"textContent","_s("+t.value+")",t)},html:function(e,t){t.value&&Nr(e,"innerHTML","_s("+t.value+")",t)}},isPreTag:function(e){return"pre"===e},isUnaryTag:ko,mustUseProp:Nn,canBeLeftOpenTag:Ao,isReservedTag:qn,getTagNamespace:Zn,staticKeys:function(e){return e.reduce(function(e,t){return e.concat(t.staticKeys||[])},[]).join(",")}(ka)},Ta=g(function(e){return p("type,tag,attrsList,attrsMap,plain,parent,children,attrs,start,end,rawAttrsMap"+(e?","+e:""))});function ja(e,t){e&&(Aa=Ta(t.staticKeys||""),Oa=t.isReservedTag||T,function e(t){t.static=function(e){if(2===e.type)return!1;if(3===e.type)return!0;return!(!e.pre&&(e.hasBindings||e.if||e.for||d(e.tag)||!Oa(e.tag)||function(e){for(;e.parent;){if("template"!==(e=e.parent).tag)return!1;if(e.for)return!0}return!1}(e)||!Object.keys(e).every(Aa)))}(t);if(1===t.type){if(!Oa(t.tag)&&"slot"!==t.tag&&null==t.attrsMap["inline-template"])return;for(var n=0,r=t.children.length;n|^function(?:\s+[\w$]+)?\s*\(/,Na=/\([^)]*?\);*$/,Da=/^[A-Za-z_$][\w$]*(?:\.[A-Za-z_$][\w$]*|\['[^']*?']|\["[^"]*?"]|\[\d+]|\[[A-Za-z_$][\w$]*])*$/,Ma={esc:27,tab:9,enter:13,space:32,up:38,left:37,right:39,down:40,delete:[8,46]},La={esc:["Esc","Escape"],tab:"Tab",enter:"Enter",space:[" ","Spacebar"],up:["Up","ArrowUp"],left:["Left","ArrowLeft"],right:["Right","ArrowRight"],down:["Down","ArrowDown"],delete:["Backspace","Delete","Del"]},Pa=function(e){return"if("+e+")return null;"},Ia={stop:"$event.stopPropagation();",prevent:"$event.preventDefault();",self:Pa("$event.target !== $event.currentTarget"),ctrl:Pa("!$event.ctrlKey"),shift:Pa("!$event.shiftKey"),alt:Pa("!$event.altKey"),meta:Pa("!$event.metaKey"),left:Pa("'button' in $event && $event.button !== 0"),middle:Pa("'button' in $event && $event.button !== 1"),right:Pa("'button' in $event && $event.button !== 2")};function Fa(e,t){var n=t?"nativeOn:":"on:",r="",i="";for(var o in e){var a=Ra(e[o]);e[o]&&e[o].dynamic?i+=o+","+a+",":r+='"'+o+'":'+a+","}return r="{"+r.slice(0,-1)+"}",i?n+"_d("+r+",["+i.slice(0,-1)+"])":n+r}function Ra(e){if(!e)return"function(){}";if(Array.isArray(e))return"["+e.map(function(e){return Ra(e)}).join(",")+"]";var t=Da.test(e.value),n=Ea.test(e.value),r=Da.test(e.value.replace(Na,""));if(e.modifiers){var i="",o="",a=[];for(var s in e.modifiers)if(Ia[s])o+=Ia[s],Ma[s]&&a.push(s);else if("exact"===s){var c=e.modifiers;o+=Pa(["ctrl","shift","alt","meta"].filter(function(e){return!c[e]}).map(function(e){return"$event."+e+"Key"}).join("||"))}else a.push(s);return a.length&&(i+=function(e){return"if(!$event.type.indexOf('key')&&"+e.map(Ha).join("&&")+")return null;"}(a)),o&&(i+=o),"function($event){"+i+(t?"return "+e.value+"($event)":n?"return ("+e.value+")($event)":r?"return "+e.value:e.value)+"}"}return t||n?e.value:"function($event){"+(r?"return "+e.value:e.value)+"}"}function Ha(e){var t=parseInt(e,10);if(t)return"$event.keyCode!=="+t;var n=Ma[e],r=La[e];return"_k($event.keyCode,"+JSON.stringify(e)+","+JSON.stringify(n)+",$event.key,"+JSON.stringify(r)+")"}var Ba={on:function(e,t){e.wrapListeners=function(e){return"_g("+e+","+t.value+")"}},bind:function(e,t){e.wrapData=function(n){return"_b("+n+",'"+e.tag+"',"+t.value+","+(t.modifiers&&t.modifiers.prop?"true":"false")+(t.modifiers&&t.modifiers.sync?",true":"")+")"}},cloak:S},Ua=function(e){this.options=e,this.warn=e.warn||jr,this.transforms=Er(e.modules,"transformCode"),this.dataGenFns=Er(e.modules,"genData"),this.directives=A(A({},Ba),e.directives);var t=e.isReservedTag||T;this.maybeComponent=function(e){return!!e.component||!t(e.tag)},this.onceId=0,this.staticRenderFns=[],this.pre=!1};function za(e,t){var n=new Ua(t);return{render:"with(this){return "+(e?Va(e,n):'_c("div")')+"}",staticRenderFns:n.staticRenderFns}}function Va(e,t){if(e.parent&&(e.pre=e.pre||e.parent.pre),e.staticRoot&&!e.staticProcessed)return Ka(e,t);if(e.once&&!e.onceProcessed)return Ja(e,t);if(e.for&&!e.forProcessed)return qa(e,t);if(e.if&&!e.ifProcessed)return Wa(e,t);if("template"!==e.tag||e.slotTarget||t.pre){if("slot"===e.tag)return function(e,t){var n=e.slotName||'"default"',r=Ya(e,t),i="_t("+n+(r?","+r:""),o=e.attrs||e.dynamicAttrs?ts((e.attrs||[]).concat(e.dynamicAttrs||[]).map(function(e){return{name:b(e.name),value:e.value,dynamic:e.dynamic}})):null,a=e.attrsMap["v-bind"];!o&&!a||r||(i+=",null");o&&(i+=","+o);a&&(i+=(o?"":",null")+","+a);return i+")"}(e,t);var n;if(e.component)n=function(e,t,n){var r=t.inlineTemplate?null:Ya(t,n,!0);return"_c("+e+","+Za(t,n)+(r?","+r:"")+")"}(e.component,e,t);else{var r;(!e.plain||e.pre&&t.maybeComponent(e))&&(r=Za(e,t));var i=e.inlineTemplate?null:Ya(e,t,!0);n="_c('"+e.tag+"'"+(r?","+r:"")+(i?","+i:"")+")"}for(var o=0;o>>0}(a):"")+")"}(e,e.scopedSlots,t)+","),e.model&&(n+="model:{value:"+e.model.value+",callback:"+e.model.callback+",expression:"+e.model.expression+"},"),e.inlineTemplate){var o=function(e,t){var n=e.children[0];if(n&&1===n.type){var r=za(n,t.options);return"inlineTemplate:{render:function(){"+r.render+"},staticRenderFns:["+r.staticRenderFns.map(function(e){return"function(){"+e+"}"}).join(",")+"]}"}}(e,t);o&&(n+=o+",")}return n=n.replace(/,$/,"")+"}",e.dynamicAttrs&&(n="_b("+n+',"'+e.tag+'",'+ts(e.dynamicAttrs)+")"),e.wrapData&&(n=e.wrapData(n)),e.wrapListeners&&(n=e.wrapListeners(n)),n}function Ga(e){return 1===e.type&&("slot"===e.tag||e.children.some(Ga))}function Xa(e,t){var n=e.attrsMap["slot-scope"];if(e.if&&!e.ifProcessed&&!n)return Wa(e,t,Xa,"null");if(e.for&&!e.forProcessed)return qa(e,t,Xa);var r=e.slotScope===da?"":String(e.slotScope),i="function("+r+"){return "+("template"===e.tag?e.if&&n?"("+e.if+")?"+(Ya(e,t)||"undefined")+":undefined":Ya(e,t)||"undefined":Va(e,t))+"}",o=r?"":",proxy:true";return"{key:"+(e.slotTarget||'"default"')+",fn:"+i+o+"}"}function Ya(e,t,n,r,i){var o=e.children;if(o.length){var a=o[0];if(1===o.length&&a.for&&"template"!==a.tag&&"slot"!==a.tag){var s=n?t.maybeComponent(a)?",1":",0":"";return""+(r||Va)(a,t)+s}var c=n?function(e,t){for(var n=0,r=0;r':'
',as.innerHTML.indexOf(" ")>0}var ls=!!z&&us(!1),fs=!!z&&us(!0),ps=g(function(e){var t=Yn(e);return t&&t.innerHTML}),ds=wn.prototype.$mount;return wn.prototype.$mount=function(e,t){if((e=e&&Yn(e))===document.body||e===document.documentElement)return this;var n=this.$options;if(!n.render){var r=n.template;if(r)if("string"==typeof r)"#"===r.charAt(0)&&(r=ps(r));else{if(!r.nodeType)return this;r=r.innerHTML}else e&&(r=function(e){if(e.outerHTML)return e.outerHTML;var t=document.createElement("div");return t.appendChild(e.cloneNode(!0)),t.innerHTML}(e));if(r){var i=cs(r,{outputSourceRange:!1,shouldDecodeNewlines:ls,shouldDecodeNewlinesForHref:fs,delimiters:n.delimiters,comments:n.comments},this),o=i.render,a=i.staticRenderFns;n.render=o,n.staticRenderFns=a}}return ds.call(this,e,t)},wn.compile=cs,wn}); \ No newline at end of file diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.dev.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.dev.js index aa4ec8a9b..a4c53068c 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.dev.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.dev.js @@ -6774,6 +6774,8 @@ function updateWxsProps(oldVnode, vnode) { context.$getComponentDescriptor(context, true), vnode.elm.__vue__.$getComponentDescriptor(vnode.elm.__vue__, false) ); + }, { + deep: true }); }); diff --git a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.prod.js b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.prod.js index b70b3e736..19ccaf6ed 100644 --- a/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.prod.js +++ b/packages/vue-cli-plugin-uni/packages/h5-vue/dist/vue.runtime.common.prod.js @@ -3,4 +3,4 @@ * (c) 2014-2020 Evan You * Released under the MIT License. */ -"use strict";var t=Object.freeze({});function e(t){return null==t}function n(t){return null!=t}function r(t){return!0===t}function o(t){return"string"==typeof t||"number"==typeof t||"symbol"==typeof t||"boolean"==typeof t}function i(t){return null!==t&&"object"==typeof t}var a=Object.prototype.toString;function s(t){return"[object Object]"===a.call(t)}function c(t){var e=parseFloat(String(t));return e>=0&&Math.floor(e)===e&&isFinite(t)}function u(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function l(t){return null==t?"":Array.isArray(t)||s(t)&&t.toString===a?JSON.stringify(t,null,2):String(t)}function f(t){var e=parseFloat(t);return isNaN(e)?t:e}function p(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o-1)return t.splice(n,1)}}var h=Object.prototype.hasOwnProperty;function m(t,e){return h.call(t,e)}function y(t){var e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}var g=/-(\w)/g,_=y(function(t){return t.replace(g,function(t,e){return e?e.toUpperCase():""})}),b=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),w=/\B([A-Z])/g,C=y(function(t){return t.replace(w,"-$1").toLowerCase()});var $=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){var r=arguments.length;return r?r>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function x(t,e){e=e||0;for(var n=t.length-e,r=new Array(n);n--;)r[n]=t[n+e];return r}function A(t,e){for(var n in e)t[n]=e[n];return t}function O(t){for(var e={},n=0;n0,K=V&&V.indexOf("edge/")>0,X=(V&&V.indexOf("android"),V&&/iphone|ipad|ipod|ios/.test(V)||"ios"===B),G=(V&&/chrome\/\d+/.test(V),V&&/phantomjs/.test(V),V&&V.match(/firefox\/(\d+)/)),Z={}.watch,J=!1;if(U)try{var Q={};Object.defineProperty(Q,"passive",{get:function(){J=!0}}),window.addEventListener("test-passive",null,Q)}catch(t){}var Y=function(){return void 0===R&&(R=!U&&!z&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),R},tt=U&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function et(t){return"function"==typeof t&&/native code/.test(t.toString())}var nt,rt="undefined"!=typeof Symbol&&et(Symbol)&&"undefined"!=typeof Reflect&&et(Reflect.ownKeys);nt="undefined"!=typeof Set&&et(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return!0===this.set[t]},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var ot=k,it=0,at=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=it++,this.subs=[]};function st(t){at.SharedObject.targetStack.push(t),at.SharedObject.target=t}function ct(){at.SharedObject.targetStack.pop(),at.SharedObject.target=at.SharedObject.targetStack[at.SharedObject.targetStack.length-1]}at.prototype.addSub=function(t){this.subs.push(t)},at.prototype.removeSub=function(t){v(this.subs,t)},at.prototype.depend=function(){at.SharedObject.target&&at.SharedObject.target.addDep(this)},at.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e-1)if(i&&!m(o,"default"))a=!1;else if(""===a||a===C(t)){var c=Nt(String,o.type);(c<0||s0&&(ie((u=t(u,(a||"")+"_"+c))[0])&&ie(f)&&(s[l]=pt(f.text+u[0].text),u.shift()),s.push.apply(s,u)):o(u)?ie(f)?s[l]=pt(f.text+u):""!==u&&s.push(pt(u)):ie(u)&&ie(f)?s[l]=pt(f.text+u.text):(r(i._isVList)&&n(u.tag)&&e(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(t):void 0}function ie(t){return n(t)&&n(t.text)&&!1===t.isComment}function ae(t,e){if(t){for(var n=Object.create(null),r=rt?Reflect.ownKeys(t):Object.keys(t),o=0;o0,a=e?!!e.$stable:!i,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&r&&r!==t&&s===r.$key&&!i&&!r.$hasNormal)return r;for(var c in o={},e)e[c]&&"$"!==c[0]&&(o[c]=le(n,c,e[c]))}else o={};for(var u in n)u in o||(o[u]=fe(n,u));return e&&Object.isExtensible(e)&&(e._normalized=o),M(o,"$stable",a),M(o,"$key",s),M(o,"$hasNormal",i),o}function le(t,e,n){var r=function(){var t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:oe(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:r,enumerable:!0,configurable:!0}),r}function fe(t,e){return function(){return t[e]}}function pe(t,e){var r,o,a,s,c;if(Array.isArray(t)||"string"==typeof t)for(r=new Array(t.length),o=0,a=t.length;odocument.createEvent("Event").timeStamp&&(on=function(){return an.now()})}function sn(){var t,e;for(rn=on(),en=!0,Je.sort(function(t,e){return t.id-e.id}),nn=0;nnnn&&Je[n].id>t.id;)n--;Je.splice(n+1,0,t)}else Je.push(t);tn||(tn=!0,Gt(sn))}}(this)},un.prototype.run=function(){if(this.active){var t=this.get();if(t!==this.value||i(t)||this.deep){var e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){Lt(t,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,t,e)}}},un.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},un.prototype.depend=function(){for(var t=this.deps.length;t--;)this.deps[t].depend()},un.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||v(this.vm._watchers,this);for(var t=this.deps.length;t--;)this.deps[t].removeSub(this);this.active=!1}};var ln={enumerable:!0,configurable:!0,get:k,set:k};function fn(t,e,n){ln.get=function(){return this[e][n]},ln.set=function(t){this[e][n]=t},Object.defineProperty(t,n,ln)}function pn(t){t._watchers=[];var e=t.$options;e.props&&function(t,e){var n=t.$options.propsData||{},r=t._props={},o=t.$options._propKeys=[];t.$parent&>(!1);var i=function(i){o.push(i);var a=It(i,e,n,t);wt(r,i,a),i in t||fn(t,"_props",i)};for(var a in e)i(a);gt(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(var n in e)t[n]="function"!=typeof e[n]?k:$(e[n],t)}(t,e.methods),e.data?function(t){var e=t.$options.data;s(e=t._data="function"==typeof e?function(t,e){st();try{return t.call(e,e)}catch(t){return Lt(t,e,"data()"),{}}finally{ct()}}(e,t):e||{})||(e={});var n=Object.keys(e),r=t.$options.props,o=(t.$options.methods,n.length);for(;o--;){var i=n[o];r&&m(r,i)||(a=void 0,36!==(a=(i+"").charCodeAt(0))&&95!==a&&fn(t,"_data",i))}var a;bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){var n=t._computedWatchers=Object.create(null),r=Y();for(var o in e){var i=e[o],a="function"==typeof i?i:i.get;r||(n[o]=new un(t,a||k,k,dn)),o in t||vn(t,o,i)}}(t,e.computed),e.watch&&e.watch!==Z&&function(t,e){for(var n in e){var r=e[n];if(Array.isArray(r))for(var o=0;o-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===a.call(n)&&t.test(e));var n}function xn(t,e){var n=t.cache,r=t.keys,o=t._vnode;for(var i in n){var a=n[i];if(a){var s=Cn(a.componentOptions);s&&!e(s)&&An(n,i,r,o)}}}function An(t,e,n,r){var o=t[e];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),t[e]=null,v(n,e)}!function(e){e.prototype._init=function(e){var n=this;n._uid=gn++,n._isVue=!0,e&&e._isComponent?function(t,e){var n=t.$options=Object.create(t.constructor.options),r=e._parentVnode;n.parent=e.parent,n._parentVnode=r;var o=r.componentOptions;n.propsData=o.propsData,n._parentListeners=o.listeners,n._renderChildren=o.children,n._componentTag=o.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(_n(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){var e=t.$options,n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;var e=t.$options._parentListeners;e&&We(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;var n=e.$options,r=e.$vnode=n._parentVnode,o=r&&r.context;e.$slots=se(n._renderChildren,o),e.$scopedSlots=t,e._c=function(t,n,r,o){return Le(e,t,n,r,o,!1)},e.$createElement=function(t,n,r,o){return Le(e,t,n,r,o,!0)};var i=r&&r.data;wt(e,"$attrs",i&&i.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),Ze(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){var e=ae(t.$options.inject,t);e&&(gt(!1),Object.keys(e).forEach(function(n){wt(t,n,e[n])}),gt(!0))}(n),pn(n),"mp-toutiao"!==n.mpHost&&function(t){var e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&Ze(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(bn),function(t){var e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=Ct,t.prototype.$delete=$t,t.prototype.$watch=function(t,e,n){if(s(e))return yn(this,t,e,n);(n=n||{}).user=!0;var r=new un(this,t,e,n);if(n.immediate)try{e.call(this,r.value)}catch(t){Lt(t,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(bn),function(t){var e=/^hook:/;t.prototype.$on=function(t,n){var r=this;if(Array.isArray(t))for(var o=0,i=t.length;o1?x(e):e;for(var n=x(arguments,1),r='event handler for "'+t+'"',o=0,i=e.length;oparseInt(this.max)&&An(a,s[0],s,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){var e={get:function(){return L}};Object.defineProperty(t,"config",e),t.util={warn:ot,extend:A,mergeOptions:Et,defineReactive:wt},t.set=Ct,t.delete=$t,t.nextTick=Gt,t.observable=function(t){return bt(t),t},t.options=Object.create(null),P.forEach(function(e){t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,kn),function(t){t.use=function(t){var e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;var n=x(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),wn(t),function(t){P.forEach(function(e){t[e]=function(t,n){return n?("component"===e&&s(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(bn),Object.defineProperty(bn.prototype,"$isServer",{get:Y}),Object.defineProperty(bn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(bn,"FunctionalRenderContext",{value:ke}),bn.version="2.6.11";var Sn=p("style,class"),jn=p("input,textarea,option,select,progress"),En=p("contenteditable,draggable,spellcheck"),Tn=p("events,caret,typing,plaintext-only"),In=function(t,e){return Mn(e)||"false"===e?"false":"contenteditable"===t&&Tn(e)?e:"true"},Dn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Nn=function(t){return":"===t.charAt(5)&&"xlink"===t.slice(0,5)},Ln=function(t){return Nn(t)?t.slice(6,t.length):""},Mn=function(t){return null==t||!1===t};function Fn(t){for(var e=t.data,r=t,o=t;n(o.componentInstance);)(o=o.componentInstance._vnode)&&o.data&&(e=Rn(o.data,e));for(;n(r=r.parent);)r&&r.data&&(e=Rn(e,r.data));return function(t,e){if(n(t)||n(e))return Hn(t,Un(e));return""}(e.staticClass,e.class)}function Rn(t,e){return{staticClass:Hn(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function Hn(t,e){return t?e?t+" "+e:t:e||""}function Un(t){return Array.isArray(t)?function(t){for(var e,r="",o=0,i=t.length;o-1?pr(t,e,n):Dn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):En(e)?t.setAttribute(e,In(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(Pn,Ln(e)):t.setAttributeNS(Pn,e,n):pr(t,e,n)}function pr(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){var r=function(e){e.stopImmediatePropagation(),t.removeEventListener("input",r)};t.addEventListener("input",r),t.__ieph=!0}t.setAttribute(e,n)}}var dr={create:lr,update:lr};function vr(t,r){var o=r.elm,i=r.data,a=t.data;if(!(e(i.staticClass)&&e(i.class)&&(e(a)||e(a.staticClass)&&e(a.class))&&e(o.__wxsAddClass)&&e(o.__wxsRemoveClass))){var s=Fn(r),c=o._transitionClasses;if(n(c)&&(s=Hn(s,Un(c))),Array.isArray(o.__wxsRemoveClass)&&o.__wxsRemoveClass.length){var u=s.split(/\s+/);o.__wxsRemoveClass.forEach(function(t){var e=u.findIndex(function(e){return e===t});-1!==e&&u.splice(e,1)}),s=u.join(" "),o.__wxsRemoveClass.length=0}if(o.__wxsAddClass){var l=s.split(/\s+/).concat(o.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(t){t&&(f[t]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(t){var e=p[_(t)];e&&(s=s.replace(t,e))}),s!==o._prevClass&&(o.setAttribute("class",s),o._prevClass=s)}}var hr,mr={create:vr,update:vr},yr="__r",gr="__c";function _r(t,e,n){var r=hr;return function o(){null!==e.apply(null,arguments)&&Cr(t,o,n,r)}}var br=Ut&&!(G&&Number(G[1])<=53);function wr(t,e,n,r){if(br){var o=rn,i=e;e=i._wrapper=function(t){if(t.target===t.currentTarget||t.timeStamp>=o||t.timeStamp<=0||t.target.ownerDocument!==document)return i.apply(this,arguments)}}hr.addEventListener(t,e,J?{capture:n,passive:r}:n)}function Cr(t,e,n,r){(r||hr).removeEventListener(t,e._wrapper||e,n)}function $r(t,r){if(!e(t.data.on)||!e(r.data.on)){var o=r.data.on||{},i=t.data.on||{};hr=r.elm,function(t){if(n(t[yr])){var e=W?"change":"input";t[e]=[].concat(t[yr],t[e]||[]),delete t[yr]}n(t[gr])&&(t.change=[].concat(t[gr],t.change||[]),delete t[gr])}(o),te(o,i,wr,Cr,_r,r.context),hr=void 0}}var xr,Ar={create:$r,update:$r};function Or(t,r){if(!e(t.data.domProps)||!e(r.data.domProps)){var o,i,a=r.elm,s=t.data.domProps||{},c=r.data.domProps||{};for(o in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)o in c||(a[o]="");for(o in c){if(i=c[o],"textContent"===o||"innerHTML"===o){if(r.children&&(r.children.length=0),i===s[o])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===o&&"PROGRESS"!==a.tagName){a._value=i;var u=e(i)?"":String(i);kr(a,u)&&(a.value=u)}else if("innerHTML"===o&&Vn(a.tagName)&&e(a.innerHTML)){(xr=xr||document.createElement("div")).innerHTML=""+i+"";for(var l=xr.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(i!==s[o])try{a[o]=i}catch(t){}}}}function kr(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){var n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){var r=t.value,o=t._vModifiers;if(n(o)){if(o.number)return f(r)!==f(e);if(o.trim)return r.trim()!==e.trim()}return r!==e}(t,e))}var Sr={create:Or,update:Or},jr=y(function(t){var e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){var r=t.split(n);r.length>1&&(e[r[0].trim()]=r[1].trim())}}),e});function Er(t){var e=Tr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function Tr(t){return Array.isArray(t)?O(t):"string"==typeof t?jr(t):t}var Ir,Dr=/^--/,Pr=/\s*!important$/,Nr=/([+-]?\d+(\.\d+)?)[r|u]px/g,Lr=function(t){return"string"==typeof t?t.replace(Nr,function(t,e){return uni.upx2px(e)+"px"}):t},Mr=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,Fr=function(t,e,n,r){if(r&&r._$getRealPath&&n&&(n=function(t,e){if("string"==typeof t&&-1!==t.indexOf("url(")){var n=t.match(Mr);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t}(n,r)),Dr.test(e))t.style.setProperty(e,n);else if(Pr.test(n))t.style.setProperty(C(e),n.replace(Pr,""),"important");else{var o=Hr(e);if(Array.isArray(n))for(var i=0,a=n.length;i-1?e.split(Br).forEach(function(e){return t.classList.add(e)}):t.classList.add(e);else{var n=" "+(t.getAttribute("class")||"")+" ";n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function Wr(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(Br).forEach(function(e){return t.classList.remove(e)}):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{for(var n=" "+(t.getAttribute("class")||"")+" ",r=" "+e+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function qr(t){if(t){if("object"==typeof t){var e={};return!1!==t.css&&A(e,Kr(t.name||"v")),A(e,t),e}return"string"==typeof t?Kr(t):void 0}}var Kr=y(function(t){return{enterClass:t+"-enter",enterToClass:t+"-enter-to",enterActiveClass:t+"-enter-active",leaveClass:t+"-leave",leaveToClass:t+"-leave-to",leaveActiveClass:t+"-leave-active"}}),Xr=U&&!q,Gr="transition",Zr="animation",Jr="transition",Qr="transitionend",Yr="animation",to="animationend";Xr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(Jr="WebkitTransition",Qr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Yr="WebkitAnimation",to="webkitAnimationEnd"));var eo=U?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(t){return t()};function no(t){eo(function(){eo(t)})}function ro(t,e){var n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),Vr(t,e))}function oo(t,e){t._transitionClasses&&v(t._transitionClasses,e),Wr(t,e)}function io(t,e,n){var r=so(t,e),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var s=o===Gr?Qr:to,c=0,u=function(){t.removeEventListener(s,l),n()},l=function(e){e.target===t&&++c>=a&&u()};setTimeout(function(){c0&&(n=Gr,l=a,f=i.length):e===Zr?u>0&&(n=Zr,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Gr:Zr:null)?n===Gr?i.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Gr&&ao.test(r[Jr+"Property"])}}function co(t,e){for(;t.length1}function ho(t,e){!0!==e.data.show&&lo(e)}var mo=function(t){var i,a,s={},c=t.modules,u=t.nodeOps;for(i=0;iv?_(t,e(o[y+1])?null:o[y+1].elm,o,d,y,i):d>y&&w(r,p,v)}(p,h,y,i,l):n(y)?(n(t.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,i)):n(h)?w(h,0,h.length-1):n(t.text)&&u.setTextContent(p,""):t.text!==o.text&&u.setTextContent(p,o.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(t,o)}}}function A(t,e,o){if(r(o)&&n(t.parent))t.parent.data.pendingInsert=e;else for(var i=0;i-1,a.selected!==i&&(a.selected=i);else if(E(wo(a),r))return void(t.selectedIndex!==s&&(t.selectedIndex=s));o||(t.selectedIndex=-1)}}function bo(t,e){return e.every(function(e){return!E(e,t)})}function wo(t){return"_value"in t?t._value:t.value}function Co(t){t.target.composing=!0}function $o(t){t.target.composing&&(t.target.composing=!1,xo(t.target,"input"))}function xo(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Ao(t){return!t.componentInstance||t.data&&t.data.transition?t:Ao(t.componentInstance._vnode)}var Oo={model:yo,show:{bind:function(t,e,n){var r=e.value,o=(n=Ao(n)).data&&n.data.transition,i=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;r&&o?(n.data.show=!0,lo(n,function(){t.style.display=i})):t.style.display=r?i:"none"},update:function(t,e,n){var r=e.value;!r!=!e.oldValue&&((n=Ao(n)).data&&n.data.transition?(n.data.show=!0,r?lo(n,function(){t.style.display=t.__vOriginalDisplay}):fo(n,function(){t.style.display="none"})):t.style.display=r?t.__vOriginalDisplay:"none")},unbind:function(t,e,n,r,o){o||(t.style.display=t.__vOriginalDisplay)}}},ko={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function So(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?So(Ue(e.children)):t}function jo(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[_(i)]=o[i];return e}function Eo(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}var To=function(t){return t.tag||He(t)},Io=function(t){return"show"===t.name},Do={name:"transition",props:ko,abstract:!0,render:function(t){var e=this,n=this.$slots.default;if(n&&(n=n.filter(To)).length){var r=this.mode,i=n[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return i;var a=So(i);if(!a)return i;if(this._leaving)return Eo(t,i);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:o(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=jo(this),u=this._vnode,l=So(u);if(a.data.directives&&a.data.directives.some(Io)&&(a.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(a,l)&&!He(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,ee(f,"afterLeave",function(){e._leaving=!1,e.$forceUpdate()}),Eo(t,i);if("in-out"===r){if(He(a))return u;var p,d=function(){p()};ee(c,"afterEnter",d),ee(c,"enterCancelled",d),ee(f,"delayLeave",function(t){p=t})}}return i}}},Po=A({tag:String,moveClass:String},ko);function No(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Lo(t){t.data.newPos=t.elm.getBoundingClientRect()}function Mo(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}delete Po.mode;var Fo={Transition:Do,TransitionGroup:{props:Po,beforeMount:function(){var t=this,e=this._update;this._update=function(n,r){var o=Ke(t);t.__patch__(t._vnode,t.kept,!1,!0),t._vnode=t.kept,o(),e.call(t,n,r)}},render:function(t){for(var e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,o=this.$slots.default||[],i=this.children=[],a=jo(this),s=0;s-1?qn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:qn[t]=/HTMLUnknownElement/.test(e.toString())},A(bn.options.directives,Oo),A(bn.options.components,Fo),bn.prototype.__patch__=U?mo:k,bn.prototype.__call_hook=function(t,e){var n=this;st();var r,o=n.$options[t],i=t+" hook";if(o)for(var a=0,s=o.length;a=0&&Math.floor(e)===e&&isFinite(t)}function u(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function l(t){return null==t?"":Array.isArray(t)||s(t)&&t.toString===a?JSON.stringify(t,null,2):String(t)}function f(t){var e=parseFloat(t);return isNaN(e)?t:e}function p(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o-1)return t.splice(n,1)}}var h=Object.prototype.hasOwnProperty;function m(t,e){return h.call(t,e)}function y(t){var e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}var g=/-(\w)/g,_=y(function(t){return t.replace(g,function(t,e){return e?e.toUpperCase():""})}),b=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),w=/\B([A-Z])/g,C=y(function(t){return t.replace(w,"-$1").toLowerCase()});var $=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){var r=arguments.length;return r?r>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function x(t,e){e=e||0;for(var n=t.length-e,r=new Array(n);n--;)r[n]=t[n+e];return r}function A(t,e){for(var n in e)t[n]=e[n];return t}function O(t){for(var e={},n=0;n0,K=V&&V.indexOf("edge/")>0,X=(V&&V.indexOf("android"),V&&/iphone|ipad|ipod|ios/.test(V)||"ios"===B),G=(V&&/chrome\/\d+/.test(V),V&&/phantomjs/.test(V),V&&V.match(/firefox\/(\d+)/)),Z={}.watch,J=!1;if(U)try{var Q={};Object.defineProperty(Q,"passive",{get:function(){J=!0}}),window.addEventListener("test-passive",null,Q)}catch(t){}var Y=function(){return void 0===R&&(R=!U&&!z&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),R},tt=U&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function et(t){return"function"==typeof t&&/native code/.test(t.toString())}var nt,rt="undefined"!=typeof Symbol&&et(Symbol)&&"undefined"!=typeof Reflect&&et(Reflect.ownKeys);nt="undefined"!=typeof Set&&et(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return!0===this.set[t]},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var ot=k,it=0,at=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=it++,this.subs=[]};function st(t){at.SharedObject.targetStack.push(t),at.SharedObject.target=t}function ct(){at.SharedObject.targetStack.pop(),at.SharedObject.target=at.SharedObject.targetStack[at.SharedObject.targetStack.length-1]}at.prototype.addSub=function(t){this.subs.push(t)},at.prototype.removeSub=function(t){v(this.subs,t)},at.prototype.depend=function(){at.SharedObject.target&&at.SharedObject.target.addDep(this)},at.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e-1)if(i&&!m(o,"default"))a=!1;else if(""===a||a===C(t)){var c=Nt(String,o.type);(c<0||s0&&(ie((u=t(u,(a||"")+"_"+c))[0])&&ie(f)&&(s[l]=pt(f.text+u[0].text),u.shift()),s.push.apply(s,u)):o(u)?ie(f)?s[l]=pt(f.text+u):""!==u&&s.push(pt(u)):ie(u)&&ie(f)?s[l]=pt(f.text+u.text):(r(i._isVList)&&n(u.tag)&&e(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(t):void 0}function ie(t){return n(t)&&n(t.text)&&!1===t.isComment}function ae(t,e){if(t){for(var n=Object.create(null),r=rt?Reflect.ownKeys(t):Object.keys(t),o=0;o0,a=e?!!e.$stable:!i,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&r&&r!==t&&s===r.$key&&!i&&!r.$hasNormal)return r;for(var c in o={},e)e[c]&&"$"!==c[0]&&(o[c]=le(n,c,e[c]))}else o={};for(var u in n)u in o||(o[u]=fe(n,u));return e&&Object.isExtensible(e)&&(e._normalized=o),M(o,"$stable",a),M(o,"$key",s),M(o,"$hasNormal",i),o}function le(t,e,n){var r=function(){var t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:oe(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:r,enumerable:!0,configurable:!0}),r}function fe(t,e){return function(){return t[e]}}function pe(t,e){var r,o,a,s,c;if(Array.isArray(t)||"string"==typeof t)for(r=new Array(t.length),o=0,a=t.length;odocument.createEvent("Event").timeStamp&&(on=function(){return an.now()})}function sn(){var t,e;for(rn=on(),en=!0,Je.sort(function(t,e){return t.id-e.id}),nn=0;nnnn&&Je[n].id>t.id;)n--;Je.splice(n+1,0,t)}else Je.push(t);tn||(tn=!0,Gt(sn))}}(this)},un.prototype.run=function(){if(this.active){var t=this.get();if(t!==this.value||i(t)||this.deep){var e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){Lt(t,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,t,e)}}},un.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},un.prototype.depend=function(){for(var t=this.deps.length;t--;)this.deps[t].depend()},un.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||v(this.vm._watchers,this);for(var t=this.deps.length;t--;)this.deps[t].removeSub(this);this.active=!1}};var ln={enumerable:!0,configurable:!0,get:k,set:k};function fn(t,e,n){ln.get=function(){return this[e][n]},ln.set=function(t){this[e][n]=t},Object.defineProperty(t,n,ln)}function pn(t){t._watchers=[];var e=t.$options;e.props&&function(t,e){var n=t.$options.propsData||{},r=t._props={},o=t.$options._propKeys=[];t.$parent&>(!1);var i=function(i){o.push(i);var a=It(i,e,n,t);wt(r,i,a),i in t||fn(t,"_props",i)};for(var a in e)i(a);gt(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(var n in e)t[n]="function"!=typeof e[n]?k:$(e[n],t)}(t,e.methods),e.data?function(t){var e=t.$options.data;s(e=t._data="function"==typeof e?function(t,e){st();try{return t.call(e,e)}catch(t){return Lt(t,e,"data()"),{}}finally{ct()}}(e,t):e||{})||(e={});var n=Object.keys(e),r=t.$options.props,o=(t.$options.methods,n.length);for(;o--;){var i=n[o];r&&m(r,i)||(a=void 0,36!==(a=(i+"").charCodeAt(0))&&95!==a&&fn(t,"_data",i))}var a;bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){var n=t._computedWatchers=Object.create(null),r=Y();for(var o in e){var i=e[o],a="function"==typeof i?i:i.get;r||(n[o]=new un(t,a||k,k,dn)),o in t||vn(t,o,i)}}(t,e.computed),e.watch&&e.watch!==Z&&function(t,e){for(var n in e){var r=e[n];if(Array.isArray(r))for(var o=0;o-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===a.call(n)&&t.test(e));var n}function xn(t,e){var n=t.cache,r=t.keys,o=t._vnode;for(var i in n){var a=n[i];if(a){var s=Cn(a.componentOptions);s&&!e(s)&&An(n,i,r,o)}}}function An(t,e,n,r){var o=t[e];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),t[e]=null,v(n,e)}!function(e){e.prototype._init=function(e){var n=this;n._uid=gn++,n._isVue=!0,e&&e._isComponent?function(t,e){var n=t.$options=Object.create(t.constructor.options),r=e._parentVnode;n.parent=e.parent,n._parentVnode=r;var o=r.componentOptions;n.propsData=o.propsData,n._parentListeners=o.listeners,n._renderChildren=o.children,n._componentTag=o.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(_n(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){var e=t.$options,n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;var e=t.$options._parentListeners;e&&We(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;var n=e.$options,r=e.$vnode=n._parentVnode,o=r&&r.context;e.$slots=se(n._renderChildren,o),e.$scopedSlots=t,e._c=function(t,n,r,o){return Le(e,t,n,r,o,!1)},e.$createElement=function(t,n,r,o){return Le(e,t,n,r,o,!0)};var i=r&&r.data;wt(e,"$attrs",i&&i.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),Ze(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){var e=ae(t.$options.inject,t);e&&(gt(!1),Object.keys(e).forEach(function(n){wt(t,n,e[n])}),gt(!0))}(n),pn(n),"mp-toutiao"!==n.mpHost&&function(t){var e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&Ze(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(bn),function(t){var e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=Ct,t.prototype.$delete=$t,t.prototype.$watch=function(t,e,n){if(s(e))return yn(this,t,e,n);(n=n||{}).user=!0;var r=new un(this,t,e,n);if(n.immediate)try{e.call(this,r.value)}catch(t){Lt(t,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(bn),function(t){var e=/^hook:/;t.prototype.$on=function(t,n){var r=this;if(Array.isArray(t))for(var o=0,i=t.length;o1?x(e):e;for(var n=x(arguments,1),r='event handler for "'+t+'"',o=0,i=e.length;oparseInt(this.max)&&An(a,s[0],s,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){var e={get:function(){return L}};Object.defineProperty(t,"config",e),t.util={warn:ot,extend:A,mergeOptions:Et,defineReactive:wt},t.set=Ct,t.delete=$t,t.nextTick=Gt,t.observable=function(t){return bt(t),t},t.options=Object.create(null),P.forEach(function(e){t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,kn),function(t){t.use=function(t){var e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;var n=x(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),wn(t),function(t){P.forEach(function(e){t[e]=function(t,n){return n?("component"===e&&s(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(bn),Object.defineProperty(bn.prototype,"$isServer",{get:Y}),Object.defineProperty(bn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(bn,"FunctionalRenderContext",{value:ke}),bn.version="2.6.11";var Sn=p("style,class"),jn=p("input,textarea,option,select,progress"),En=p("contenteditable,draggable,spellcheck"),Tn=p("events,caret,typing,plaintext-only"),In=function(t,e){return Mn(e)||"false"===e?"false":"contenteditable"===t&&Tn(e)?e:"true"},Dn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Nn=function(t){return":"===t.charAt(5)&&"xlink"===t.slice(0,5)},Ln=function(t){return Nn(t)?t.slice(6,t.length):""},Mn=function(t){return null==t||!1===t};function Fn(t){for(var e=t.data,r=t,o=t;n(o.componentInstance);)(o=o.componentInstance._vnode)&&o.data&&(e=Rn(o.data,e));for(;n(r=r.parent);)r&&r.data&&(e=Rn(e,r.data));return function(t,e){if(n(t)||n(e))return Hn(t,Un(e));return""}(e.staticClass,e.class)}function Rn(t,e){return{staticClass:Hn(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function Hn(t,e){return t?e?t+" "+e:t:e||""}function Un(t){return Array.isArray(t)?function(t){for(var e,r="",o=0,i=t.length;o-1?pr(t,e,n):Dn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):En(e)?t.setAttribute(e,In(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(Pn,Ln(e)):t.setAttributeNS(Pn,e,n):pr(t,e,n)}function pr(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){var r=function(e){e.stopImmediatePropagation(),t.removeEventListener("input",r)};t.addEventListener("input",r),t.__ieph=!0}t.setAttribute(e,n)}}var dr={create:lr,update:lr};function vr(t,r){var o=r.elm,i=r.data,a=t.data;if(!(e(i.staticClass)&&e(i.class)&&(e(a)||e(a.staticClass)&&e(a.class))&&e(o.__wxsAddClass)&&e(o.__wxsRemoveClass))){var s=Fn(r),c=o._transitionClasses;if(n(c)&&(s=Hn(s,Un(c))),Array.isArray(o.__wxsRemoveClass)&&o.__wxsRemoveClass.length){var u=s.split(/\s+/);o.__wxsRemoveClass.forEach(function(t){var e=u.findIndex(function(e){return e===t});-1!==e&&u.splice(e,1)}),s=u.join(" "),o.__wxsRemoveClass.length=0}if(o.__wxsAddClass){var l=s.split(/\s+/).concat(o.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(t){t&&(f[t]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(t){var e=p[_(t)];e&&(s=s.replace(t,e))}),s!==o._prevClass&&(o.setAttribute("class",s),o._prevClass=s)}}var hr,mr={create:vr,update:vr},yr="__r",gr="__c";function _r(t,e,n){var r=hr;return function o(){null!==e.apply(null,arguments)&&Cr(t,o,n,r)}}var br=Ut&&!(G&&Number(G[1])<=53);function wr(t,e,n,r){if(br){var o=rn,i=e;e=i._wrapper=function(t){if(t.target===t.currentTarget||t.timeStamp>=o||t.timeStamp<=0||t.target.ownerDocument!==document)return i.apply(this,arguments)}}hr.addEventListener(t,e,J?{capture:n,passive:r}:n)}function Cr(t,e,n,r){(r||hr).removeEventListener(t,e._wrapper||e,n)}function $r(t,r){if(!e(t.data.on)||!e(r.data.on)){var o=r.data.on||{},i=t.data.on||{};hr=r.elm,function(t){if(n(t[yr])){var e=W?"change":"input";t[e]=[].concat(t[yr],t[e]||[]),delete t[yr]}n(t[gr])&&(t.change=[].concat(t[gr],t.change||[]),delete t[gr])}(o),te(o,i,wr,Cr,_r,r.context),hr=void 0}}var xr,Ar={create:$r,update:$r};function Or(t,r){if(!e(t.data.domProps)||!e(r.data.domProps)){var o,i,a=r.elm,s=t.data.domProps||{},c=r.data.domProps||{};for(o in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)o in c||(a[o]="");for(o in c){if(i=c[o],"textContent"===o||"innerHTML"===o){if(r.children&&(r.children.length=0),i===s[o])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===o&&"PROGRESS"!==a.tagName){a._value=i;var u=e(i)?"":String(i);kr(a,u)&&(a.value=u)}else if("innerHTML"===o&&Vn(a.tagName)&&e(a.innerHTML)){(xr=xr||document.createElement("div")).innerHTML=""+i+"";for(var l=xr.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(i!==s[o])try{a[o]=i}catch(t){}}}}function kr(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){var n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){var r=t.value,o=t._vModifiers;if(n(o)){if(o.number)return f(r)!==f(e);if(o.trim)return r.trim()!==e.trim()}return r!==e}(t,e))}var Sr={create:Or,update:Or},jr=y(function(t){var e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){var r=t.split(n);r.length>1&&(e[r[0].trim()]=r[1].trim())}}),e});function Er(t){var e=Tr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function Tr(t){return Array.isArray(t)?O(t):"string"==typeof t?jr(t):t}var Ir,Dr=/^--/,Pr=/\s*!important$/,Nr=/([+-]?\d+(\.\d+)?)[r|u]px/g,Lr=function(t){return"string"==typeof t?t.replace(Nr,function(t,e){return uni.upx2px(e)+"px"}):t},Mr=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,Fr=function(t,e,n,r){if(r&&r._$getRealPath&&n&&(n=function(t,e){if("string"==typeof t&&-1!==t.indexOf("url(")){var n=t.match(Mr);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t}(n,r)),Dr.test(e))t.style.setProperty(e,n);else if(Pr.test(n))t.style.setProperty(C(e),n.replace(Pr,""),"important");else{var o=Hr(e);if(Array.isArray(n))for(var i=0,a=n.length;i-1?e.split(Br).forEach(function(e){return t.classList.add(e)}):t.classList.add(e);else{var n=" "+(t.getAttribute("class")||"")+" ";n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function Wr(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(Br).forEach(function(e){return t.classList.remove(e)}):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{for(var n=" "+(t.getAttribute("class")||"")+" ",r=" "+e+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function qr(t){if(t){if("object"==typeof t){var e={};return!1!==t.css&&A(e,Kr(t.name||"v")),A(e,t),e}return"string"==typeof t?Kr(t):void 0}}var Kr=y(function(t){return{enterClass:t+"-enter",enterToClass:t+"-enter-to",enterActiveClass:t+"-enter-active",leaveClass:t+"-leave",leaveToClass:t+"-leave-to",leaveActiveClass:t+"-leave-active"}}),Xr=U&&!q,Gr="transition",Zr="animation",Jr="transition",Qr="transitionend",Yr="animation",to="animationend";Xr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(Jr="WebkitTransition",Qr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Yr="WebkitAnimation",to="webkitAnimationEnd"));var eo=U?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(t){return t()};function no(t){eo(function(){eo(t)})}function ro(t,e){var n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),Vr(t,e))}function oo(t,e){t._transitionClasses&&v(t._transitionClasses,e),Wr(t,e)}function io(t,e,n){var r=so(t,e),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var s=o===Gr?Qr:to,c=0,u=function(){t.removeEventListener(s,l),n()},l=function(e){e.target===t&&++c>=a&&u()};setTimeout(function(){c0&&(n=Gr,l=a,f=i.length):e===Zr?u>0&&(n=Zr,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Gr:Zr:null)?n===Gr?i.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Gr&&ao.test(r[Jr+"Property"])}}function co(t,e){for(;t.length1}function ho(t,e){!0!==e.data.show&&lo(e)}var mo=function(t){var i,a,s={},c=t.modules,u=t.nodeOps;for(i=0;iv?_(t,e(o[y+1])?null:o[y+1].elm,o,d,y,i):d>y&&w(r,p,v)}(p,h,y,i,l):n(y)?(n(t.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,i)):n(h)?w(h,0,h.length-1):n(t.text)&&u.setTextContent(p,""):t.text!==o.text&&u.setTextContent(p,o.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(t,o)}}}function A(t,e,o){if(r(o)&&n(t.parent))t.parent.data.pendingInsert=e;else for(var i=0;i-1,a.selected!==i&&(a.selected=i);else if(E(wo(a),r))return void(t.selectedIndex!==s&&(t.selectedIndex=s));o||(t.selectedIndex=-1)}}function bo(t,e){return e.every(function(e){return!E(e,t)})}function wo(t){return"_value"in t?t._value:t.value}function Co(t){t.target.composing=!0}function $o(t){t.target.composing&&(t.target.composing=!1,xo(t.target,"input"))}function xo(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Ao(t){return!t.componentInstance||t.data&&t.data.transition?t:Ao(t.componentInstance._vnode)}var Oo={model:yo,show:{bind:function(t,e,n){var r=e.value,o=(n=Ao(n)).data&&n.data.transition,i=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;r&&o?(n.data.show=!0,lo(n,function(){t.style.display=i})):t.style.display=r?i:"none"},update:function(t,e,n){var r=e.value;!r!=!e.oldValue&&((n=Ao(n)).data&&n.data.transition?(n.data.show=!0,r?lo(n,function(){t.style.display=t.__vOriginalDisplay}):fo(n,function(){t.style.display="none"})):t.style.display=r?t.__vOriginalDisplay:"none")},unbind:function(t,e,n,r,o){o||(t.style.display=t.__vOriginalDisplay)}}},ko={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function So(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?So(Ue(e.children)):t}function jo(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[_(i)]=o[i];return e}function Eo(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}var To=function(t){return t.tag||He(t)},Io=function(t){return"show"===t.name},Do={name:"transition",props:ko,abstract:!0,render:function(t){var e=this,n=this.$slots.default;if(n&&(n=n.filter(To)).length){var r=this.mode,i=n[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return i;var a=So(i);if(!a)return i;if(this._leaving)return Eo(t,i);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:o(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=jo(this),u=this._vnode,l=So(u);if(a.data.directives&&a.data.directives.some(Io)&&(a.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(a,l)&&!He(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,ee(f,"afterLeave",function(){e._leaving=!1,e.$forceUpdate()}),Eo(t,i);if("in-out"===r){if(He(a))return u;var p,d=function(){p()};ee(c,"afterEnter",d),ee(c,"enterCancelled",d),ee(f,"delayLeave",function(t){p=t})}}return i}}},Po=A({tag:String,moveClass:String},ko);function No(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Lo(t){t.data.newPos=t.elm.getBoundingClientRect()}function Mo(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}delete Po.mode;var Fo={Transition:Do,TransitionGroup:{props:Po,beforeMount:function(){var t=this,e=this._update;this._update=function(n,r){var o=Ke(t);t.__patch__(t._vnode,t.kept,!1,!0),t._vnode=t.kept,o(),e.call(t,n,r)}},render:function(t){for(var e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,o=this.$slots.default||[],i=this.children=[],a=jo(this),s=0;s-1?qn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:qn[t]=/HTMLUnknownElement/.test(e.toString())},A(bn.options.directives,Oo),A(bn.options.components,Fo),bn.prototype.__patch__=U?mo:k,bn.prototype.__call_hook=function(t,e){var n=this;st();var r,o=n.$options[t],i=t+" hook";if(o)for(var a=0,s=o.length;a=0&&Math.floor(e)===e&&isFinite(t)}function u(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function l(t){return null==t?"":Array.isArray(t)||s(t)&&t.toString===a?JSON.stringify(t,null,2):String(t)}function f(t){var e=parseFloat(t);return isNaN(e)?t:e}function p(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o-1)return t.splice(n,1)}}var h=Object.prototype.hasOwnProperty;function m(t,e){return h.call(t,e)}function y(t){var e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}var g=/-(\w)/g,_=y(function(t){return t.replace(g,function(t,e){return e?e.toUpperCase():""})}),b=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),w=/\B([A-Z])/g,C=y(function(t){return t.replace(w,"-$1").toLowerCase()});var $=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){var r=arguments.length;return r?r>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function x(t,e){e=e||0;for(var n=t.length-e,r=new Array(n);n--;)r[n]=t[n+e];return r}function A(t,e){for(var n in e)t[n]=e[n];return t}function O(t){for(var e={},n=0;n0,K=B&&B.indexOf("edge/")>0,X=(B&&B.indexOf("android"),B&&/iphone|ipad|ipod|ios/.test(B)||"ios"===V),G=(B&&/chrome\/\d+/.test(B),B&&/phantomjs/.test(B),B&&B.match(/firefox\/(\d+)/)),Z={}.watch,J=!1;if(U)try{var Q={};Object.defineProperty(Q,"passive",{get:function(){J=!0}}),window.addEventListener("test-passive",null,Q)}catch(t){}var Y=function(){return void 0===R&&(R=!U&&!z&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),R},tt=U&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function et(t){return"function"==typeof t&&/native code/.test(t.toString())}var nt,rt="undefined"!=typeof Symbol&&et(Symbol)&&"undefined"!=typeof Reflect&&et(Reflect.ownKeys);nt="undefined"!=typeof Set&&et(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return!0===this.set[t]},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var ot=k,it=0,at=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=it++,this.subs=[]};function st(t){at.SharedObject.targetStack.push(t),at.SharedObject.target=t}function ct(){at.SharedObject.targetStack.pop(),at.SharedObject.target=at.SharedObject.targetStack[at.SharedObject.targetStack.length-1]}at.prototype.addSub=function(t){this.subs.push(t)},at.prototype.removeSub=function(t){v(this.subs,t)},at.prototype.depend=function(){at.SharedObject.target&&at.SharedObject.target.addDep(this)},at.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e-1)if(i&&!m(o,"default"))a=!1;else if(""===a||a===C(t)){var c=Nt(String,o.type);(c<0||s0&&(ie((u=t(u,(a||"")+"_"+c))[0])&&ie(f)&&(s[l]=pt(f.text+u[0].text),u.shift()),s.push.apply(s,u)):o(u)?ie(f)?s[l]=pt(f.text+u):""!==u&&s.push(pt(u)):ie(u)&&ie(f)?s[l]=pt(f.text+u.text):(r(i._isVList)&&n(u.tag)&&e(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(t):void 0}function ie(t){return n(t)&&n(t.text)&&!1===t.isComment}function ae(t,e){if(t){for(var n=Object.create(null),r=rt?Reflect.ownKeys(t):Object.keys(t),o=0;o0,a=e?!!e.$stable:!i,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&r&&r!==t&&s===r.$key&&!i&&!r.$hasNormal)return r;for(var c in o={},e)e[c]&&"$"!==c[0]&&(o[c]=le(n,c,e[c]))}else o={};for(var u in n)u in o||(o[u]=fe(n,u));return e&&Object.isExtensible(e)&&(e._normalized=o),M(o,"$stable",a),M(o,"$key",s),M(o,"$hasNormal",i),o}function le(t,e,n){var r=function(){var t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:oe(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:r,enumerable:!0,configurable:!0}),r}function fe(t,e){return function(){return t[e]}}function pe(t,e){var r,o,a,s,c;if(Array.isArray(t)||"string"==typeof t)for(r=new Array(t.length),o=0,a=t.length;odocument.createEvent("Event").timeStamp&&(on=function(){return an.now()})}function sn(){var t,e;for(rn=on(),en=!0,Je.sort(function(t,e){return t.id-e.id}),nn=0;nnnn&&Je[n].id>t.id;)n--;Je.splice(n+1,0,t)}else Je.push(t);tn||(tn=!0,Gt(sn))}}(this)},un.prototype.run=function(){if(this.active){var t=this.get();if(t!==this.value||i(t)||this.deep){var e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){Lt(t,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,t,e)}}},un.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},un.prototype.depend=function(){for(var t=this.deps.length;t--;)this.deps[t].depend()},un.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||v(this.vm._watchers,this);for(var t=this.deps.length;t--;)this.deps[t].removeSub(this);this.active=!1}};var ln={enumerable:!0,configurable:!0,get:k,set:k};function fn(t,e,n){ln.get=function(){return this[e][n]},ln.set=function(t){this[e][n]=t},Object.defineProperty(t,n,ln)}function pn(t){t._watchers=[];var e=t.$options;e.props&&function(t,e){var n=t.$options.propsData||{},r=t._props={},o=t.$options._propKeys=[];t.$parent&>(!1);var i=function(i){o.push(i);var a=It(i,e,n,t);wt(r,i,a),i in t||fn(t,"_props",i)};for(var a in e)i(a);gt(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(var n in e)t[n]="function"!=typeof e[n]?k:$(e[n],t)}(t,e.methods),e.data?function(t){var e=t.$options.data;s(e=t._data="function"==typeof e?function(t,e){st();try{return t.call(e,e)}catch(t){return Lt(t,e,"data()"),{}}finally{ct()}}(e,t):e||{})||(e={});var n=Object.keys(e),r=t.$options.props,o=(t.$options.methods,n.length);for(;o--;){var i=n[o];r&&m(r,i)||(a=void 0,36!==(a=(i+"").charCodeAt(0))&&95!==a&&fn(t,"_data",i))}var a;bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){var n=t._computedWatchers=Object.create(null),r=Y();for(var o in e){var i=e[o],a="function"==typeof i?i:i.get;r||(n[o]=new un(t,a||k,k,dn)),o in t||vn(t,o,i)}}(t,e.computed),e.watch&&e.watch!==Z&&function(t,e){for(var n in e){var r=e[n];if(Array.isArray(r))for(var o=0;o-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===a.call(n)&&t.test(e));var n}function xn(t,e){var n=t.cache,r=t.keys,o=t._vnode;for(var i in n){var a=n[i];if(a){var s=Cn(a.componentOptions);s&&!e(s)&&An(n,i,r,o)}}}function An(t,e,n,r){var o=t[e];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),t[e]=null,v(n,e)}!function(e){e.prototype._init=function(e){var n=this;n._uid=gn++,n._isVue=!0,e&&e._isComponent?function(t,e){var n=t.$options=Object.create(t.constructor.options),r=e._parentVnode;n.parent=e.parent,n._parentVnode=r;var o=r.componentOptions;n.propsData=o.propsData,n._parentListeners=o.listeners,n._renderChildren=o.children,n._componentTag=o.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(_n(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){var e=t.$options,n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;var e=t.$options._parentListeners;e&&We(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;var n=e.$options,r=e.$vnode=n._parentVnode,o=r&&r.context;e.$slots=se(n._renderChildren,o),e.$scopedSlots=t,e._c=function(t,n,r,o){return Le(e,t,n,r,o,!1)},e.$createElement=function(t,n,r,o){return Le(e,t,n,r,o,!0)};var i=r&&r.data;wt(e,"$attrs",i&&i.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),Ze(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){var e=ae(t.$options.inject,t);e&&(gt(!1),Object.keys(e).forEach(function(n){wt(t,n,e[n])}),gt(!0))}(n),pn(n),"mp-toutiao"!==n.mpHost&&function(t){var e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&Ze(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(bn),function(t){var e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=Ct,t.prototype.$delete=$t,t.prototype.$watch=function(t,e,n){if(s(e))return yn(this,t,e,n);(n=n||{}).user=!0;var r=new un(this,t,e,n);if(n.immediate)try{e.call(this,r.value)}catch(t){Lt(t,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(bn),function(t){var e=/^hook:/;t.prototype.$on=function(t,n){var r=this;if(Array.isArray(t))for(var o=0,i=t.length;o1?x(e):e;for(var n=x(arguments,1),r='event handler for "'+t+'"',o=0,i=e.length;oparseInt(this.max)&&An(a,s[0],s,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){var e={get:function(){return L}};Object.defineProperty(t,"config",e),t.util={warn:ot,extend:A,mergeOptions:Et,defineReactive:wt},t.set=Ct,t.delete=$t,t.nextTick=Gt,t.observable=function(t){return bt(t),t},t.options=Object.create(null),P.forEach(function(e){t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,kn),function(t){t.use=function(t){var e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;var n=x(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),wn(t),function(t){P.forEach(function(e){t[e]=function(t,n){return n?("component"===e&&s(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(bn),Object.defineProperty(bn.prototype,"$isServer",{get:Y}),Object.defineProperty(bn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(bn,"FunctionalRenderContext",{value:ke}),bn.version="2.6.11";var Sn=p("style,class"),jn=p("input,textarea,option,select,progress"),En=p("contenteditable,draggable,spellcheck"),Tn=p("events,caret,typing,plaintext-only"),In=function(t,e){return Mn(e)||"false"===e?"false":"contenteditable"===t&&Tn(e)?e:"true"},Dn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Nn=function(t){return":"===t.charAt(5)&&"xlink"===t.slice(0,5)},Ln=function(t){return Nn(t)?t.slice(6,t.length):""},Mn=function(t){return null==t||!1===t};function Fn(t){for(var e=t.data,r=t,o=t;n(o.componentInstance);)(o=o.componentInstance._vnode)&&o.data&&(e=Rn(o.data,e));for(;n(r=r.parent);)r&&r.data&&(e=Rn(e,r.data));return function(t,e){if(n(t)||n(e))return Hn(t,Un(e));return""}(e.staticClass,e.class)}function Rn(t,e){return{staticClass:Hn(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function Hn(t,e){return t?e?t+" "+e:t:e||""}function Un(t){return Array.isArray(t)?function(t){for(var e,r="",o=0,i=t.length;o-1?pr(t,e,n):Dn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):En(e)?t.setAttribute(e,In(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(Pn,Ln(e)):t.setAttributeNS(Pn,e,n):pr(t,e,n)}function pr(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){var r=function(e){e.stopImmediatePropagation(),t.removeEventListener("input",r)};t.addEventListener("input",r),t.__ieph=!0}t.setAttribute(e,n)}}var dr={create:lr,update:lr};function vr(t,r){var o=r.elm,i=r.data,a=t.data;if(!(e(i.staticClass)&&e(i.class)&&(e(a)||e(a.staticClass)&&e(a.class))&&e(o.__wxsAddClass)&&e(o.__wxsRemoveClass))){var s=Fn(r),c=o._transitionClasses;if(n(c)&&(s=Hn(s,Un(c))),Array.isArray(o.__wxsRemoveClass)&&o.__wxsRemoveClass.length){var u=s.split(/\s+/);o.__wxsRemoveClass.forEach(function(t){var e=u.findIndex(function(e){return e===t});-1!==e&&u.splice(e,1)}),s=u.join(" "),o.__wxsRemoveClass.length=0}if(o.__wxsAddClass){var l=s.split(/\s+/).concat(o.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(t){t&&(f[t]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(t){var e=p[_(t)];e&&(s=s.replace(t,e))}),s!==o._prevClass&&(o.setAttribute("class",s),o._prevClass=s)}}var hr,mr={create:vr,update:vr},yr="__r",gr="__c";function _r(t,e,n){var r=hr;return function o(){null!==e.apply(null,arguments)&&Cr(t,o,n,r)}}var br=Ut&&!(G&&Number(G[1])<=53);function wr(t,e,n,r){if(br){var o=rn,i=e;e=i._wrapper=function(t){if(t.target===t.currentTarget||t.timeStamp>=o||t.timeStamp<=0||t.target.ownerDocument!==document)return i.apply(this,arguments)}}hr.addEventListener(t,e,J?{capture:n,passive:r}:n)}function Cr(t,e,n,r){(r||hr).removeEventListener(t,e._wrapper||e,n)}function $r(t,r){if(!e(t.data.on)||!e(r.data.on)){var o=r.data.on||{},i=t.data.on||{};hr=r.elm,function(t){if(n(t[yr])){var e=W?"change":"input";t[e]=[].concat(t[yr],t[e]||[]),delete t[yr]}n(t[gr])&&(t.change=[].concat(t[gr],t.change||[]),delete t[gr])}(o),te(o,i,wr,Cr,_r,r.context),hr=void 0}}var xr,Ar={create:$r,update:$r};function Or(t,r){if(!e(t.data.domProps)||!e(r.data.domProps)){var o,i,a=r.elm,s=t.data.domProps||{},c=r.data.domProps||{};for(o in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)o in c||(a[o]="");for(o in c){if(i=c[o],"textContent"===o||"innerHTML"===o){if(r.children&&(r.children.length=0),i===s[o])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===o&&"PROGRESS"!==a.tagName){a._value=i;var u=e(i)?"":String(i);kr(a,u)&&(a.value=u)}else if("innerHTML"===o&&Bn(a.tagName)&&e(a.innerHTML)){(xr=xr||document.createElement("div")).innerHTML=""+i+"";for(var l=xr.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(i!==s[o])try{a[o]=i}catch(t){}}}}function kr(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){var n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){var r=t.value,o=t._vModifiers;if(n(o)){if(o.number)return f(r)!==f(e);if(o.trim)return r.trim()!==e.trim()}return r!==e}(t,e))}var Sr={create:Or,update:Or},jr=y(function(t){var e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){var r=t.split(n);r.length>1&&(e[r[0].trim()]=r[1].trim())}}),e});function Er(t){var e=Tr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function Tr(t){return Array.isArray(t)?O(t):"string"==typeof t?jr(t):t}var Ir,Dr=/^--/,Pr=/\s*!important$/,Nr=/([+-]?\d+(\.\d+)?)[r|u]px/g,Lr=function(t){return"string"==typeof t?t.replace(Nr,function(t,e){return uni.upx2px(e)+"px"}):t},Mr=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,Fr=function(t,e,n,r){if(r&&r._$getRealPath&&n&&(n=function(t,e){if("string"==typeof t&&-1!==t.indexOf("url(")){var n=t.match(Mr);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t}(n,r)),Dr.test(e))t.style.setProperty(e,n);else if(Pr.test(n))t.style.setProperty(C(e),n.replace(Pr,""),"important");else{var o=Hr(e);if(Array.isArray(n))for(var i=0,a=n.length;i-1?e.split(Vr).forEach(function(e){return t.classList.add(e)}):t.classList.add(e);else{var n=" "+(t.getAttribute("class")||"")+" ";n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function Wr(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(Vr).forEach(function(e){return t.classList.remove(e)}):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{for(var n=" "+(t.getAttribute("class")||"")+" ",r=" "+e+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function qr(t){if(t){if("object"==typeof t){var e={};return!1!==t.css&&A(e,Kr(t.name||"v")),A(e,t),e}return"string"==typeof t?Kr(t):void 0}}var Kr=y(function(t){return{enterClass:t+"-enter",enterToClass:t+"-enter-to",enterActiveClass:t+"-enter-active",leaveClass:t+"-leave",leaveToClass:t+"-leave-to",leaveActiveClass:t+"-leave-active"}}),Xr=U&&!q,Gr="transition",Zr="animation",Jr="transition",Qr="transitionend",Yr="animation",to="animationend";Xr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(Jr="WebkitTransition",Qr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Yr="WebkitAnimation",to="webkitAnimationEnd"));var eo=U?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(t){return t()};function no(t){eo(function(){eo(t)})}function ro(t,e){var n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),Br(t,e))}function oo(t,e){t._transitionClasses&&v(t._transitionClasses,e),Wr(t,e)}function io(t,e,n){var r=so(t,e),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var s=o===Gr?Qr:to,c=0,u=function(){t.removeEventListener(s,l),n()},l=function(e){e.target===t&&++c>=a&&u()};setTimeout(function(){c0&&(n=Gr,l=a,f=i.length):e===Zr?u>0&&(n=Zr,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Gr:Zr:null)?n===Gr?i.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Gr&&ao.test(r[Jr+"Property"])}}function co(t,e){for(;t.length1}function ho(t,e){!0!==e.data.show&&lo(e)}var mo=function(t){var i,a,s={},c=t.modules,u=t.nodeOps;for(i=0;iv?_(t,e(o[y+1])?null:o[y+1].elm,o,d,y,i):d>y&&w(r,p,v)}(p,h,y,i,l):n(y)?(n(t.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,i)):n(h)?w(h,0,h.length-1):n(t.text)&&u.setTextContent(p,""):t.text!==o.text&&u.setTextContent(p,o.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(t,o)}}}function A(t,e,o){if(r(o)&&n(t.parent))t.parent.data.pendingInsert=e;else for(var i=0;i-1,a.selected!==i&&(a.selected=i);else if(E(wo(a),r))return void(t.selectedIndex!==s&&(t.selectedIndex=s));o||(t.selectedIndex=-1)}}function bo(t,e){return e.every(function(e){return!E(e,t)})}function wo(t){return"_value"in t?t._value:t.value}function Co(t){t.target.composing=!0}function $o(t){t.target.composing&&(t.target.composing=!1,xo(t.target,"input"))}function xo(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Ao(t){return!t.componentInstance||t.data&&t.data.transition?t:Ao(t.componentInstance._vnode)}var Oo={model:yo,show:{bind:function(t,e,n){var r=e.value,o=(n=Ao(n)).data&&n.data.transition,i=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;r&&o?(n.data.show=!0,lo(n,function(){t.style.display=i})):t.style.display=r?i:"none"},update:function(t,e,n){var r=e.value;!r!=!e.oldValue&&((n=Ao(n)).data&&n.data.transition?(n.data.show=!0,r?lo(n,function(){t.style.display=t.__vOriginalDisplay}):fo(n,function(){t.style.display="none"})):t.style.display=r?t.__vOriginalDisplay:"none")},unbind:function(t,e,n,r,o){o||(t.style.display=t.__vOriginalDisplay)}}},ko={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function So(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?So(Ue(e.children)):t}function jo(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[_(i)]=o[i];return e}function Eo(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}var To=function(t){return t.tag||He(t)},Io=function(t){return"show"===t.name},Do={name:"transition",props:ko,abstract:!0,render:function(t){var e=this,n=this.$slots.default;if(n&&(n=n.filter(To)).length){var r=this.mode,i=n[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return i;var a=So(i);if(!a)return i;if(this._leaving)return Eo(t,i);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:o(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=jo(this),u=this._vnode,l=So(u);if(a.data.directives&&a.data.directives.some(Io)&&(a.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(a,l)&&!He(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,ee(f,"afterLeave",function(){e._leaving=!1,e.$forceUpdate()}),Eo(t,i);if("in-out"===r){if(He(a))return u;var p,d=function(){p()};ee(c,"afterEnter",d),ee(c,"enterCancelled",d),ee(f,"delayLeave",function(t){p=t})}}return i}}},Po=A({tag:String,moveClass:String},ko);function No(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Lo(t){t.data.newPos=t.elm.getBoundingClientRect()}function Mo(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}delete Po.mode;var Fo={Transition:Do,TransitionGroup:{props:Po,beforeMount:function(){var t=this,e=this._update;this._update=function(n,r){var o=Ke(t);t.__patch__(t._vnode,t.kept,!1,!0),t._vnode=t.kept,o(),e.call(t,n,r)}},render:function(t){for(var e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,o=this.$slots.default||[],i=this.children=[],a=jo(this),s=0;s-1?qn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:qn[t]=/HTMLUnknownElement/.test(e.toString())},A(bn.options.directives,Oo),A(bn.options.components,Fo),bn.prototype.__patch__=U?mo:k,bn.prototype.__call_hook=function(t,e){var n=this;st();var r,o=n.$options[t],i=t+" hook";if(o)for(var a=0,s=o.length;a=0&&Math.floor(e)===e&&isFinite(t)}function u(t){return n(t)&&"function"==typeof t.then&&"function"==typeof t.catch}function l(t){return null==t?"":Array.isArray(t)||s(t)&&t.toString===a?JSON.stringify(t,null,2):String(t)}function f(t){var e=parseFloat(t);return isNaN(e)?t:e}function p(t,e){for(var n=Object.create(null),r=t.split(","),o=0;o-1)return t.splice(n,1)}}var h=Object.prototype.hasOwnProperty;function m(t,e){return h.call(t,e)}function y(t){var e=Object.create(null);return function(n){return e[n]||(e[n]=t(n))}}var g=/-(\w)/g,_=y(function(t){return t.replace(g,function(t,e){return e?e.toUpperCase():""})}),b=y(function(t){return t.charAt(0).toUpperCase()+t.slice(1)}),w=/\B([A-Z])/g,C=y(function(t){return t.replace(w,"-$1").toLowerCase()});var $=Function.prototype.bind?function(t,e){return t.bind(e)}:function(t,e){function n(n){var r=arguments.length;return r?r>1?t.apply(e,arguments):t.call(e,n):t.call(e)}return n._length=t.length,n};function x(t,e){e=e||0;for(var n=t.length-e,r=new Array(n);n--;)r[n]=t[n+e];return r}function A(t,e){for(var n in e)t[n]=e[n];return t}function O(t){for(var e={},n=0;n0,K=B&&B.indexOf("edge/")>0,X=(B&&B.indexOf("android"),B&&/iphone|ipad|ipod|ios/.test(B)||"ios"===V),G=(B&&/chrome\/\d+/.test(B),B&&/phantomjs/.test(B),B&&B.match(/firefox\/(\d+)/)),Z={}.watch,J=!1;if(U)try{var Q={};Object.defineProperty(Q,"passive",{get:function(){J=!0}}),window.addEventListener("test-passive",null,Q)}catch(t){}var Y=function(){return void 0===R&&(R=!U&&!z&&"undefined"!=typeof global&&(global.process&&"server"===global.process.env.VUE_ENV)),R},tt=U&&window.__VUE_DEVTOOLS_GLOBAL_HOOK__;function et(t){return"function"==typeof t&&/native code/.test(t.toString())}var nt,rt="undefined"!=typeof Symbol&&et(Symbol)&&"undefined"!=typeof Reflect&&et(Reflect.ownKeys);nt="undefined"!=typeof Set&&et(Set)?Set:function(){function t(){this.set=Object.create(null)}return t.prototype.has=function(t){return!0===this.set[t]},t.prototype.add=function(t){this.set[t]=!0},t.prototype.clear=function(){this.set=Object.create(null)},t}();var ot=k,it=0,at=function(){"undefined"!=typeof SharedObject?this.id=SharedObject.uid++:this.id=it++,this.subs=[]};function st(t){at.SharedObject.targetStack.push(t),at.SharedObject.target=t}function ct(){at.SharedObject.targetStack.pop(),at.SharedObject.target=at.SharedObject.targetStack[at.SharedObject.targetStack.length-1]}at.prototype.addSub=function(t){this.subs.push(t)},at.prototype.removeSub=function(t){v(this.subs,t)},at.prototype.depend=function(){at.SharedObject.target&&at.SharedObject.target.addDep(this)},at.prototype.notify=function(){for(var t=this.subs.slice(),e=0,n=t.length;e-1)if(i&&!m(o,"default"))a=!1;else if(""===a||a===C(t)){var c=Nt(String,o.type);(c<0||s0&&(ie((u=t(u,(a||"")+"_"+c))[0])&&ie(f)&&(s[l]=pt(f.text+u[0].text),u.shift()),s.push.apply(s,u)):o(u)?ie(f)?s[l]=pt(f.text+u):""!==u&&s.push(pt(u)):ie(u)&&ie(f)?s[l]=pt(f.text+u.text):(r(i._isVList)&&n(u.tag)&&e(u.key)&&n(a)&&(u.key="__vlist"+a+"_"+c+"__"),s.push(u)));return s}(t):void 0}function ie(t){return n(t)&&n(t.text)&&!1===t.isComment}function ae(t,e){if(t){for(var n=Object.create(null),r=rt?Reflect.ownKeys(t):Object.keys(t),o=0;o0,a=e?!!e.$stable:!i,s=e&&e.$key;if(e){if(e._normalized)return e._normalized;if(a&&r&&r!==t&&s===r.$key&&!i&&!r.$hasNormal)return r;for(var c in o={},e)e[c]&&"$"!==c[0]&&(o[c]=le(n,c,e[c]))}else o={};for(var u in n)u in o||(o[u]=fe(n,u));return e&&Object.isExtensible(e)&&(e._normalized=o),M(o,"$stable",a),M(o,"$key",s),M(o,"$hasNormal",i),o}function le(t,e,n){var r=function(){var t=arguments.length?n.apply(null,arguments):n({});return(t=t&&"object"==typeof t&&!Array.isArray(t)?[t]:oe(t))&&(0===t.length||1===t.length&&t[0].isComment)?void 0:t};return n.proxy&&Object.defineProperty(t,e,{get:r,enumerable:!0,configurable:!0}),r}function fe(t,e){return function(){return t[e]}}function pe(t,e){var r,o,a,s,c;if(Array.isArray(t)||"string"==typeof t)for(r=new Array(t.length),o=0,a=t.length;odocument.createEvent("Event").timeStamp&&(on=function(){return an.now()})}function sn(){var t,e;for(rn=on(),en=!0,Je.sort(function(t,e){return t.id-e.id}),nn=0;nnnn&&Je[n].id>t.id;)n--;Je.splice(n+1,0,t)}else Je.push(t);tn||(tn=!0,Gt(sn))}}(this)},un.prototype.run=function(){if(this.active){var t=this.get();if(t!==this.value||i(t)||this.deep){var e=this.value;if(this.value=t,this.user)try{this.cb.call(this.vm,t,e)}catch(t){Lt(t,this.vm,'callback for watcher "'+this.expression+'"')}else this.cb.call(this.vm,t,e)}}},un.prototype.evaluate=function(){this.value=this.get(),this.dirty=!1},un.prototype.depend=function(){for(var t=this.deps.length;t--;)this.deps[t].depend()},un.prototype.teardown=function(){if(this.active){this.vm._isBeingDestroyed||v(this.vm._watchers,this);for(var t=this.deps.length;t--;)this.deps[t].removeSub(this);this.active=!1}};var ln={enumerable:!0,configurable:!0,get:k,set:k};function fn(t,e,n){ln.get=function(){return this[e][n]},ln.set=function(t){this[e][n]=t},Object.defineProperty(t,n,ln)}function pn(t){t._watchers=[];var e=t.$options;e.props&&function(t,e){var n=t.$options.propsData||{},r=t._props={},o=t.$options._propKeys=[];t.$parent&>(!1);var i=function(i){o.push(i);var a=It(i,e,n,t);wt(r,i,a),i in t||fn(t,"_props",i)};for(var a in e)i(a);gt(!0)}(t,e.props),e.methods&&function(t,e){t.$options.props;for(var n in e)t[n]="function"!=typeof e[n]?k:$(e[n],t)}(t,e.methods),e.data?function(t){var e=t.$options.data;s(e=t._data="function"==typeof e?function(t,e){st();try{return t.call(e,e)}catch(t){return Lt(t,e,"data()"),{}}finally{ct()}}(e,t):e||{})||(e={});var n=Object.keys(e),r=t.$options.props,o=(t.$options.methods,n.length);for(;o--;){var i=n[o];r&&m(r,i)||(a=void 0,36!==(a=(i+"").charCodeAt(0))&&95!==a&&fn(t,"_data",i))}var a;bt(e,!0)}(t):bt(t._data={},!0),e.computed&&function(t,e){var n=t._computedWatchers=Object.create(null),r=Y();for(var o in e){var i=e[o],a="function"==typeof i?i:i.get;r||(n[o]=new un(t,a||k,k,dn)),o in t||vn(t,o,i)}}(t,e.computed),e.watch&&e.watch!==Z&&function(t,e){for(var n in e){var r=e[n];if(Array.isArray(r))for(var o=0;o-1:"string"==typeof t?t.split(",").indexOf(e)>-1:(n=t,"[object RegExp]"===a.call(n)&&t.test(e));var n}function xn(t,e){var n=t.cache,r=t.keys,o=t._vnode;for(var i in n){var a=n[i];if(a){var s=Cn(a.componentOptions);s&&!e(s)&&An(n,i,r,o)}}}function An(t,e,n,r){var o=t[e];!o||r&&o.tag===r.tag||o.componentInstance.$destroy(),t[e]=null,v(n,e)}!function(e){e.prototype._init=function(e){var n=this;n._uid=gn++,n._isVue=!0,e&&e._isComponent?function(t,e){var n=t.$options=Object.create(t.constructor.options),r=e._parentVnode;n.parent=e.parent,n._parentVnode=r;var o=r.componentOptions;n.propsData=o.propsData,n._parentListeners=o.listeners,n._renderChildren=o.children,n._componentTag=o.tag,e.render&&(n.render=e.render,n.staticRenderFns=e.staticRenderFns)}(n,e):n.$options=Et(_n(n.constructor),e||{},n),n._renderProxy=n,n._self=n,function(t){var e=t.$options,n=e.parent;if(n&&!e.abstract){for(;n.$options.abstract&&n.$parent;)n=n.$parent;n.$children.push(t)}t.$parent=n,t.$root=n?n.$root:t,t.$children=[],t.$refs={},t._watcher=null,t._inactive=null,t._directInactive=!1,t._isMounted=!1,t._isDestroyed=!1,t._isBeingDestroyed=!1}(n),function(t){t._events=Object.create(null),t._hasHookEvent=!1;var e=t.$options._parentListeners;e&&We(t,e)}(n),function(e){e._vnode=null,e._staticTrees=null;var n=e.$options,r=e.$vnode=n._parentVnode,o=r&&r.context;e.$slots=se(n._renderChildren,o),e.$scopedSlots=t,e._c=function(t,n,r,o){return Le(e,t,n,r,o,!1)},e.$createElement=function(t,n,r,o){return Le(e,t,n,r,o,!0)};var i=r&&r.data;wt(e,"$attrs",i&&i.attrs||t,null,!0),wt(e,"$listeners",n._parentListeners||t,null,!0)}(n),Ze(n,"beforeCreate"),"mp-toutiao"!==n.mpHost&&function(t){var e=ae(t.$options.inject,t);e&&(gt(!1),Object.keys(e).forEach(function(n){wt(t,n,e[n])}),gt(!0))}(n),pn(n),"mp-toutiao"!==n.mpHost&&function(t){var e=t.$options.provide;e&&(t._provided="function"==typeof e?e.call(t):e)}(n),"mp-toutiao"!==n.mpHost&&Ze(n,"created"),n.$options.el&&n.$mount(n.$options.el)}}(bn),function(t){var e={get:function(){return this._data}},n={get:function(){return this._props}};Object.defineProperty(t.prototype,"$data",e),Object.defineProperty(t.prototype,"$props",n),t.prototype.$set=Ct,t.prototype.$delete=$t,t.prototype.$watch=function(t,e,n){if(s(e))return yn(this,t,e,n);(n=n||{}).user=!0;var r=new un(this,t,e,n);if(n.immediate)try{e.call(this,r.value)}catch(t){Lt(t,this,'callback for immediate watcher "'+r.expression+'"')}return function(){r.teardown()}}}(bn),function(t){var e=/^hook:/;t.prototype.$on=function(t,n){var r=this;if(Array.isArray(t))for(var o=0,i=t.length;o1?x(e):e;for(var n=x(arguments,1),r='event handler for "'+t+'"',o=0,i=e.length;oparseInt(this.max)&&An(a,s[0],s,this._vnode)),e.data.keepAlive=!0}return e||t&&t[0]}}};!function(t){var e={get:function(){return L}};Object.defineProperty(t,"config",e),t.util={warn:ot,extend:A,mergeOptions:Et,defineReactive:wt},t.set=Ct,t.delete=$t,t.nextTick=Gt,t.observable=function(t){return bt(t),t},t.options=Object.create(null),P.forEach(function(e){t.options[e+"s"]=Object.create(null)}),t.options._base=t,A(t.options.components,kn),function(t){t.use=function(t){var e=this._installedPlugins||(this._installedPlugins=[]);if(e.indexOf(t)>-1)return this;var n=x(arguments,1);return n.unshift(this),"function"==typeof t.install?t.install.apply(t,n):"function"==typeof t&&t.apply(null,n),e.push(t),this}}(t),function(t){t.mixin=function(t){return this.options=Et(this.options,t),this}}(t),wn(t),function(t){P.forEach(function(e){t[e]=function(t,n){return n?("component"===e&&s(n)&&(n.name=n.name||t,n=this.options._base.extend(n)),"directive"===e&&"function"==typeof n&&(n={bind:n,update:n}),this.options[e+"s"][t]=n,n):this.options[e+"s"][t]}})}(t)}(bn),Object.defineProperty(bn.prototype,"$isServer",{get:Y}),Object.defineProperty(bn.prototype,"$ssrContext",{get:function(){return this.$vnode&&this.$vnode.ssrContext}}),Object.defineProperty(bn,"FunctionalRenderContext",{value:ke}),bn.version="2.6.11";var Sn=p("style,class"),jn=p("input,textarea,option,select,progress"),En=p("contenteditable,draggable,spellcheck"),Tn=p("events,caret,typing,plaintext-only"),In=function(t,e){return Mn(e)||"false"===e?"false":"contenteditable"===t&&Tn(e)?e:"true"},Dn=p("allowfullscreen,async,autofocus,autoplay,checked,compact,controls,declare,default,defaultchecked,defaultmuted,defaultselected,defer,disabled,enabled,formnovalidate,hidden,indeterminate,inert,ismap,itemscope,loop,multiple,muted,nohref,noresize,noshade,novalidate,nowrap,open,pauseonexit,readonly,required,reversed,scoped,seamless,selected,sortable,translate,truespeed,typemustmatch,visible"),Pn="http://www.w3.org/1999/xlink",Nn=function(t){return":"===t.charAt(5)&&"xlink"===t.slice(0,5)},Ln=function(t){return Nn(t)?t.slice(6,t.length):""},Mn=function(t){return null==t||!1===t};function Fn(t){for(var e=t.data,r=t,o=t;n(o.componentInstance);)(o=o.componentInstance._vnode)&&o.data&&(e=Rn(o.data,e));for(;n(r=r.parent);)r&&r.data&&(e=Rn(e,r.data));return function(t,e){if(n(t)||n(e))return Hn(t,Un(e));return""}(e.staticClass,e.class)}function Rn(t,e){return{staticClass:Hn(t.staticClass,e.staticClass),class:n(t.class)?[t.class,e.class]:e.class}}function Hn(t,e){return t?e?t+" "+e:t:e||""}function Un(t){return Array.isArray(t)?function(t){for(var e,r="",o=0,i=t.length;o-1?pr(t,e,n):Dn(e)?Mn(n)?t.removeAttribute(e):(n="allowfullscreen"===e&&"EMBED"===t.tagName?"true":e,t.setAttribute(e,n)):En(e)?t.setAttribute(e,In(e,n)):Nn(e)?Mn(n)?t.removeAttributeNS(Pn,Ln(e)):t.setAttributeNS(Pn,e,n):pr(t,e,n)}function pr(t,e,n){if(Mn(n))t.removeAttribute(e);else{if(W&&!q&&"TEXTAREA"===t.tagName&&"placeholder"===e&&""!==n&&!t.__ieph){var r=function(e){e.stopImmediatePropagation(),t.removeEventListener("input",r)};t.addEventListener("input",r),t.__ieph=!0}t.setAttribute(e,n)}}var dr={create:lr,update:lr};function vr(t,r){var o=r.elm,i=r.data,a=t.data;if(!(e(i.staticClass)&&e(i.class)&&(e(a)||e(a.staticClass)&&e(a.class))&&e(o.__wxsAddClass)&&e(o.__wxsRemoveClass))){var s=Fn(r),c=o._transitionClasses;if(n(c)&&(s=Hn(s,Un(c))),Array.isArray(o.__wxsRemoveClass)&&o.__wxsRemoveClass.length){var u=s.split(/\s+/);o.__wxsRemoveClass.forEach(function(t){var e=u.findIndex(function(e){return e===t});-1!==e&&u.splice(e,1)}),s=u.join(" "),o.__wxsRemoveClass.length=0}if(o.__wxsAddClass){var l=s.split(/\s+/).concat(o.__wxsAddClass.split(/\s+/)),f=Object.create(null);l.forEach(function(t){t&&(f[t]=1)}),s=Object.keys(f).join(" ")}var p=r.context,d=p.$options.mpOptions&&p.$options.mpOptions.externalClasses;Array.isArray(d)&&d.forEach(function(t){var e=p[_(t)];e&&(s=s.replace(t,e))}),s!==o._prevClass&&(o.setAttribute("class",s),o._prevClass=s)}}var hr,mr={create:vr,update:vr},yr="__r",gr="__c";function _r(t,e,n){var r=hr;return function o(){null!==e.apply(null,arguments)&&Cr(t,o,n,r)}}var br=Ut&&!(G&&Number(G[1])<=53);function wr(t,e,n,r){if(br){var o=rn,i=e;e=i._wrapper=function(t){if(t.target===t.currentTarget||t.timeStamp>=o||t.timeStamp<=0||t.target.ownerDocument!==document)return i.apply(this,arguments)}}hr.addEventListener(t,e,J?{capture:n,passive:r}:n)}function Cr(t,e,n,r){(r||hr).removeEventListener(t,e._wrapper||e,n)}function $r(t,r){if(!e(t.data.on)||!e(r.data.on)){var o=r.data.on||{},i=t.data.on||{};hr=r.elm,function(t){if(n(t[yr])){var e=W?"change":"input";t[e]=[].concat(t[yr],t[e]||[]),delete t[yr]}n(t[gr])&&(t.change=[].concat(t[gr],t.change||[]),delete t[gr])}(o),te(o,i,wr,Cr,_r,r.context),hr=void 0}}var xr,Ar={create:$r,update:$r};function Or(t,r){if(!e(t.data.domProps)||!e(r.data.domProps)){var o,i,a=r.elm,s=t.data.domProps||{},c=r.data.domProps||{};for(o in n(c.__ob__)&&(c=r.data.domProps=A({},c)),s)o in c||(a[o]="");for(o in c){if(i=c[o],"textContent"===o||"innerHTML"===o){if(r.children&&(r.children.length=0),i===s[o])continue;1===a.childNodes.length&&a.removeChild(a.childNodes[0])}if("value"===o&&"PROGRESS"!==a.tagName){a._value=i;var u=e(i)?"":String(i);kr(a,u)&&(a.value=u)}else if("innerHTML"===o&&Bn(a.tagName)&&e(a.innerHTML)){(xr=xr||document.createElement("div")).innerHTML=""+i+"";for(var l=xr.firstChild;a.firstChild;)a.removeChild(a.firstChild);for(;l.firstChild;)a.appendChild(l.firstChild)}else if(i!==s[o])try{a[o]=i}catch(t){}}}}function kr(t,e){return!t.composing&&("OPTION"===t.tagName||function(t,e){var n=!0;try{n=document.activeElement!==t}catch(t){}return n&&t.value!==e}(t,e)||function(t,e){var r=t.value,o=t._vModifiers;if(n(o)){if(o.number)return f(r)!==f(e);if(o.trim)return r.trim()!==e.trim()}return r!==e}(t,e))}var Sr={create:Or,update:Or},jr=y(function(t){var e={},n=/:(.+)/;return t.split(/;(?![^(]*\))/g).forEach(function(t){if(t){var r=t.split(n);r.length>1&&(e[r[0].trim()]=r[1].trim())}}),e});function Er(t){var e=Tr(t.style);return t.staticStyle?A(t.staticStyle,e):e}function Tr(t){return Array.isArray(t)?O(t):"string"==typeof t?jr(t):t}var Ir,Dr=/^--/,Pr=/\s*!important$/,Nr=/([+-]?\d+(\.\d+)?)[r|u]px/g,Lr=function(t){return"string"==typeof t?t.replace(Nr,function(t,e){return uni.upx2px(e)+"px"}):t},Mr=/url\(\s*'?"?([a-zA-Z0-9\.\-\_\/]+\.(jpg|gif|png))"?'?\s*\)/,Fr=function(t,e,n,r){if(r&&r._$getRealPath&&n&&(n=function(t,e){if("string"==typeof t&&-1!==t.indexOf("url(")){var n=t.match(Mr);n&&3===n.length&&(t=t.replace(n[1],e._$getRealPath(n[1])))}return t}(n,r)),Dr.test(e))t.style.setProperty(e,n);else if(Pr.test(n))t.style.setProperty(C(e),n.replace(Pr,""),"important");else{var o=Hr(e);if(Array.isArray(n))for(var i=0,a=n.length;i-1?e.split(Vr).forEach(function(e){return t.classList.add(e)}):t.classList.add(e);else{var n=" "+(t.getAttribute("class")||"")+" ";n.indexOf(" "+e+" ")<0&&t.setAttribute("class",(n+e).trim())}}function Wr(t,e){if(e&&(e=e.trim()))if(t.classList)e.indexOf(" ")>-1?e.split(Vr).forEach(function(e){return t.classList.remove(e)}):t.classList.remove(e),t.classList.length||t.removeAttribute("class");else{for(var n=" "+(t.getAttribute("class")||"")+" ",r=" "+e+" ";n.indexOf(r)>=0;)n=n.replace(r," ");(n=n.trim())?t.setAttribute("class",n):t.removeAttribute("class")}}function qr(t){if(t){if("object"==typeof t){var e={};return!1!==t.css&&A(e,Kr(t.name||"v")),A(e,t),e}return"string"==typeof t?Kr(t):void 0}}var Kr=y(function(t){return{enterClass:t+"-enter",enterToClass:t+"-enter-to",enterActiveClass:t+"-enter-active",leaveClass:t+"-leave",leaveToClass:t+"-leave-to",leaveActiveClass:t+"-leave-active"}}),Xr=U&&!q,Gr="transition",Zr="animation",Jr="transition",Qr="transitionend",Yr="animation",to="animationend";Xr&&(void 0===window.ontransitionend&&void 0!==window.onwebkittransitionend&&(Jr="WebkitTransition",Qr="webkitTransitionEnd"),void 0===window.onanimationend&&void 0!==window.onwebkitanimationend&&(Yr="WebkitAnimation",to="webkitAnimationEnd"));var eo=U?window.requestAnimationFrame?window.requestAnimationFrame.bind(window):setTimeout:function(t){return t()};function no(t){eo(function(){eo(t)})}function ro(t,e){var n=t._transitionClasses||(t._transitionClasses=[]);n.indexOf(e)<0&&(n.push(e),Br(t,e))}function oo(t,e){t._transitionClasses&&v(t._transitionClasses,e),Wr(t,e)}function io(t,e,n){var r=so(t,e),o=r.type,i=r.timeout,a=r.propCount;if(!o)return n();var s=o===Gr?Qr:to,c=0,u=function(){t.removeEventListener(s,l),n()},l=function(e){e.target===t&&++c>=a&&u()};setTimeout(function(){c0&&(n=Gr,l=a,f=i.length):e===Zr?u>0&&(n=Zr,l=u,f=c.length):f=(n=(l=Math.max(a,u))>0?a>u?Gr:Zr:null)?n===Gr?i.length:c.length:0,{type:n,timeout:l,propCount:f,hasTransform:n===Gr&&ao.test(r[Jr+"Property"])}}function co(t,e){for(;t.length1}function ho(t,e){!0!==e.data.show&&lo(e)}var mo=function(t){var i,a,s={},c=t.modules,u=t.nodeOps;for(i=0;iv?_(t,e(o[y+1])?null:o[y+1].elm,o,d,y,i):d>y&&w(r,p,v)}(p,h,y,i,l):n(y)?(n(t.text)&&u.setTextContent(p,""),_(p,null,y,0,y.length-1,i)):n(h)?w(h,0,h.length-1):n(t.text)&&u.setTextContent(p,""):t.text!==o.text&&u.setTextContent(p,o.text),n(v)&&n(d=v.hook)&&n(d=d.postpatch)&&d(t,o)}}}function A(t,e,o){if(r(o)&&n(t.parent))t.parent.data.pendingInsert=e;else for(var i=0;i-1,a.selected!==i&&(a.selected=i);else if(E(wo(a),r))return void(t.selectedIndex!==s&&(t.selectedIndex=s));o||(t.selectedIndex=-1)}}function bo(t,e){return e.every(function(e){return!E(e,t)})}function wo(t){return"_value"in t?t._value:t.value}function Co(t){t.target.composing=!0}function $o(t){t.target.composing&&(t.target.composing=!1,xo(t.target,"input"))}function xo(t,e){var n=document.createEvent("HTMLEvents");n.initEvent(e,!0,!0),t.dispatchEvent(n)}function Ao(t){return!t.componentInstance||t.data&&t.data.transition?t:Ao(t.componentInstance._vnode)}var Oo={model:yo,show:{bind:function(t,e,n){var r=e.value,o=(n=Ao(n)).data&&n.data.transition,i=t.__vOriginalDisplay="none"===t.style.display?"":t.style.display;r&&o?(n.data.show=!0,lo(n,function(){t.style.display=i})):t.style.display=r?i:"none"},update:function(t,e,n){var r=e.value;!r!=!e.oldValue&&((n=Ao(n)).data&&n.data.transition?(n.data.show=!0,r?lo(n,function(){t.style.display=t.__vOriginalDisplay}):fo(n,function(){t.style.display="none"})):t.style.display=r?t.__vOriginalDisplay:"none")},unbind:function(t,e,n,r,o){o||(t.style.display=t.__vOriginalDisplay)}}},ko={name:String,appear:Boolean,css:Boolean,mode:String,type:String,enterClass:String,leaveClass:String,enterToClass:String,leaveToClass:String,enterActiveClass:String,leaveActiveClass:String,appearClass:String,appearActiveClass:String,appearToClass:String,duration:[Number,String,Object]};function So(t){var e=t&&t.componentOptions;return e&&e.Ctor.options.abstract?So(Ue(e.children)):t}function jo(t){var e={},n=t.$options;for(var r in n.propsData)e[r]=t[r];var o=n._parentListeners;for(var i in o)e[_(i)]=o[i];return e}function Eo(t,e){if(/\d-keep-alive$/.test(e.tag))return t("keep-alive",{props:e.componentOptions.propsData})}var To=function(t){return t.tag||He(t)},Io=function(t){return"show"===t.name},Do={name:"transition",props:ko,abstract:!0,render:function(t){var e=this,n=this.$slots.default;if(n&&(n=n.filter(To)).length){var r=this.mode,i=n[0];if(function(t){for(;t=t.parent;)if(t.data.transition)return!0}(this.$vnode))return i;var a=So(i);if(!a)return i;if(this._leaving)return Eo(t,i);var s="__transition-"+this._uid+"-";a.key=null==a.key?a.isComment?s+"comment":s+a.tag:o(a.key)?0===String(a.key).indexOf(s)?a.key:s+a.key:a.key;var c=(a.data||(a.data={})).transition=jo(this),u=this._vnode,l=So(u);if(a.data.directives&&a.data.directives.some(Io)&&(a.data.show=!0),l&&l.data&&!function(t,e){return e.key===t.key&&e.tag===t.tag}(a,l)&&!He(l)&&(!l.componentInstance||!l.componentInstance._vnode.isComment)){var f=l.data.transition=A({},c);if("out-in"===r)return this._leaving=!0,ee(f,"afterLeave",function(){e._leaving=!1,e.$forceUpdate()}),Eo(t,i);if("in-out"===r){if(He(a))return u;var p,d=function(){p()};ee(c,"afterEnter",d),ee(c,"enterCancelled",d),ee(f,"delayLeave",function(t){p=t})}}return i}}},Po=A({tag:String,moveClass:String},ko);function No(t){t.elm._moveCb&&t.elm._moveCb(),t.elm._enterCb&&t.elm._enterCb()}function Lo(t){t.data.newPos=t.elm.getBoundingClientRect()}function Mo(t){var e=t.data.pos,n=t.data.newPos,r=e.left-n.left,o=e.top-n.top;if(r||o){t.data.moved=!0;var i=t.elm.style;i.transform=i.WebkitTransform="translate("+r+"px,"+o+"px)",i.transitionDuration="0s"}}delete Po.mode;var Fo={Transition:Do,TransitionGroup:{props:Po,beforeMount:function(){var t=this,e=this._update;this._update=function(n,r){var o=Ke(t);t.__patch__(t._vnode,t.kept,!1,!0),t._vnode=t.kept,o(),e.call(t,n,r)}},render:function(t){for(var e=this.tag||this.$vnode.data.tag||"span",n=Object.create(null),r=this.prevChildren=this.children,o=this.$slots.default||[],i=this.children=[],a=jo(this),s=0;s-1?qn[t]=e.constructor===window.HTMLUnknownElement||e.constructor===window.HTMLElement:qn[t]=/HTMLUnknownElement/.test(e.toString())},A(bn.options.directives,Oo),A(bn.options.components,Fo),bn.prototype.__patch__=U?mo:k,bn.prototype.__call_hook=function(t,e){var n=this;st();var r,o=n.$options[t],i=t+" hook";if(o)for(var a=0,s=o.length;a