9437 lines
285 KiB
JavaScript
9437 lines
285 KiB
JavaScript
|
"use strict";
|
||
|
var _export_sfc = (sfc, props) => {
|
||
|
const target = sfc.__vccOpts || sfc;
|
||
|
for (const [key, val] of props) {
|
||
|
target[key] = val;
|
||
|
}
|
||
|
return target;
|
||
|
};
|
||
|
function makeMap(str, expectsLowerCase) {
|
||
|
const map2 = /* @__PURE__ */ Object.create(null);
|
||
|
const list = str.split(",");
|
||
|
for (let i = 0; i < list.length; i++) {
|
||
|
map2[list[i]] = true;
|
||
|
}
|
||
|
return expectsLowerCase ? (val) => !!map2[val.toLowerCase()] : (val) => !!map2[val];
|
||
|
}
|
||
|
function normalizeClass(value) {
|
||
|
let res = "";
|
||
|
if (isString$1(value)) {
|
||
|
res = value;
|
||
|
} else if (isArray$1(value)) {
|
||
|
for (let i = 0; i < value.length; i++) {
|
||
|
const normalized = normalizeClass(value[i]);
|
||
|
if (normalized) {
|
||
|
res += normalized + " ";
|
||
|
}
|
||
|
}
|
||
|
} else if (isObject$1(value)) {
|
||
|
for (const name in value) {
|
||
|
if (value[name]) {
|
||
|
res += name + " ";
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return res.trim();
|
||
|
}
|
||
|
const toDisplayString = (val) => {
|
||
|
return isString$1(val) ? val : val == null ? "" : isArray$1(val) || isObject$1(val) && (val.toString === objectToString || !isFunction$1(val.toString)) ? JSON.stringify(val, replacer, 2) : String(val);
|
||
|
};
|
||
|
const replacer = (_key, val) => {
|
||
|
if (val && val.__v_isRef) {
|
||
|
return replacer(_key, val.value);
|
||
|
} else if (isMap(val)) {
|
||
|
return {
|
||
|
[`Map(${val.size})`]: [...val.entries()].reduce((entries, [key, val2]) => {
|
||
|
entries[`${key} =>`] = val2;
|
||
|
return entries;
|
||
|
}, {})
|
||
|
};
|
||
|
} else if (isSet(val)) {
|
||
|
return {
|
||
|
[`Set(${val.size})`]: [...val.values()]
|
||
|
};
|
||
|
} else if (isObject$1(val) && !isArray$1(val) && !isPlainObject(val)) {
|
||
|
return String(val);
|
||
|
}
|
||
|
return val;
|
||
|
};
|
||
|
const EMPTY_OBJ = Object.freeze({});
|
||
|
const EMPTY_ARR = Object.freeze([]);
|
||
|
const NOOP = () => {
|
||
|
};
|
||
|
const NO = () => false;
|
||
|
const onRE = /^on[^a-z]/;
|
||
|
const isOn = (key) => onRE.test(key);
|
||
|
const isModelListener = (key) => key.startsWith("onUpdate:");
|
||
|
const extend$1 = Object.assign;
|
||
|
const remove = (arr, el) => {
|
||
|
const i = arr.indexOf(el);
|
||
|
if (i > -1) {
|
||
|
arr.splice(i, 1);
|
||
|
}
|
||
|
};
|
||
|
const hasOwnProperty = Object.prototype.hasOwnProperty;
|
||
|
const hasOwn = (val, key) => hasOwnProperty.call(val, key);
|
||
|
const isArray$1 = Array.isArray;
|
||
|
const isMap = (val) => toTypeString(val) === "[object Map]";
|
||
|
const isSet = (val) => toTypeString(val) === "[object Set]";
|
||
|
const isFunction$1 = (val) => typeof val === "function";
|
||
|
const isString$1 = (val) => typeof val === "string";
|
||
|
const isSymbol = (val) => typeof val === "symbol";
|
||
|
const isObject$1 = (val) => val !== null && typeof val === "object";
|
||
|
const isPromise = (val) => {
|
||
|
return isObject$1(val) && isFunction$1(val.then) && isFunction$1(val.catch);
|
||
|
};
|
||
|
const objectToString = Object.prototype.toString;
|
||
|
const toTypeString = (value) => objectToString.call(value);
|
||
|
const toRawType = (value) => {
|
||
|
return toTypeString(value).slice(8, -1);
|
||
|
};
|
||
|
const isPlainObject = (val) => toTypeString(val) === "[object Object]";
|
||
|
const isIntegerKey = (key) => isString$1(key) && key !== "NaN" && key[0] !== "-" && "" + parseInt(key, 10) === key;
|
||
|
const isReservedProp = /* @__PURE__ */ makeMap(",key,ref,ref_for,ref_key,onVnodeBeforeMount,onVnodeMounted,onVnodeBeforeUpdate,onVnodeUpdated,onVnodeBeforeUnmount,onVnodeUnmounted");
|
||
|
const isBuiltInDirective = /* @__PURE__ */ makeMap("bind,cloak,else-if,else,for,html,if,model,on,once,pre,show,slot,text,memo");
|
||
|
const cacheStringFunction = (fn) => {
|
||
|
const cache = /* @__PURE__ */ Object.create(null);
|
||
|
return (str) => {
|
||
|
const hit = cache[str];
|
||
|
return hit || (cache[str] = fn(str));
|
||
|
};
|
||
|
};
|
||
|
const camelizeRE = /-(\w)/g;
|
||
|
const camelize = cacheStringFunction((str) => {
|
||
|
return str.replace(camelizeRE, (_, c) => c ? c.toUpperCase() : "");
|
||
|
});
|
||
|
const hyphenateRE = /\B([A-Z])/g;
|
||
|
const hyphenate = cacheStringFunction((str) => str.replace(hyphenateRE, "-$1").toLowerCase());
|
||
|
const capitalize = cacheStringFunction((str) => str.charAt(0).toUpperCase() + str.slice(1));
|
||
|
const toHandlerKey = cacheStringFunction((str) => str ? `on${capitalize(str)}` : ``);
|
||
|
const hasChanged = (value, oldValue) => !Object.is(value, oldValue);
|
||
|
const invokeArrayFns$1 = (fns, arg) => {
|
||
|
for (let i = 0; i < fns.length; i++) {
|
||
|
fns[i](arg);
|
||
|
}
|
||
|
};
|
||
|
const def = (obj, key, value) => {
|
||
|
Object.defineProperty(obj, key, {
|
||
|
configurable: true,
|
||
|
enumerable: false,
|
||
|
value
|
||
|
});
|
||
|
};
|
||
|
const toNumber = (val) => {
|
||
|
const n2 = parseFloat(val);
|
||
|
return isNaN(n2) ? val : n2;
|
||
|
};
|
||
|
let vueApp;
|
||
|
const createVueAppHooks = [];
|
||
|
function onCreateVueApp(hook) {
|
||
|
if (vueApp) {
|
||
|
return hook(vueApp);
|
||
|
}
|
||
|
createVueAppHooks.push(hook);
|
||
|
}
|
||
|
function invokeCreateVueAppHook(app) {
|
||
|
vueApp = app;
|
||
|
createVueAppHooks.forEach((hook) => hook(app));
|
||
|
}
|
||
|
function getBaseSystemInfo() {
|
||
|
return wx.getSystemInfoSync();
|
||
|
}
|
||
|
const E = function() {
|
||
|
};
|
||
|
E.prototype = {
|
||
|
on: function(name, callback, ctx) {
|
||
|
var e2 = this.e || (this.e = {});
|
||
|
(e2[name] || (e2[name] = [])).push({
|
||
|
fn: callback,
|
||
|
ctx
|
||
|
});
|
||
|
return this;
|
||
|
},
|
||
|
once: function(name, callback, ctx) {
|
||
|
var self = this;
|
||
|
function listener() {
|
||
|
self.off(name, listener);
|
||
|
callback.apply(ctx, arguments);
|
||
|
}
|
||
|
listener._ = callback;
|
||
|
return this.on(name, listener, ctx);
|
||
|
},
|
||
|
emit: function(name) {
|
||
|
var data = [].slice.call(arguments, 1);
|
||
|
var evtArr = ((this.e || (this.e = {}))[name] || []).slice();
|
||
|
var i = 0;
|
||
|
var len = evtArr.length;
|
||
|
for (i; i < len; i++) {
|
||
|
evtArr[i].fn.apply(evtArr[i].ctx, data);
|
||
|
}
|
||
|
return this;
|
||
|
},
|
||
|
off: function(name, callback) {
|
||
|
var e2 = this.e || (this.e = {});
|
||
|
var evts = e2[name];
|
||
|
var liveEvents = [];
|
||
|
if (evts && callback) {
|
||
|
for (var i = 0, len = evts.length; i < len; i++) {
|
||
|
if (evts[i].fn !== callback && evts[i].fn._ !== callback)
|
||
|
liveEvents.push(evts[i]);
|
||
|
}
|
||
|
}
|
||
|
liveEvents.length ? e2[name] = liveEvents : delete e2[name];
|
||
|
return this;
|
||
|
}
|
||
|
};
|
||
|
var E$1 = E;
|
||
|
function validateProtocolFail(name, msg) {
|
||
|
console.warn(`${name}: ${msg}`);
|
||
|
}
|
||
|
function validateProtocol(name, data, protocol, onFail) {
|
||
|
if (!onFail) {
|
||
|
onFail = validateProtocolFail;
|
||
|
}
|
||
|
for (const key in protocol) {
|
||
|
const errMsg = validateProp$1(key, data[key], protocol[key], !hasOwn(data, key));
|
||
|
if (isString$1(errMsg)) {
|
||
|
onFail(name, errMsg);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function validateProtocols(name, args, protocol, onFail) {
|
||
|
if (!protocol) {
|
||
|
return;
|
||
|
}
|
||
|
if (!isArray$1(protocol)) {
|
||
|
return validateProtocol(name, args[0] || /* @__PURE__ */ Object.create(null), protocol, onFail);
|
||
|
}
|
||
|
const len = protocol.length;
|
||
|
const argsLen = args.length;
|
||
|
for (let i = 0; i < len; i++) {
|
||
|
const opts = protocol[i];
|
||
|
const data = /* @__PURE__ */ Object.create(null);
|
||
|
if (argsLen > i) {
|
||
|
data[opts.name] = args[i];
|
||
|
}
|
||
|
validateProtocol(name, data, { [opts.name]: opts }, onFail);
|
||
|
}
|
||
|
}
|
||
|
function validateProp$1(name, value, prop, isAbsent) {
|
||
|
if (!isPlainObject(prop)) {
|
||
|
prop = { type: prop };
|
||
|
}
|
||
|
const { type, required, validator } = prop;
|
||
|
if (required && isAbsent) {
|
||
|
return 'Missing required args: "' + name + '"';
|
||
|
}
|
||
|
if (value == null && !required) {
|
||
|
return;
|
||
|
}
|
||
|
if (type != null) {
|
||
|
let isValid2 = false;
|
||
|
const types = isArray$1(type) ? type : [type];
|
||
|
const expectedTypes = [];
|
||
|
for (let i = 0; i < types.length && !isValid2; i++) {
|
||
|
const { valid, expectedType } = assertType$1(value, types[i]);
|
||
|
expectedTypes.push(expectedType || "");
|
||
|
isValid2 = valid;
|
||
|
}
|
||
|
if (!isValid2) {
|
||
|
return getInvalidTypeMessage$1(name, value, expectedTypes);
|
||
|
}
|
||
|
}
|
||
|
if (validator) {
|
||
|
return validator(value);
|
||
|
}
|
||
|
}
|
||
|
const isSimpleType$1 = /* @__PURE__ */ makeMap("String,Number,Boolean,Function,Symbol");
|
||
|
function assertType$1(value, type) {
|
||
|
let valid;
|
||
|
const expectedType = getType$1(type);
|
||
|
if (isSimpleType$1(expectedType)) {
|
||
|
const t2 = typeof value;
|
||
|
valid = t2 === expectedType.toLowerCase();
|
||
|
if (!valid && t2 === "object") {
|
||
|
valid = value instanceof type;
|
||
|
}
|
||
|
} else if (expectedType === "Object") {
|
||
|
valid = isObject$1(value);
|
||
|
} else if (expectedType === "Array") {
|
||
|
valid = isArray$1(value);
|
||
|
} else {
|
||
|
{
|
||
|
valid = value instanceof type;
|
||
|
}
|
||
|
}
|
||
|
return {
|
||
|
valid,
|
||
|
expectedType
|
||
|
};
|
||
|
}
|
||
|
function getInvalidTypeMessage$1(name, value, expectedTypes) {
|
||
|
let message = `Invalid args: type check failed for args "${name}". Expected ${expectedTypes.map(capitalize).join(", ")}`;
|
||
|
const expectedType = expectedTypes[0];
|
||
|
const receivedType = toRawType(value);
|
||
|
const expectedValue = styleValue$1(value, expectedType);
|
||
|
const receivedValue = styleValue$1(value, receivedType);
|
||
|
if (expectedTypes.length === 1 && isExplicable$1(expectedType) && !isBoolean$1(expectedType, receivedType)) {
|
||
|
message += ` with value ${expectedValue}`;
|
||
|
}
|
||
|
message += `, got ${receivedType} `;
|
||
|
if (isExplicable$1(receivedType)) {
|
||
|
message += `with value ${receivedValue}.`;
|
||
|
}
|
||
|
return message;
|
||
|
}
|
||
|
function getType$1(ctor) {
|
||
|
const match = ctor && ctor.toString().match(/^\s*function (\w+)/);
|
||
|
return match ? match[1] : "";
|
||
|
}
|
||
|
function styleValue$1(value, type) {
|
||
|
if (type === "String") {
|
||
|
return `"${value}"`;
|
||
|
} else if (type === "Number") {
|
||
|
return `${Number(value)}`;
|
||
|
} else {
|
||
|
return `${value}`;
|
||
|
}
|
||
|
}
|
||
|
function isExplicable$1(type) {
|
||
|
const explicitTypes = ["string", "number", "boolean"];
|
||
|
return explicitTypes.some((elem) => type.toLowerCase() === elem);
|
||
|
}
|
||
|
function isBoolean$1(...args) {
|
||
|
return args.some((elem) => elem.toLowerCase() === "boolean");
|
||
|
}
|
||
|
function tryCatch(fn) {
|
||
|
return function() {
|
||
|
try {
|
||
|
return fn.apply(fn, arguments);
|
||
|
} catch (e2) {
|
||
|
console.error(e2);
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
function getApiCallbacks(args) {
|
||
|
const apiCallbacks = {};
|
||
|
for (const name in args) {
|
||
|
const fn = args[name];
|
||
|
if (isFunction$1(fn)) {
|
||
|
apiCallbacks[name] = tryCatch(fn);
|
||
|
delete args[name];
|
||
|
}
|
||
|
}
|
||
|
return apiCallbacks;
|
||
|
}
|
||
|
const HOOK_SUCCESS = "success";
|
||
|
const HOOK_FAIL = "fail";
|
||
|
const HOOK_COMPLETE = "complete";
|
||
|
const globalInterceptors = {};
|
||
|
const scopedInterceptors = {};
|
||
|
function wrapperHook(hook) {
|
||
|
return function(data) {
|
||
|
return hook(data) || data;
|
||
|
};
|
||
|
}
|
||
|
function queue$1(hooks2, data) {
|
||
|
let promise = false;
|
||
|
for (let i = 0; i < hooks2.length; i++) {
|
||
|
const hook = hooks2[i];
|
||
|
if (promise) {
|
||
|
promise = Promise.resolve(wrapperHook(hook));
|
||
|
} else {
|
||
|
const res = hook(data);
|
||
|
if (isPromise(res)) {
|
||
|
promise = Promise.resolve(res);
|
||
|
}
|
||
|
if (res === false) {
|
||
|
return {
|
||
|
then() {
|
||
|
},
|
||
|
catch() {
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return promise || {
|
||
|
then(callback) {
|
||
|
return callback(data);
|
||
|
},
|
||
|
catch() {
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
function wrapperOptions(interceptors2, options = {}) {
|
||
|
[HOOK_SUCCESS, HOOK_FAIL, HOOK_COMPLETE].forEach((name) => {
|
||
|
const hooks2 = interceptors2[name];
|
||
|
if (!isArray$1(hooks2)) {
|
||
|
return;
|
||
|
}
|
||
|
const oldCallback = options[name];
|
||
|
options[name] = function callbackInterceptor(res) {
|
||
|
queue$1(hooks2, res).then((res2) => {
|
||
|
return isFunction$1(oldCallback) && oldCallback(res2) || res2;
|
||
|
});
|
||
|
};
|
||
|
});
|
||
|
return options;
|
||
|
}
|
||
|
function wrapperReturnValue(method, returnValue) {
|
||
|
const returnValueHooks = [];
|
||
|
if (isArray$1(globalInterceptors.returnValue)) {
|
||
|
returnValueHooks.push(...globalInterceptors.returnValue);
|
||
|
}
|
||
|
const interceptor = scopedInterceptors[method];
|
||
|
if (interceptor && isArray$1(interceptor.returnValue)) {
|
||
|
returnValueHooks.push(...interceptor.returnValue);
|
||
|
}
|
||
|
returnValueHooks.forEach((hook) => {
|
||
|
returnValue = hook(returnValue) || returnValue;
|
||
|
});
|
||
|
return returnValue;
|
||
|
}
|
||
|
function getApiInterceptorHooks(method) {
|
||
|
const interceptor = /* @__PURE__ */ Object.create(null);
|
||
|
Object.keys(globalInterceptors).forEach((hook) => {
|
||
|
if (hook !== "returnValue") {
|
||
|
interceptor[hook] = globalInterceptors[hook].slice();
|
||
|
}
|
||
|
});
|
||
|
const scopedInterceptor = scopedInterceptors[method];
|
||
|
if (scopedInterceptor) {
|
||
|
Object.keys(scopedInterceptor).forEach((hook) => {
|
||
|
if (hook !== "returnValue") {
|
||
|
interceptor[hook] = (interceptor[hook] || []).concat(scopedInterceptor[hook]);
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
return interceptor;
|
||
|
}
|
||
|
function invokeApi(method, api, options, params) {
|
||
|
const interceptor = getApiInterceptorHooks(method);
|
||
|
if (interceptor && Object.keys(interceptor).length) {
|
||
|
if (isArray$1(interceptor.invoke)) {
|
||
|
const res = queue$1(interceptor.invoke, options);
|
||
|
return res.then((options2) => {
|
||
|
return api(wrapperOptions(interceptor, options2), ...params);
|
||
|
});
|
||
|
} else {
|
||
|
return api(wrapperOptions(interceptor, options), ...params);
|
||
|
}
|
||
|
}
|
||
|
return api(options, ...params);
|
||
|
}
|
||
|
function handlePromise(promise) {
|
||
|
return promise;
|
||
|
}
|
||
|
function formatApiArgs(args, options) {
|
||
|
const params = args[0];
|
||
|
if (!options || !isPlainObject(options.formatArgs) && isPlainObject(params)) {
|
||
|
return;
|
||
|
}
|
||
|
const formatArgs = options.formatArgs;
|
||
|
const keys2 = Object.keys(formatArgs);
|
||
|
for (let i = 0; i < keys2.length; i++) {
|
||
|
const name = keys2[i];
|
||
|
const formatterOrDefaultValue = formatArgs[name];
|
||
|
if (isFunction$1(formatterOrDefaultValue)) {
|
||
|
const errMsg = formatterOrDefaultValue(args[0][name], params);
|
||
|
if (isString$1(errMsg)) {
|
||
|
return errMsg;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwn(params, name)) {
|
||
|
params[name] = formatterOrDefaultValue;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function beforeInvokeApi(name, args, protocol, options) {
|
||
|
{
|
||
|
validateProtocols(name, args, protocol);
|
||
|
}
|
||
|
if (options && options.beforeInvoke) {
|
||
|
const errMsg2 = options.beforeInvoke(args);
|
||
|
if (isString$1(errMsg2)) {
|
||
|
return errMsg2;
|
||
|
}
|
||
|
}
|
||
|
const errMsg = formatApiArgs(args, options);
|
||
|
if (errMsg) {
|
||
|
return errMsg;
|
||
|
}
|
||
|
}
|
||
|
function wrapperSyncApi(name, fn, protocol, options) {
|
||
|
return (...args) => {
|
||
|
const errMsg = beforeInvokeApi(name, args, protocol, options);
|
||
|
if (errMsg) {
|
||
|
throw new Error(errMsg);
|
||
|
}
|
||
|
return fn.apply(null, args);
|
||
|
};
|
||
|
}
|
||
|
function defineSyncApi(name, fn, protocol, options) {
|
||
|
return wrapperSyncApi(name, fn, protocol, options);
|
||
|
}
|
||
|
const API_UPX2PX = "upx2px";
|
||
|
const Upx2pxProtocol = [
|
||
|
{
|
||
|
name: "upx",
|
||
|
type: [Number, String],
|
||
|
required: true
|
||
|
}
|
||
|
];
|
||
|
const EPS = 1e-4;
|
||
|
const BASE_DEVICE_WIDTH = 750;
|
||
|
let isIOS = false;
|
||
|
let deviceWidth = 0;
|
||
|
let deviceDPR = 0;
|
||
|
function checkDeviceWidth() {
|
||
|
const { platform, pixelRatio, windowWidth } = getBaseSystemInfo();
|
||
|
deviceWidth = windowWidth;
|
||
|
deviceDPR = pixelRatio;
|
||
|
isIOS = platform === "ios";
|
||
|
}
|
||
|
const upx2px = defineSyncApi(API_UPX2PX, (number, newDeviceWidth) => {
|
||
|
if (deviceWidth === 0) {
|
||
|
checkDeviceWidth();
|
||
|
}
|
||
|
number = Number(number);
|
||
|
if (number === 0) {
|
||
|
return 0;
|
||
|
}
|
||
|
let width = newDeviceWidth || deviceWidth;
|
||
|
let result = number / BASE_DEVICE_WIDTH * width;
|
||
|
if (result < 0) {
|
||
|
result = -result;
|
||
|
}
|
||
|
result = Math.floor(result + EPS);
|
||
|
if (result === 0) {
|
||
|
if (deviceDPR === 1 || !isIOS) {
|
||
|
result = 1;
|
||
|
} else {
|
||
|
result = 0.5;
|
||
|
}
|
||
|
}
|
||
|
return number < 0 ? -result : result;
|
||
|
}, Upx2pxProtocol);
|
||
|
const API_ADD_INTERCEPTOR = "addInterceptor";
|
||
|
const API_REMOVE_INTERCEPTOR = "removeInterceptor";
|
||
|
const AddInterceptorProtocol = [
|
||
|
{
|
||
|
name: "method",
|
||
|
type: [String, Object],
|
||
|
required: true
|
||
|
}
|
||
|
];
|
||
|
const RemoveInterceptorProtocol = AddInterceptorProtocol;
|
||
|
function mergeInterceptorHook(interceptors2, interceptor) {
|
||
|
Object.keys(interceptor).forEach((hook) => {
|
||
|
if (isFunction$1(interceptor[hook])) {
|
||
|
interceptors2[hook] = mergeHook(interceptors2[hook], interceptor[hook]);
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function removeInterceptorHook(interceptors2, interceptor) {
|
||
|
if (!interceptors2 || !interceptor) {
|
||
|
return;
|
||
|
}
|
||
|
Object.keys(interceptor).forEach((name) => {
|
||
|
const hooks2 = interceptors2[name];
|
||
|
const hook = interceptor[name];
|
||
|
if (isArray$1(hooks2) && isFunction$1(hook)) {
|
||
|
remove(hooks2, hook);
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function mergeHook(parentVal, childVal) {
|
||
|
const res = childVal ? parentVal ? parentVal.concat(childVal) : isArray$1(childVal) ? childVal : [childVal] : parentVal;
|
||
|
return res ? dedupeHooks(res) : res;
|
||
|
}
|
||
|
function dedupeHooks(hooks2) {
|
||
|
const res = [];
|
||
|
for (let i = 0; i < hooks2.length; i++) {
|
||
|
if (res.indexOf(hooks2[i]) === -1) {
|
||
|
res.push(hooks2[i]);
|
||
|
}
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
const addInterceptor = defineSyncApi(API_ADD_INTERCEPTOR, (method, interceptor) => {
|
||
|
if (typeof method === "string" && isPlainObject(interceptor)) {
|
||
|
mergeInterceptorHook(scopedInterceptors[method] || (scopedInterceptors[method] = {}), interceptor);
|
||
|
} else if (isPlainObject(method)) {
|
||
|
mergeInterceptorHook(globalInterceptors, method);
|
||
|
}
|
||
|
}, AddInterceptorProtocol);
|
||
|
const removeInterceptor = defineSyncApi(API_REMOVE_INTERCEPTOR, (method, interceptor) => {
|
||
|
if (typeof method === "string") {
|
||
|
if (isPlainObject(interceptor)) {
|
||
|
removeInterceptorHook(scopedInterceptors[method], interceptor);
|
||
|
} else {
|
||
|
delete scopedInterceptors[method];
|
||
|
}
|
||
|
} else if (isPlainObject(method)) {
|
||
|
removeInterceptorHook(globalInterceptors, method);
|
||
|
}
|
||
|
}, RemoveInterceptorProtocol);
|
||
|
const interceptors = {};
|
||
|
const API_ON = "$on";
|
||
|
const OnProtocol = [
|
||
|
{
|
||
|
name: "event",
|
||
|
type: String,
|
||
|
required: true
|
||
|
},
|
||
|
{
|
||
|
name: "callback",
|
||
|
type: Function,
|
||
|
required: true
|
||
|
}
|
||
|
];
|
||
|
const API_ONCE = "$once";
|
||
|
const OnceProtocol = OnProtocol;
|
||
|
const API_OFF = "$off";
|
||
|
const OffProtocol = [
|
||
|
{
|
||
|
name: "event",
|
||
|
type: [String, Array]
|
||
|
},
|
||
|
{
|
||
|
name: "callback",
|
||
|
type: Function
|
||
|
}
|
||
|
];
|
||
|
const API_EMIT = "$emit";
|
||
|
const EmitProtocol = [
|
||
|
{
|
||
|
name: "event",
|
||
|
type: String,
|
||
|
required: true
|
||
|
}
|
||
|
];
|
||
|
const emitter = new E$1();
|
||
|
const $on = defineSyncApi(API_ON, (name, callback) => {
|
||
|
emitter.on(name, callback);
|
||
|
return () => emitter.off(name, callback);
|
||
|
}, OnProtocol);
|
||
|
const $once = defineSyncApi(API_ONCE, (name, callback) => {
|
||
|
emitter.once(name, callback);
|
||
|
return () => emitter.off(name, callback);
|
||
|
}, OnceProtocol);
|
||
|
const $off = defineSyncApi(API_OFF, (name, callback) => {
|
||
|
if (!name) {
|
||
|
emitter.e = {};
|
||
|
return;
|
||
|
}
|
||
|
if (!Array.isArray(name))
|
||
|
name = [name];
|
||
|
name.forEach((n2) => emitter.off(n2, callback));
|
||
|
}, OffProtocol);
|
||
|
const $emit = defineSyncApi(API_EMIT, (name, ...args) => {
|
||
|
emitter.emit(name, ...args);
|
||
|
}, EmitProtocol);
|
||
|
let cid;
|
||
|
let cidErrMsg;
|
||
|
function normalizePushMessage(message) {
|
||
|
try {
|
||
|
return JSON.parse(message);
|
||
|
} catch (e2) {
|
||
|
}
|
||
|
return message;
|
||
|
}
|
||
|
function invokePushCallback(args) {
|
||
|
if (args.type === "clientId") {
|
||
|
cid = args.cid;
|
||
|
cidErrMsg = args.errMsg;
|
||
|
invokeGetPushCidCallbacks(cid, args.errMsg);
|
||
|
} else if (args.type === "pushMsg") {
|
||
|
onPushMessageCallbacks.forEach((callback) => {
|
||
|
callback({ type: "receive", data: normalizePushMessage(args.message) });
|
||
|
});
|
||
|
} else if (args.type === "click") {
|
||
|
onPushMessageCallbacks.forEach((callback) => {
|
||
|
callback({ type: "click", data: normalizePushMessage(args.message) });
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
const getPushCidCallbacks = [];
|
||
|
function invokeGetPushCidCallbacks(cid2, errMsg) {
|
||
|
getPushCidCallbacks.forEach((callback) => {
|
||
|
callback(cid2, errMsg);
|
||
|
});
|
||
|
getPushCidCallbacks.length = 0;
|
||
|
}
|
||
|
function getPushCid(args) {
|
||
|
if (!isPlainObject(args)) {
|
||
|
args = {};
|
||
|
}
|
||
|
const { success, fail, complete } = getApiCallbacks(args);
|
||
|
const hasSuccess = isFunction$1(success);
|
||
|
const hasFail = isFunction$1(fail);
|
||
|
const hasComplete = isFunction$1(complete);
|
||
|
getPushCidCallbacks.push((cid2, errMsg) => {
|
||
|
let res;
|
||
|
if (cid2) {
|
||
|
res = { errMsg: "getPushCid:ok", cid: cid2 };
|
||
|
hasSuccess && success(res);
|
||
|
} else {
|
||
|
res = { errMsg: "getPushCid:fail" + (errMsg ? " " + errMsg : "") };
|
||
|
hasFail && fail(res);
|
||
|
}
|
||
|
hasComplete && complete(res);
|
||
|
});
|
||
|
if (typeof cid !== "undefined") {
|
||
|
Promise.resolve().then(() => invokeGetPushCidCallbacks(cid, cidErrMsg));
|
||
|
}
|
||
|
}
|
||
|
const onPushMessageCallbacks = [];
|
||
|
const onPushMessage = (fn) => {
|
||
|
if (onPushMessageCallbacks.indexOf(fn) === -1) {
|
||
|
onPushMessageCallbacks.push(fn);
|
||
|
}
|
||
|
};
|
||
|
const offPushMessage = (fn) => {
|
||
|
if (!fn) {
|
||
|
onPushMessageCallbacks.length = 0;
|
||
|
} else {
|
||
|
const index2 = onPushMessageCallbacks.indexOf(fn);
|
||
|
if (index2 > -1) {
|
||
|
onPushMessageCallbacks.splice(index2, 1);
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
const SYNC_API_RE = /^\$|getLocale|setLocale|sendNativeEvent|restoreGlobal|requireGlobal|getCurrentSubNVue|getMenuButtonBoundingClientRect|^report|interceptors|Interceptor$|getSubNVueById|requireNativePlugin|upx2px|hideKeyboard|canIUse|^create|Sync$|Manager$|base64ToArrayBuffer|arrayBufferToBase64/;
|
||
|
const CONTEXT_API_RE = /^create|Manager$/;
|
||
|
const CONTEXT_API_RE_EXC = ["createBLEConnection"];
|
||
|
const ASYNC_API = ["createBLEConnection"];
|
||
|
const CALLBACK_API_RE = /^on|^off/;
|
||
|
function isContextApi(name) {
|
||
|
return CONTEXT_API_RE.test(name) && CONTEXT_API_RE_EXC.indexOf(name) === -1;
|
||
|
}
|
||
|
function isSyncApi(name) {
|
||
|
return SYNC_API_RE.test(name) && ASYNC_API.indexOf(name) === -1;
|
||
|
}
|
||
|
function isCallbackApi(name) {
|
||
|
return CALLBACK_API_RE.test(name) && name !== "onPush";
|
||
|
}
|
||
|
function shouldPromise(name) {
|
||
|
if (isContextApi(name) || isSyncApi(name) || isCallbackApi(name)) {
|
||
|
return false;
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
if (!Promise.prototype.finally) {
|
||
|
Promise.prototype.finally = function(onfinally) {
|
||
|
const promise = this.constructor;
|
||
|
return this.then((value) => promise.resolve(onfinally && onfinally()).then(() => value), (reason) => promise.resolve(onfinally && onfinally()).then(() => {
|
||
|
throw reason;
|
||
|
}));
|
||
|
};
|
||
|
}
|
||
|
function promisify(name, api) {
|
||
|
if (!shouldPromise(name)) {
|
||
|
return api;
|
||
|
}
|
||
|
if (!isFunction$1(api)) {
|
||
|
return api;
|
||
|
}
|
||
|
return function promiseApi(options = {}, ...rest) {
|
||
|
if (isFunction$1(options.success) || isFunction$1(options.fail) || isFunction$1(options.complete)) {
|
||
|
return wrapperReturnValue(name, invokeApi(name, api, options, rest));
|
||
|
}
|
||
|
return wrapperReturnValue(name, handlePromise(new Promise((resolve, reject) => {
|
||
|
invokeApi(name, api, extend$1({}, options, {
|
||
|
success: resolve,
|
||
|
fail: reject
|
||
|
}), rest);
|
||
|
})));
|
||
|
};
|
||
|
}
|
||
|
const CALLBACKS = ["success", "fail", "cancel", "complete"];
|
||
|
function initWrapper(protocols2) {
|
||
|
function processCallback(methodName, method, returnValue) {
|
||
|
return function(res) {
|
||
|
return method(processReturnValue(methodName, res, returnValue));
|
||
|
};
|
||
|
}
|
||
|
function processArgs(methodName, fromArgs, argsOption = {}, returnValue = {}, keepFromArgs = false) {
|
||
|
if (isPlainObject(fromArgs)) {
|
||
|
const toArgs = keepFromArgs === true ? fromArgs : {};
|
||
|
if (isFunction$1(argsOption)) {
|
||
|
argsOption = argsOption(fromArgs, toArgs) || {};
|
||
|
}
|
||
|
for (const key in fromArgs) {
|
||
|
if (hasOwn(argsOption, key)) {
|
||
|
let keyOption = argsOption[key];
|
||
|
if (isFunction$1(keyOption)) {
|
||
|
keyOption = keyOption(fromArgs[key], fromArgs, toArgs);
|
||
|
}
|
||
|
if (!keyOption) {
|
||
|
console.warn(`\u5FAE\u4FE1\u5C0F\u7A0B\u5E8F ${methodName} \u6682\u4E0D\u652F\u6301 ${key}`);
|
||
|
} else if (isString$1(keyOption)) {
|
||
|
toArgs[keyOption] = fromArgs[key];
|
||
|
} else if (isPlainObject(keyOption)) {
|
||
|
toArgs[keyOption.name ? keyOption.name : key] = keyOption.value;
|
||
|
}
|
||
|
} else if (CALLBACKS.indexOf(key) !== -1) {
|
||
|
const callback = fromArgs[key];
|
||
|
if (isFunction$1(callback)) {
|
||
|
toArgs[key] = processCallback(methodName, callback, returnValue);
|
||
|
}
|
||
|
} else {
|
||
|
if (!keepFromArgs && !hasOwn(toArgs, key)) {
|
||
|
toArgs[key] = fromArgs[key];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return toArgs;
|
||
|
} else if (isFunction$1(fromArgs)) {
|
||
|
fromArgs = processCallback(methodName, fromArgs, returnValue);
|
||
|
}
|
||
|
return fromArgs;
|
||
|
}
|
||
|
function processReturnValue(methodName, res, returnValue, keepReturnValue = false) {
|
||
|
if (isFunction$1(protocols2.returnValue)) {
|
||
|
res = protocols2.returnValue(methodName, res);
|
||
|
}
|
||
|
return processArgs(methodName, res, returnValue, {}, keepReturnValue);
|
||
|
}
|
||
|
return function wrapper(methodName, method) {
|
||
|
if (!hasOwn(protocols2, methodName)) {
|
||
|
return method;
|
||
|
}
|
||
|
const protocol = protocols2[methodName];
|
||
|
if (!protocol) {
|
||
|
return function() {
|
||
|
console.error(`\u5FAE\u4FE1\u5C0F\u7A0B\u5E8F \u6682\u4E0D\u652F\u6301${methodName}`);
|
||
|
};
|
||
|
}
|
||
|
return function(arg1, arg2) {
|
||
|
let options = protocol;
|
||
|
if (isFunction$1(protocol)) {
|
||
|
options = protocol(arg1);
|
||
|
}
|
||
|
arg1 = processArgs(methodName, arg1, options.args, options.returnValue);
|
||
|
const args = [arg1];
|
||
|
if (typeof arg2 !== "undefined") {
|
||
|
args.push(arg2);
|
||
|
}
|
||
|
const returnValue = wx[options.name || methodName].apply(wx, args);
|
||
|
if (isSyncApi(methodName)) {
|
||
|
return processReturnValue(methodName, returnValue, options.returnValue, isContextApi(methodName));
|
||
|
}
|
||
|
return returnValue;
|
||
|
};
|
||
|
};
|
||
|
}
|
||
|
const getLocale$1 = () => {
|
||
|
const app = getApp({ allowDefault: true });
|
||
|
if (app && app.$vm) {
|
||
|
return app.$vm.$locale;
|
||
|
}
|
||
|
return wx.getSystemInfoSync().language || "zh-Hans";
|
||
|
};
|
||
|
const setLocale = (locale2) => {
|
||
|
const app = getApp();
|
||
|
if (!app) {
|
||
|
return false;
|
||
|
}
|
||
|
const oldLocale = app.$vm.$locale;
|
||
|
if (oldLocale !== locale2) {
|
||
|
app.$vm.$locale = locale2;
|
||
|
onLocaleChangeCallbacks.forEach((fn) => fn({ locale: locale2 }));
|
||
|
return true;
|
||
|
}
|
||
|
return false;
|
||
|
};
|
||
|
const onLocaleChangeCallbacks = [];
|
||
|
const onLocaleChange = (fn) => {
|
||
|
if (onLocaleChangeCallbacks.indexOf(fn) === -1) {
|
||
|
onLocaleChangeCallbacks.push(fn);
|
||
|
}
|
||
|
};
|
||
|
if (typeof global !== "undefined") {
|
||
|
global.getLocale = getLocale$1;
|
||
|
}
|
||
|
const baseApis = {
|
||
|
$on,
|
||
|
$off,
|
||
|
$once,
|
||
|
$emit,
|
||
|
upx2px,
|
||
|
interceptors,
|
||
|
addInterceptor,
|
||
|
removeInterceptor,
|
||
|
onCreateVueApp,
|
||
|
invokeCreateVueAppHook,
|
||
|
getLocale: getLocale$1,
|
||
|
setLocale,
|
||
|
onLocaleChange,
|
||
|
getPushCid,
|
||
|
onPushMessage,
|
||
|
offPushMessage,
|
||
|
invokePushCallback
|
||
|
};
|
||
|
function initUni(api, protocols2) {
|
||
|
const wrapper = initWrapper(protocols2);
|
||
|
const UniProxyHandlers = {
|
||
|
get(target, key) {
|
||
|
if (hasOwn(target, key)) {
|
||
|
return target[key];
|
||
|
}
|
||
|
if (hasOwn(api, key)) {
|
||
|
return promisify(key, api[key]);
|
||
|
}
|
||
|
if (hasOwn(baseApis, key)) {
|
||
|
return promisify(key, baseApis[key]);
|
||
|
}
|
||
|
return promisify(key, wrapper(key, wx[key]));
|
||
|
}
|
||
|
};
|
||
|
return new Proxy({}, UniProxyHandlers);
|
||
|
}
|
||
|
function initGetProvider(providers) {
|
||
|
return function getProvider2({ service, success, fail, complete }) {
|
||
|
let res;
|
||
|
if (providers[service]) {
|
||
|
res = {
|
||
|
errMsg: "getProvider:ok",
|
||
|
service,
|
||
|
provider: providers[service]
|
||
|
};
|
||
|
isFunction$1(success) && success(res);
|
||
|
} else {
|
||
|
res = {
|
||
|
errMsg: "getProvider:fail:\u670D\u52A1[" + service + "]\u4E0D\u5B58\u5728"
|
||
|
};
|
||
|
isFunction$1(fail) && fail(res);
|
||
|
}
|
||
|
isFunction$1(complete) && complete(res);
|
||
|
};
|
||
|
}
|
||
|
function addSafeAreaInsets(fromRes, toRes) {
|
||
|
if (fromRes.safeArea) {
|
||
|
const safeArea = fromRes.safeArea;
|
||
|
toRes.safeAreaInsets = {
|
||
|
top: safeArea.top,
|
||
|
left: safeArea.left,
|
||
|
right: fromRes.windowWidth - safeArea.right,
|
||
|
bottom: fromRes.windowHeight - safeArea.bottom
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
const UUID_KEY = "__DC_STAT_UUID";
|
||
|
let deviceId;
|
||
|
function useDeviceId(global2 = wx) {
|
||
|
return function addDeviceId(_, toRes) {
|
||
|
deviceId = deviceId || global2.getStorageSync(UUID_KEY);
|
||
|
if (!deviceId) {
|
||
|
deviceId = Date.now() + "" + Math.floor(Math.random() * 1e7);
|
||
|
wx.setStorage({
|
||
|
key: UUID_KEY,
|
||
|
data: deviceId
|
||
|
});
|
||
|
}
|
||
|
toRes.deviceId = deviceId;
|
||
|
};
|
||
|
}
|
||
|
const getSystemInfo = {
|
||
|
returnValue: (fromRes, toRes) => {
|
||
|
addSafeAreaInsets(fromRes, toRes);
|
||
|
useDeviceId()(fromRes, toRes);
|
||
|
}
|
||
|
};
|
||
|
const getSystemInfoSync = getSystemInfo;
|
||
|
const redirectTo = {};
|
||
|
const previewImage = {
|
||
|
args(fromArgs, toArgs) {
|
||
|
let currentIndex = parseInt(fromArgs.current);
|
||
|
if (isNaN(currentIndex)) {
|
||
|
return;
|
||
|
}
|
||
|
const urls = fromArgs.urls;
|
||
|
if (!isArray$1(urls)) {
|
||
|
return;
|
||
|
}
|
||
|
const len = urls.length;
|
||
|
if (!len) {
|
||
|
return;
|
||
|
}
|
||
|
if (currentIndex < 0) {
|
||
|
currentIndex = 0;
|
||
|
} else if (currentIndex >= len) {
|
||
|
currentIndex = len - 1;
|
||
|
}
|
||
|
if (currentIndex > 0) {
|
||
|
toArgs.current = urls[currentIndex];
|
||
|
toArgs.urls = urls.filter((item, index2) => index2 < currentIndex ? item !== urls[currentIndex] : true);
|
||
|
} else {
|
||
|
toArgs.current = urls[0];
|
||
|
}
|
||
|
return {
|
||
|
indicator: false,
|
||
|
loop: false
|
||
|
};
|
||
|
}
|
||
|
};
|
||
|
const showActionSheet = {
|
||
|
args(fromArgs, toArgs) {
|
||
|
toArgs.alertText = fromArgs.title;
|
||
|
}
|
||
|
};
|
||
|
const mocks$1 = ["__route__", "__wxExparserNodeId__", "__wxWebviewId__"];
|
||
|
const getProvider = initGetProvider({
|
||
|
oauth: ["weixin"],
|
||
|
share: ["weixin"],
|
||
|
payment: ["wxpay"],
|
||
|
push: ["weixin"]
|
||
|
});
|
||
|
function initComponentMocks(component) {
|
||
|
const res = /* @__PURE__ */ Object.create(null);
|
||
|
mocks$1.forEach((name) => {
|
||
|
res[name] = component[name];
|
||
|
});
|
||
|
return res;
|
||
|
}
|
||
|
function createSelectorQuery() {
|
||
|
const query = wx.createSelectorQuery();
|
||
|
const oldIn = query.in;
|
||
|
query.in = function newIn(component) {
|
||
|
return oldIn.call(this, initComponentMocks(component));
|
||
|
};
|
||
|
return query;
|
||
|
}
|
||
|
var shims = /* @__PURE__ */ Object.freeze({
|
||
|
__proto__: null,
|
||
|
getProvider,
|
||
|
createSelectorQuery
|
||
|
});
|
||
|
var protocols = /* @__PURE__ */ Object.freeze({
|
||
|
__proto__: null,
|
||
|
redirectTo,
|
||
|
previewImage,
|
||
|
getSystemInfo,
|
||
|
getSystemInfoSync,
|
||
|
showActionSheet
|
||
|
});
|
||
|
var index = initUni(shims, protocols);
|
||
|
const ON_SHOW$1 = "onShow";
|
||
|
const ON_HIDE$1 = "onHide";
|
||
|
const ON_LAUNCH$1 = "onLaunch";
|
||
|
const ON_ERROR$1 = "onError";
|
||
|
const ON_THEME_CHANGE$1 = "onThemeChange";
|
||
|
const ON_PAGE_NOT_FOUND$1 = "onPageNotFound";
|
||
|
const ON_UNHANDLE_REJECTION$1 = "onUnhandledRejection";
|
||
|
const ON_LOAD$1 = "onLoad";
|
||
|
const ON_READY$1 = "onReady";
|
||
|
const ON_UNLOAD$1 = "onUnload";
|
||
|
const ON_INIT = "onInit";
|
||
|
const ON_SAVE_EXIT_STATE = "onSaveExitState";
|
||
|
const ON_RESIZE$1 = "onResize";
|
||
|
const ON_BACK_PRESS = "onBackPress";
|
||
|
const ON_PAGE_SCROLL = "onPageScroll";
|
||
|
const ON_TAB_ITEM_TAP$1 = "onTabItemTap";
|
||
|
const ON_REACH_BOTTOM$1 = "onReachBottom";
|
||
|
const ON_PULL_DOWN_REFRESH$1 = "onPullDownRefresh";
|
||
|
const ON_SHARE_TIMELINE = "onShareTimeline";
|
||
|
const ON_ADD_TO_FAVORITES$1 = "onAddToFavorites";
|
||
|
const ON_SHARE_APP_MESSAGE = "onShareAppMessage";
|
||
|
const ON_NAVIGATION_BAR_BUTTON_TAP = "onNavigationBarButtonTap";
|
||
|
const ON_NAVIGATION_BAR_SEARCH_INPUT_CLICKED = "onNavigationBarSearchInputClicked";
|
||
|
const ON_NAVIGATION_BAR_SEARCH_INPUT_CHANGED = "onNavigationBarSearchInputChanged";
|
||
|
const ON_NAVIGATION_BAR_SEARCH_INPUT_CONFIRMED = "onNavigationBarSearchInputConfirmed";
|
||
|
const ON_NAVIGATION_BAR_SEARCH_INPUT_FOCUS_CHANGED = "onNavigationBarSearchInputFocusChanged";
|
||
|
function getValueByDataPath(obj, path) {
|
||
|
if (!isString$1(path)) {
|
||
|
return;
|
||
|
}
|
||
|
path = path.replace(/\[(\d+)\]/g, ".$1");
|
||
|
const parts = path.split(".");
|
||
|
let key = parts[0];
|
||
|
if (!obj) {
|
||
|
obj = {};
|
||
|
}
|
||
|
if (parts.length === 1) {
|
||
|
return obj[key];
|
||
|
}
|
||
|
return getValueByDataPath(obj[key], parts.slice(1).join("."));
|
||
|
}
|
||
|
const PAGE_HOOKS = [
|
||
|
ON_INIT,
|
||
|
ON_LOAD$1,
|
||
|
ON_SHOW$1,
|
||
|
ON_HIDE$1,
|
||
|
ON_UNLOAD$1,
|
||
|
ON_BACK_PRESS,
|
||
|
ON_PAGE_SCROLL,
|
||
|
ON_TAB_ITEM_TAP$1,
|
||
|
ON_REACH_BOTTOM$1,
|
||
|
ON_PULL_DOWN_REFRESH$1,
|
||
|
ON_SHARE_TIMELINE,
|
||
|
ON_SHARE_APP_MESSAGE,
|
||
|
ON_ADD_TO_FAVORITES$1,
|
||
|
ON_SAVE_EXIT_STATE,
|
||
|
ON_NAVIGATION_BAR_BUTTON_TAP,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CLICKED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CHANGED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CONFIRMED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_FOCUS_CHANGED
|
||
|
];
|
||
|
function isRootHook(name) {
|
||
|
return PAGE_HOOKS.indexOf(name) > -1;
|
||
|
}
|
||
|
const UniLifecycleHooks = [
|
||
|
ON_SHOW$1,
|
||
|
ON_HIDE$1,
|
||
|
ON_LAUNCH$1,
|
||
|
ON_ERROR$1,
|
||
|
ON_THEME_CHANGE$1,
|
||
|
ON_PAGE_NOT_FOUND$1,
|
||
|
ON_UNHANDLE_REJECTION$1,
|
||
|
ON_INIT,
|
||
|
ON_LOAD$1,
|
||
|
ON_READY$1,
|
||
|
ON_UNLOAD$1,
|
||
|
ON_RESIZE$1,
|
||
|
ON_BACK_PRESS,
|
||
|
ON_PAGE_SCROLL,
|
||
|
ON_TAB_ITEM_TAP$1,
|
||
|
ON_REACH_BOTTOM$1,
|
||
|
ON_PULL_DOWN_REFRESH$1,
|
||
|
ON_SHARE_TIMELINE,
|
||
|
ON_ADD_TO_FAVORITES$1,
|
||
|
ON_SHARE_APP_MESSAGE,
|
||
|
ON_SAVE_EXIT_STATE,
|
||
|
ON_NAVIGATION_BAR_BUTTON_TAP,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CLICKED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CHANGED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_CONFIRMED,
|
||
|
ON_NAVIGATION_BAR_SEARCH_INPUT_FOCUS_CHANGED
|
||
|
];
|
||
|
function warn$1(msg, ...args) {
|
||
|
console.warn(`[Vue warn] ${msg}`, ...args);
|
||
|
}
|
||
|
let activeEffectScope;
|
||
|
class EffectScope {
|
||
|
constructor(detached = false) {
|
||
|
this.active = true;
|
||
|
this.effects = [];
|
||
|
this.cleanups = [];
|
||
|
if (!detached && activeEffectScope) {
|
||
|
this.parent = activeEffectScope;
|
||
|
this.index = (activeEffectScope.scopes || (activeEffectScope.scopes = [])).push(this) - 1;
|
||
|
}
|
||
|
}
|
||
|
run(fn) {
|
||
|
if (this.active) {
|
||
|
const currentEffectScope = activeEffectScope;
|
||
|
try {
|
||
|
activeEffectScope = this;
|
||
|
return fn();
|
||
|
} finally {
|
||
|
activeEffectScope = currentEffectScope;
|
||
|
}
|
||
|
} else {
|
||
|
warn$1(`cannot run an inactive effect scope.`);
|
||
|
}
|
||
|
}
|
||
|
on() {
|
||
|
activeEffectScope = this;
|
||
|
}
|
||
|
off() {
|
||
|
activeEffectScope = this.parent;
|
||
|
}
|
||
|
stop(fromParent) {
|
||
|
if (this.active) {
|
||
|
let i, l;
|
||
|
for (i = 0, l = this.effects.length; i < l; i++) {
|
||
|
this.effects[i].stop();
|
||
|
}
|
||
|
for (i = 0, l = this.cleanups.length; i < l; i++) {
|
||
|
this.cleanups[i]();
|
||
|
}
|
||
|
if (this.scopes) {
|
||
|
for (i = 0, l = this.scopes.length; i < l; i++) {
|
||
|
this.scopes[i].stop(true);
|
||
|
}
|
||
|
}
|
||
|
if (this.parent && !fromParent) {
|
||
|
const last = this.parent.scopes.pop();
|
||
|
if (last && last !== this) {
|
||
|
this.parent.scopes[this.index] = last;
|
||
|
last.index = this.index;
|
||
|
}
|
||
|
}
|
||
|
this.active = false;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function recordEffectScope(effect, scope = activeEffectScope) {
|
||
|
if (scope && scope.active) {
|
||
|
scope.effects.push(effect);
|
||
|
}
|
||
|
}
|
||
|
const createDep = (effects) => {
|
||
|
const dep = new Set(effects);
|
||
|
dep.w = 0;
|
||
|
dep.n = 0;
|
||
|
return dep;
|
||
|
};
|
||
|
const wasTracked = (dep) => (dep.w & trackOpBit) > 0;
|
||
|
const newTracked = (dep) => (dep.n & trackOpBit) > 0;
|
||
|
const initDepMarkers = ({ deps }) => {
|
||
|
if (deps.length) {
|
||
|
for (let i = 0; i < deps.length; i++) {
|
||
|
deps[i].w |= trackOpBit;
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
const finalizeDepMarkers = (effect) => {
|
||
|
const { deps } = effect;
|
||
|
if (deps.length) {
|
||
|
let ptr = 0;
|
||
|
for (let i = 0; i < deps.length; i++) {
|
||
|
const dep = deps[i];
|
||
|
if (wasTracked(dep) && !newTracked(dep)) {
|
||
|
dep.delete(effect);
|
||
|
} else {
|
||
|
deps[ptr++] = dep;
|
||
|
}
|
||
|
dep.w &= ~trackOpBit;
|
||
|
dep.n &= ~trackOpBit;
|
||
|
}
|
||
|
deps.length = ptr;
|
||
|
}
|
||
|
};
|
||
|
const targetMap = /* @__PURE__ */ new WeakMap();
|
||
|
let effectTrackDepth = 0;
|
||
|
let trackOpBit = 1;
|
||
|
const maxMarkerBits = 30;
|
||
|
let activeEffect;
|
||
|
const ITERATE_KEY = Symbol("iterate");
|
||
|
const MAP_KEY_ITERATE_KEY = Symbol("Map key iterate");
|
||
|
class ReactiveEffect {
|
||
|
constructor(fn, scheduler = null, scope) {
|
||
|
this.fn = fn;
|
||
|
this.scheduler = scheduler;
|
||
|
this.active = true;
|
||
|
this.deps = [];
|
||
|
this.parent = void 0;
|
||
|
recordEffectScope(this, scope);
|
||
|
}
|
||
|
run() {
|
||
|
if (!this.active) {
|
||
|
return this.fn();
|
||
|
}
|
||
|
let parent = activeEffect;
|
||
|
let lastShouldTrack = shouldTrack;
|
||
|
while (parent) {
|
||
|
if (parent === this) {
|
||
|
return;
|
||
|
}
|
||
|
parent = parent.parent;
|
||
|
}
|
||
|
try {
|
||
|
this.parent = activeEffect;
|
||
|
activeEffect = this;
|
||
|
shouldTrack = true;
|
||
|
trackOpBit = 1 << ++effectTrackDepth;
|
||
|
if (effectTrackDepth <= maxMarkerBits) {
|
||
|
initDepMarkers(this);
|
||
|
} else {
|
||
|
cleanupEffect(this);
|
||
|
}
|
||
|
return this.fn();
|
||
|
} finally {
|
||
|
if (effectTrackDepth <= maxMarkerBits) {
|
||
|
finalizeDepMarkers(this);
|
||
|
}
|
||
|
trackOpBit = 1 << --effectTrackDepth;
|
||
|
activeEffect = this.parent;
|
||
|
shouldTrack = lastShouldTrack;
|
||
|
this.parent = void 0;
|
||
|
if (this.deferStop) {
|
||
|
this.stop();
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
stop() {
|
||
|
if (activeEffect === this) {
|
||
|
this.deferStop = true;
|
||
|
} else if (this.active) {
|
||
|
cleanupEffect(this);
|
||
|
if (this.onStop) {
|
||
|
this.onStop();
|
||
|
}
|
||
|
this.active = false;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function cleanupEffect(effect) {
|
||
|
const { deps } = effect;
|
||
|
if (deps.length) {
|
||
|
for (let i = 0; i < deps.length; i++) {
|
||
|
deps[i].delete(effect);
|
||
|
}
|
||
|
deps.length = 0;
|
||
|
}
|
||
|
}
|
||
|
let shouldTrack = true;
|
||
|
const trackStack = [];
|
||
|
function pauseTracking() {
|
||
|
trackStack.push(shouldTrack);
|
||
|
shouldTrack = false;
|
||
|
}
|
||
|
function resetTracking() {
|
||
|
const last = trackStack.pop();
|
||
|
shouldTrack = last === void 0 ? true : last;
|
||
|
}
|
||
|
function track(target, type, key) {
|
||
|
if (shouldTrack && activeEffect) {
|
||
|
let depsMap = targetMap.get(target);
|
||
|
if (!depsMap) {
|
||
|
targetMap.set(target, depsMap = /* @__PURE__ */ new Map());
|
||
|
}
|
||
|
let dep = depsMap.get(key);
|
||
|
if (!dep) {
|
||
|
depsMap.set(key, dep = createDep());
|
||
|
}
|
||
|
const eventInfo = { effect: activeEffect, target, type, key };
|
||
|
trackEffects(dep, eventInfo);
|
||
|
}
|
||
|
}
|
||
|
function trackEffects(dep, debuggerEventExtraInfo) {
|
||
|
let shouldTrack2 = false;
|
||
|
if (effectTrackDepth <= maxMarkerBits) {
|
||
|
if (!newTracked(dep)) {
|
||
|
dep.n |= trackOpBit;
|
||
|
shouldTrack2 = !wasTracked(dep);
|
||
|
}
|
||
|
} else {
|
||
|
shouldTrack2 = !dep.has(activeEffect);
|
||
|
}
|
||
|
if (shouldTrack2) {
|
||
|
dep.add(activeEffect);
|
||
|
activeEffect.deps.push(dep);
|
||
|
if (activeEffect.onTrack) {
|
||
|
activeEffect.onTrack(Object.assign({ effect: activeEffect }, debuggerEventExtraInfo));
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function trigger(target, type, key, newValue, oldValue, oldTarget) {
|
||
|
const depsMap = targetMap.get(target);
|
||
|
if (!depsMap) {
|
||
|
return;
|
||
|
}
|
||
|
let deps = [];
|
||
|
if (type === "clear") {
|
||
|
deps = [...depsMap.values()];
|
||
|
} else if (key === "length" && isArray$1(target)) {
|
||
|
depsMap.forEach((dep, key2) => {
|
||
|
if (key2 === "length" || key2 >= newValue) {
|
||
|
deps.push(dep);
|
||
|
}
|
||
|
});
|
||
|
} else {
|
||
|
if (key !== void 0) {
|
||
|
deps.push(depsMap.get(key));
|
||
|
}
|
||
|
switch (type) {
|
||
|
case "add":
|
||
|
if (!isArray$1(target)) {
|
||
|
deps.push(depsMap.get(ITERATE_KEY));
|
||
|
if (isMap(target)) {
|
||
|
deps.push(depsMap.get(MAP_KEY_ITERATE_KEY));
|
||
|
}
|
||
|
} else if (isIntegerKey(key)) {
|
||
|
deps.push(depsMap.get("length"));
|
||
|
}
|
||
|
break;
|
||
|
case "delete":
|
||
|
if (!isArray$1(target)) {
|
||
|
deps.push(depsMap.get(ITERATE_KEY));
|
||
|
if (isMap(target)) {
|
||
|
deps.push(depsMap.get(MAP_KEY_ITERATE_KEY));
|
||
|
}
|
||
|
}
|
||
|
break;
|
||
|
case "set":
|
||
|
if (isMap(target)) {
|
||
|
deps.push(depsMap.get(ITERATE_KEY));
|
||
|
}
|
||
|
break;
|
||
|
}
|
||
|
}
|
||
|
const eventInfo = { target, type, key, newValue, oldValue, oldTarget };
|
||
|
if (deps.length === 1) {
|
||
|
if (deps[0]) {
|
||
|
{
|
||
|
triggerEffects(deps[0], eventInfo);
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
const effects = [];
|
||
|
for (const dep of deps) {
|
||
|
if (dep) {
|
||
|
effects.push(...dep);
|
||
|
}
|
||
|
}
|
||
|
{
|
||
|
triggerEffects(createDep(effects), eventInfo);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function triggerEffects(dep, debuggerEventExtraInfo) {
|
||
|
for (const effect of isArray$1(dep) ? dep : [...dep]) {
|
||
|
if (effect !== activeEffect || effect.allowRecurse) {
|
||
|
if (effect.onTrigger) {
|
||
|
effect.onTrigger(extend$1({ effect }, debuggerEventExtraInfo));
|
||
|
}
|
||
|
if (effect.scheduler) {
|
||
|
effect.scheduler();
|
||
|
} else {
|
||
|
effect.run();
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
const isNonTrackableKeys = /* @__PURE__ */ makeMap(`__proto__,__v_isRef,__isVue`);
|
||
|
const builtInSymbols = new Set(/* @__PURE__ */ Object.getOwnPropertyNames(Symbol).map((key) => Symbol[key]).filter(isSymbol));
|
||
|
const get$3 = /* @__PURE__ */ createGetter();
|
||
|
const shallowGet = /* @__PURE__ */ createGetter(false, true);
|
||
|
const readonlyGet = /* @__PURE__ */ createGetter(true);
|
||
|
const shallowReadonlyGet = /* @__PURE__ */ createGetter(true, true);
|
||
|
const arrayInstrumentations = /* @__PURE__ */ createArrayInstrumentations();
|
||
|
function createArrayInstrumentations() {
|
||
|
const instrumentations = {};
|
||
|
["includes", "indexOf", "lastIndexOf"].forEach((key) => {
|
||
|
instrumentations[key] = function(...args) {
|
||
|
const arr = toRaw(this);
|
||
|
for (let i = 0, l = this.length; i < l; i++) {
|
||
|
track(arr, "get", i + "");
|
||
|
}
|
||
|
const res = arr[key](...args);
|
||
|
if (res === -1 || res === false) {
|
||
|
return arr[key](...args.map(toRaw));
|
||
|
} else {
|
||
|
return res;
|
||
|
}
|
||
|
};
|
||
|
});
|
||
|
["push", "pop", "shift", "unshift", "splice"].forEach((key) => {
|
||
|
instrumentations[key] = function(...args) {
|
||
|
pauseTracking();
|
||
|
const res = toRaw(this)[key].apply(this, args);
|
||
|
resetTracking();
|
||
|
return res;
|
||
|
};
|
||
|
});
|
||
|
return instrumentations;
|
||
|
}
|
||
|
function createGetter(isReadonly2 = false, shallow = false) {
|
||
|
return function get2(target, key, receiver) {
|
||
|
if (key === "__v_isReactive") {
|
||
|
return !isReadonly2;
|
||
|
} else if (key === "__v_isReadonly") {
|
||
|
return isReadonly2;
|
||
|
} else if (key === "__v_isShallow") {
|
||
|
return shallow;
|
||
|
} else if (key === "__v_raw" && receiver === (isReadonly2 ? shallow ? shallowReadonlyMap : readonlyMap : shallow ? shallowReactiveMap : reactiveMap).get(target)) {
|
||
|
return target;
|
||
|
}
|
||
|
const targetIsArray = isArray$1(target);
|
||
|
if (!isReadonly2 && targetIsArray && hasOwn(arrayInstrumentations, key)) {
|
||
|
return Reflect.get(arrayInstrumentations, key, receiver);
|
||
|
}
|
||
|
const res = Reflect.get(target, key, receiver);
|
||
|
if (isSymbol(key) ? builtInSymbols.has(key) : isNonTrackableKeys(key)) {
|
||
|
return res;
|
||
|
}
|
||
|
if (!isReadonly2) {
|
||
|
track(target, "get", key);
|
||
|
}
|
||
|
if (shallow) {
|
||
|
return res;
|
||
|
}
|
||
|
if (isRef(res)) {
|
||
|
const shouldUnwrap = !targetIsArray || !isIntegerKey(key);
|
||
|
return shouldUnwrap ? res.value : res;
|
||
|
}
|
||
|
if (isObject$1(res)) {
|
||
|
return isReadonly2 ? readonly(res) : reactive(res);
|
||
|
}
|
||
|
return res;
|
||
|
};
|
||
|
}
|
||
|
const set$1$1 = /* @__PURE__ */ createSetter();
|
||
|
const shallowSet = /* @__PURE__ */ createSetter(true);
|
||
|
function createSetter(shallow = false) {
|
||
|
return function set2(target, key, value, receiver) {
|
||
|
let oldValue = target[key];
|
||
|
if (isReadonly(oldValue) && isRef(oldValue) && !isRef(value)) {
|
||
|
return false;
|
||
|
}
|
||
|
if (!shallow && !isReadonly(value)) {
|
||
|
if (!isShallow(value)) {
|
||
|
value = toRaw(value);
|
||
|
oldValue = toRaw(oldValue);
|
||
|
}
|
||
|
if (!isArray$1(target) && isRef(oldValue) && !isRef(value)) {
|
||
|
oldValue.value = value;
|
||
|
return true;
|
||
|
}
|
||
|
}
|
||
|
const hadKey = isArray$1(target) && isIntegerKey(key) ? Number(key) < target.length : hasOwn(target, key);
|
||
|
const result = Reflect.set(target, key, value, receiver);
|
||
|
if (target === toRaw(receiver)) {
|
||
|
if (!hadKey) {
|
||
|
trigger(target, "add", key, value);
|
||
|
} else if (hasChanged(value, oldValue)) {
|
||
|
trigger(target, "set", key, value, oldValue);
|
||
|
}
|
||
|
}
|
||
|
return result;
|
||
|
};
|
||
|
}
|
||
|
function deleteProperty(target, key) {
|
||
|
const hadKey = hasOwn(target, key);
|
||
|
const oldValue = target[key];
|
||
|
const result = Reflect.deleteProperty(target, key);
|
||
|
if (result && hadKey) {
|
||
|
trigger(target, "delete", key, void 0, oldValue);
|
||
|
}
|
||
|
return result;
|
||
|
}
|
||
|
function has(target, key) {
|
||
|
const result = Reflect.has(target, key);
|
||
|
if (!isSymbol(key) || !builtInSymbols.has(key)) {
|
||
|
track(target, "has", key);
|
||
|
}
|
||
|
return result;
|
||
|
}
|
||
|
function ownKeys(target) {
|
||
|
track(target, "iterate", isArray$1(target) ? "length" : ITERATE_KEY);
|
||
|
return Reflect.ownKeys(target);
|
||
|
}
|
||
|
const mutableHandlers = {
|
||
|
get: get$3,
|
||
|
set: set$1$1,
|
||
|
deleteProperty,
|
||
|
has,
|
||
|
ownKeys
|
||
|
};
|
||
|
const readonlyHandlers = {
|
||
|
get: readonlyGet,
|
||
|
set(target, key) {
|
||
|
{
|
||
|
warn$1(`Set operation on key "${String(key)}" failed: target is readonly.`, target);
|
||
|
}
|
||
|
return true;
|
||
|
},
|
||
|
deleteProperty(target, key) {
|
||
|
{
|
||
|
warn$1(`Delete operation on key "${String(key)}" failed: target is readonly.`, target);
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
};
|
||
|
const shallowReactiveHandlers = /* @__PURE__ */ extend$1({}, mutableHandlers, {
|
||
|
get: shallowGet,
|
||
|
set: shallowSet
|
||
|
});
|
||
|
const shallowReadonlyHandlers = /* @__PURE__ */ extend$1({}, readonlyHandlers, {
|
||
|
get: shallowReadonlyGet
|
||
|
});
|
||
|
const toShallow = (value) => value;
|
||
|
const getProto = (v) => Reflect.getPrototypeOf(v);
|
||
|
function get$1$1(target, key, isReadonly2 = false, isShallow2 = false) {
|
||
|
target = target["__v_raw"];
|
||
|
const rawTarget = toRaw(target);
|
||
|
const rawKey = toRaw(key);
|
||
|
if (key !== rawKey) {
|
||
|
!isReadonly2 && track(rawTarget, "get", key);
|
||
|
}
|
||
|
!isReadonly2 && track(rawTarget, "get", rawKey);
|
||
|
const { has: has2 } = getProto(rawTarget);
|
||
|
const wrap = isShallow2 ? toShallow : isReadonly2 ? toReadonly : toReactive;
|
||
|
if (has2.call(rawTarget, key)) {
|
||
|
return wrap(target.get(key));
|
||
|
} else if (has2.call(rawTarget, rawKey)) {
|
||
|
return wrap(target.get(rawKey));
|
||
|
} else if (target !== rawTarget) {
|
||
|
target.get(key);
|
||
|
}
|
||
|
}
|
||
|
function has$1(key, isReadonly2 = false) {
|
||
|
const target = this["__v_raw"];
|
||
|
const rawTarget = toRaw(target);
|
||
|
const rawKey = toRaw(key);
|
||
|
if (key !== rawKey) {
|
||
|
!isReadonly2 && track(rawTarget, "has", key);
|
||
|
}
|
||
|
!isReadonly2 && track(rawTarget, "has", rawKey);
|
||
|
return key === rawKey ? target.has(key) : target.has(key) || target.has(rawKey);
|
||
|
}
|
||
|
function size(target, isReadonly2 = false) {
|
||
|
target = target["__v_raw"];
|
||
|
!isReadonly2 && track(toRaw(target), "iterate", ITERATE_KEY);
|
||
|
return Reflect.get(target, "size", target);
|
||
|
}
|
||
|
function add$2(value) {
|
||
|
value = toRaw(value);
|
||
|
const target = toRaw(this);
|
||
|
const proto2 = getProto(target);
|
||
|
const hadKey = proto2.has.call(target, value);
|
||
|
if (!hadKey) {
|
||
|
target.add(value);
|
||
|
trigger(target, "add", value, value);
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function set$1$1$1(key, value) {
|
||
|
value = toRaw(value);
|
||
|
const target = toRaw(this);
|
||
|
const { has: has2, get: get2 } = getProto(target);
|
||
|
let hadKey = has2.call(target, key);
|
||
|
if (!hadKey) {
|
||
|
key = toRaw(key);
|
||
|
hadKey = has2.call(target, key);
|
||
|
} else {
|
||
|
checkIdentityKeys(target, has2, key);
|
||
|
}
|
||
|
const oldValue = get2.call(target, key);
|
||
|
target.set(key, value);
|
||
|
if (!hadKey) {
|
||
|
trigger(target, "add", key, value);
|
||
|
} else if (hasChanged(value, oldValue)) {
|
||
|
trigger(target, "set", key, value, oldValue);
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function deleteEntry(key) {
|
||
|
const target = toRaw(this);
|
||
|
const { has: has2, get: get2 } = getProto(target);
|
||
|
let hadKey = has2.call(target, key);
|
||
|
if (!hadKey) {
|
||
|
key = toRaw(key);
|
||
|
hadKey = has2.call(target, key);
|
||
|
} else {
|
||
|
checkIdentityKeys(target, has2, key);
|
||
|
}
|
||
|
const oldValue = get2 ? get2.call(target, key) : void 0;
|
||
|
const result = target.delete(key);
|
||
|
if (hadKey) {
|
||
|
trigger(target, "delete", key, void 0, oldValue);
|
||
|
}
|
||
|
return result;
|
||
|
}
|
||
|
function clear() {
|
||
|
const target = toRaw(this);
|
||
|
const hadItems = target.size !== 0;
|
||
|
const oldTarget = isMap(target) ? new Map(target) : new Set(target);
|
||
|
const result = target.clear();
|
||
|
if (hadItems) {
|
||
|
trigger(target, "clear", void 0, void 0, oldTarget);
|
||
|
}
|
||
|
return result;
|
||
|
}
|
||
|
function createForEach(isReadonly2, isShallow2) {
|
||
|
return function forEach(callback, thisArg) {
|
||
|
const observed = this;
|
||
|
const target = observed["__v_raw"];
|
||
|
const rawTarget = toRaw(target);
|
||
|
const wrap = isShallow2 ? toShallow : isReadonly2 ? toReadonly : toReactive;
|
||
|
!isReadonly2 && track(rawTarget, "iterate", ITERATE_KEY);
|
||
|
return target.forEach((value, key) => {
|
||
|
return callback.call(thisArg, wrap(value), wrap(key), observed);
|
||
|
});
|
||
|
};
|
||
|
}
|
||
|
function createIterableMethod(method, isReadonly2, isShallow2) {
|
||
|
return function(...args) {
|
||
|
const target = this["__v_raw"];
|
||
|
const rawTarget = toRaw(target);
|
||
|
const targetIsMap = isMap(rawTarget);
|
||
|
const isPair = method === "entries" || method === Symbol.iterator && targetIsMap;
|
||
|
const isKeyOnly = method === "keys" && targetIsMap;
|
||
|
const innerIterator = target[method](...args);
|
||
|
const wrap = isShallow2 ? toShallow : isReadonly2 ? toReadonly : toReactive;
|
||
|
!isReadonly2 && track(rawTarget, "iterate", isKeyOnly ? MAP_KEY_ITERATE_KEY : ITERATE_KEY);
|
||
|
return {
|
||
|
next() {
|
||
|
const { value, done } = innerIterator.next();
|
||
|
return done ? { value, done } : {
|
||
|
value: isPair ? [wrap(value[0]), wrap(value[1])] : wrap(value),
|
||
|
done
|
||
|
};
|
||
|
},
|
||
|
[Symbol.iterator]() {
|
||
|
return this;
|
||
|
}
|
||
|
};
|
||
|
};
|
||
|
}
|
||
|
function createReadonlyMethod(type) {
|
||
|
return function(...args) {
|
||
|
{
|
||
|
const key = args[0] ? `on key "${args[0]}" ` : ``;
|
||
|
console.warn(`${capitalize(type)} operation ${key}failed: target is readonly.`, toRaw(this));
|
||
|
}
|
||
|
return type === "delete" ? false : this;
|
||
|
};
|
||
|
}
|
||
|
function createInstrumentations() {
|
||
|
const mutableInstrumentations2 = {
|
||
|
get(key) {
|
||
|
return get$1$1(this, key);
|
||
|
},
|
||
|
get size() {
|
||
|
return size(this);
|
||
|
},
|
||
|
has: has$1,
|
||
|
add: add$2,
|
||
|
set: set$1$1$1,
|
||
|
delete: deleteEntry,
|
||
|
clear,
|
||
|
forEach: createForEach(false, false)
|
||
|
};
|
||
|
const shallowInstrumentations2 = {
|
||
|
get(key) {
|
||
|
return get$1$1(this, key, false, true);
|
||
|
},
|
||
|
get size() {
|
||
|
return size(this);
|
||
|
},
|
||
|
has: has$1,
|
||
|
add: add$2,
|
||
|
set: set$1$1$1,
|
||
|
delete: deleteEntry,
|
||
|
clear,
|
||
|
forEach: createForEach(false, true)
|
||
|
};
|
||
|
const readonlyInstrumentations2 = {
|
||
|
get(key) {
|
||
|
return get$1$1(this, key, true);
|
||
|
},
|
||
|
get size() {
|
||
|
return size(this, true);
|
||
|
},
|
||
|
has(key) {
|
||
|
return has$1.call(this, key, true);
|
||
|
},
|
||
|
add: createReadonlyMethod("add"),
|
||
|
set: createReadonlyMethod("set"),
|
||
|
delete: createReadonlyMethod("delete"),
|
||
|
clear: createReadonlyMethod("clear"),
|
||
|
forEach: createForEach(true, false)
|
||
|
};
|
||
|
const shallowReadonlyInstrumentations2 = {
|
||
|
get(key) {
|
||
|
return get$1$1(this, key, true, true);
|
||
|
},
|
||
|
get size() {
|
||
|
return size(this, true);
|
||
|
},
|
||
|
has(key) {
|
||
|
return has$1.call(this, key, true);
|
||
|
},
|
||
|
add: createReadonlyMethod("add"),
|
||
|
set: createReadonlyMethod("set"),
|
||
|
delete: createReadonlyMethod("delete"),
|
||
|
clear: createReadonlyMethod("clear"),
|
||
|
forEach: createForEach(true, true)
|
||
|
};
|
||
|
const iteratorMethods = ["keys", "values", "entries", Symbol.iterator];
|
||
|
iteratorMethods.forEach((method) => {
|
||
|
mutableInstrumentations2[method] = createIterableMethod(method, false, false);
|
||
|
readonlyInstrumentations2[method] = createIterableMethod(method, true, false);
|
||
|
shallowInstrumentations2[method] = createIterableMethod(method, false, true);
|
||
|
shallowReadonlyInstrumentations2[method] = createIterableMethod(method, true, true);
|
||
|
});
|
||
|
return [
|
||
|
mutableInstrumentations2,
|
||
|
readonlyInstrumentations2,
|
||
|
shallowInstrumentations2,
|
||
|
shallowReadonlyInstrumentations2
|
||
|
];
|
||
|
}
|
||
|
const [mutableInstrumentations, readonlyInstrumentations, shallowInstrumentations, shallowReadonlyInstrumentations] = /* @__PURE__ */ createInstrumentations();
|
||
|
function createInstrumentationGetter(isReadonly2, shallow) {
|
||
|
const instrumentations = shallow ? isReadonly2 ? shallowReadonlyInstrumentations : shallowInstrumentations : isReadonly2 ? readonlyInstrumentations : mutableInstrumentations;
|
||
|
return (target, key, receiver) => {
|
||
|
if (key === "__v_isReactive") {
|
||
|
return !isReadonly2;
|
||
|
} else if (key === "__v_isReadonly") {
|
||
|
return isReadonly2;
|
||
|
} else if (key === "__v_raw") {
|
||
|
return target;
|
||
|
}
|
||
|
return Reflect.get(hasOwn(instrumentations, key) && key in target ? instrumentations : target, key, receiver);
|
||
|
};
|
||
|
}
|
||
|
const mutableCollectionHandlers = {
|
||
|
get: /* @__PURE__ */ createInstrumentationGetter(false, false)
|
||
|
};
|
||
|
const shallowCollectionHandlers = {
|
||
|
get: /* @__PURE__ */ createInstrumentationGetter(false, true)
|
||
|
};
|
||
|
const readonlyCollectionHandlers = {
|
||
|
get: /* @__PURE__ */ createInstrumentationGetter(true, false)
|
||
|
};
|
||
|
const shallowReadonlyCollectionHandlers = {
|
||
|
get: /* @__PURE__ */ createInstrumentationGetter(true, true)
|
||
|
};
|
||
|
function checkIdentityKeys(target, has2, key) {
|
||
|
const rawKey = toRaw(key);
|
||
|
if (rawKey !== key && has2.call(target, rawKey)) {
|
||
|
const type = toRawType(target);
|
||
|
console.warn(`Reactive ${type} contains both the raw and reactive versions of the same object${type === `Map` ? ` as keys` : ``}, which can lead to inconsistencies. Avoid differentiating between the raw and reactive versions of an object and only use the reactive version if possible.`);
|
||
|
}
|
||
|
}
|
||
|
const reactiveMap = /* @__PURE__ */ new WeakMap();
|
||
|
const shallowReactiveMap = /* @__PURE__ */ new WeakMap();
|
||
|
const readonlyMap = /* @__PURE__ */ new WeakMap();
|
||
|
const shallowReadonlyMap = /* @__PURE__ */ new WeakMap();
|
||
|
function targetTypeMap(rawType) {
|
||
|
switch (rawType) {
|
||
|
case "Object":
|
||
|
case "Array":
|
||
|
return 1;
|
||
|
case "Map":
|
||
|
case "Set":
|
||
|
case "WeakMap":
|
||
|
case "WeakSet":
|
||
|
return 2;
|
||
|
default:
|
||
|
return 0;
|
||
|
}
|
||
|
}
|
||
|
function getTargetType(value) {
|
||
|
return value["__v_skip"] || !Object.isExtensible(value) ? 0 : targetTypeMap(toRawType(value));
|
||
|
}
|
||
|
function reactive(target) {
|
||
|
if (isReadonly(target)) {
|
||
|
return target;
|
||
|
}
|
||
|
return createReactiveObject(target, false, mutableHandlers, mutableCollectionHandlers, reactiveMap);
|
||
|
}
|
||
|
function shallowReactive(target) {
|
||
|
return createReactiveObject(target, false, shallowReactiveHandlers, shallowCollectionHandlers, shallowReactiveMap);
|
||
|
}
|
||
|
function readonly(target) {
|
||
|
return createReactiveObject(target, true, readonlyHandlers, readonlyCollectionHandlers, readonlyMap);
|
||
|
}
|
||
|
function shallowReadonly(target) {
|
||
|
return createReactiveObject(target, true, shallowReadonlyHandlers, shallowReadonlyCollectionHandlers, shallowReadonlyMap);
|
||
|
}
|
||
|
function createReactiveObject(target, isReadonly2, baseHandlers, collectionHandlers, proxyMap) {
|
||
|
if (!isObject$1(target)) {
|
||
|
{
|
||
|
console.warn(`value cannot be made reactive: ${String(target)}`);
|
||
|
}
|
||
|
return target;
|
||
|
}
|
||
|
if (target["__v_raw"] && !(isReadonly2 && target["__v_isReactive"])) {
|
||
|
return target;
|
||
|
}
|
||
|
const existingProxy = proxyMap.get(target);
|
||
|
if (existingProxy) {
|
||
|
return existingProxy;
|
||
|
}
|
||
|
const targetType = getTargetType(target);
|
||
|
if (targetType === 0) {
|
||
|
return target;
|
||
|
}
|
||
|
const proxy = new Proxy(target, targetType === 2 ? collectionHandlers : baseHandlers);
|
||
|
proxyMap.set(target, proxy);
|
||
|
return proxy;
|
||
|
}
|
||
|
function isReactive(value) {
|
||
|
if (isReadonly(value)) {
|
||
|
return isReactive(value["__v_raw"]);
|
||
|
}
|
||
|
return !!(value && value["__v_isReactive"]);
|
||
|
}
|
||
|
function isReadonly(value) {
|
||
|
return !!(value && value["__v_isReadonly"]);
|
||
|
}
|
||
|
function isShallow(value) {
|
||
|
return !!(value && value["__v_isShallow"]);
|
||
|
}
|
||
|
function isProxy(value) {
|
||
|
return isReactive(value) || isReadonly(value);
|
||
|
}
|
||
|
function toRaw(observed) {
|
||
|
const raw = observed && observed["__v_raw"];
|
||
|
return raw ? toRaw(raw) : observed;
|
||
|
}
|
||
|
function markRaw(value) {
|
||
|
def(value, "__v_skip", true);
|
||
|
return value;
|
||
|
}
|
||
|
const toReactive = (value) => isObject$1(value) ? reactive(value) : value;
|
||
|
const toReadonly = (value) => isObject$1(value) ? readonly(value) : value;
|
||
|
function trackRefValue(ref2) {
|
||
|
if (shouldTrack && activeEffect) {
|
||
|
ref2 = toRaw(ref2);
|
||
|
{
|
||
|
trackEffects(ref2.dep || (ref2.dep = createDep()), {
|
||
|
target: ref2,
|
||
|
type: "get",
|
||
|
key: "value"
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function triggerRefValue(ref2, newVal) {
|
||
|
ref2 = toRaw(ref2);
|
||
|
if (ref2.dep) {
|
||
|
{
|
||
|
triggerEffects(ref2.dep, {
|
||
|
target: ref2,
|
||
|
type: "set",
|
||
|
key: "value",
|
||
|
newValue: newVal
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function isRef(r) {
|
||
|
return !!(r && r.__v_isRef === true);
|
||
|
}
|
||
|
function ref(value) {
|
||
|
return createRef(value, false);
|
||
|
}
|
||
|
function createRef(rawValue, shallow) {
|
||
|
if (isRef(rawValue)) {
|
||
|
return rawValue;
|
||
|
}
|
||
|
return new RefImpl(rawValue, shallow);
|
||
|
}
|
||
|
class RefImpl {
|
||
|
constructor(value, __v_isShallow) {
|
||
|
this.__v_isShallow = __v_isShallow;
|
||
|
this.dep = void 0;
|
||
|
this.__v_isRef = true;
|
||
|
this._rawValue = __v_isShallow ? value : toRaw(value);
|
||
|
this._value = __v_isShallow ? value : toReactive(value);
|
||
|
}
|
||
|
get value() {
|
||
|
trackRefValue(this);
|
||
|
return this._value;
|
||
|
}
|
||
|
set value(newVal) {
|
||
|
newVal = this.__v_isShallow ? newVal : toRaw(newVal);
|
||
|
if (hasChanged(newVal, this._rawValue)) {
|
||
|
this._rawValue = newVal;
|
||
|
this._value = this.__v_isShallow ? newVal : toReactive(newVal);
|
||
|
triggerRefValue(this, newVal);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function unref(ref2) {
|
||
|
return isRef(ref2) ? ref2.value : ref2;
|
||
|
}
|
||
|
const shallowUnwrapHandlers = {
|
||
|
get: (target, key, receiver) => unref(Reflect.get(target, key, receiver)),
|
||
|
set: (target, key, value, receiver) => {
|
||
|
const oldValue = target[key];
|
||
|
if (isRef(oldValue) && !isRef(value)) {
|
||
|
oldValue.value = value;
|
||
|
return true;
|
||
|
} else {
|
||
|
return Reflect.set(target, key, value, receiver);
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
function proxyRefs(objectWithRefs) {
|
||
|
return isReactive(objectWithRefs) ? objectWithRefs : new Proxy(objectWithRefs, shallowUnwrapHandlers);
|
||
|
}
|
||
|
function toRefs(object) {
|
||
|
if (!isProxy(object)) {
|
||
|
console.warn(`toRefs() expects a reactive object but received a plain one.`);
|
||
|
}
|
||
|
const ret = isArray$1(object) ? new Array(object.length) : {};
|
||
|
for (const key in object) {
|
||
|
ret[key] = toRef(object, key);
|
||
|
}
|
||
|
return ret;
|
||
|
}
|
||
|
class ObjectRefImpl {
|
||
|
constructor(_object, _key, _defaultValue) {
|
||
|
this._object = _object;
|
||
|
this._key = _key;
|
||
|
this._defaultValue = _defaultValue;
|
||
|
this.__v_isRef = true;
|
||
|
}
|
||
|
get value() {
|
||
|
const val = this._object[this._key];
|
||
|
return val === void 0 ? this._defaultValue : val;
|
||
|
}
|
||
|
set value(newVal) {
|
||
|
this._object[this._key] = newVal;
|
||
|
}
|
||
|
}
|
||
|
function toRef(object, key, defaultValue) {
|
||
|
const val = object[key];
|
||
|
return isRef(val) ? val : new ObjectRefImpl(object, key, defaultValue);
|
||
|
}
|
||
|
class ComputedRefImpl {
|
||
|
constructor(getter, _setter, isReadonly2, isSSR) {
|
||
|
this._setter = _setter;
|
||
|
this.dep = void 0;
|
||
|
this.__v_isRef = true;
|
||
|
this._dirty = true;
|
||
|
this.effect = new ReactiveEffect(getter, () => {
|
||
|
if (!this._dirty) {
|
||
|
this._dirty = true;
|
||
|
triggerRefValue(this);
|
||
|
}
|
||
|
});
|
||
|
this.effect.computed = this;
|
||
|
this.effect.active = this._cacheable = !isSSR;
|
||
|
this["__v_isReadonly"] = isReadonly2;
|
||
|
}
|
||
|
get value() {
|
||
|
const self = toRaw(this);
|
||
|
trackRefValue(self);
|
||
|
if (self._dirty || !self._cacheable) {
|
||
|
self._dirty = false;
|
||
|
self._value = self.effect.run();
|
||
|
}
|
||
|
return self._value;
|
||
|
}
|
||
|
set value(newValue) {
|
||
|
this._setter(newValue);
|
||
|
}
|
||
|
}
|
||
|
function computed(getterOrOptions, debugOptions, isSSR = false) {
|
||
|
let getter;
|
||
|
let setter;
|
||
|
const onlyGetter = isFunction$1(getterOrOptions);
|
||
|
if (onlyGetter) {
|
||
|
getter = getterOrOptions;
|
||
|
setter = () => {
|
||
|
console.warn("Write operation failed: computed value is readonly");
|
||
|
};
|
||
|
} else {
|
||
|
getter = getterOrOptions.get;
|
||
|
setter = getterOrOptions.set;
|
||
|
}
|
||
|
const cRef = new ComputedRefImpl(getter, setter, onlyGetter || !setter, isSSR);
|
||
|
if (debugOptions && !isSSR) {
|
||
|
cRef.effect.onTrack = debugOptions.onTrack;
|
||
|
cRef.effect.onTrigger = debugOptions.onTrigger;
|
||
|
}
|
||
|
return cRef;
|
||
|
}
|
||
|
const stack = [];
|
||
|
function pushWarningContext(vnode) {
|
||
|
stack.push(vnode);
|
||
|
}
|
||
|
function popWarningContext() {
|
||
|
stack.pop();
|
||
|
}
|
||
|
function warn$1$1(msg, ...args) {
|
||
|
pauseTracking();
|
||
|
const instance = stack.length ? stack[stack.length - 1].component : null;
|
||
|
const appWarnHandler = instance && instance.appContext.config.warnHandler;
|
||
|
const trace = getComponentTrace();
|
||
|
if (appWarnHandler) {
|
||
|
callWithErrorHandling(appWarnHandler, instance, 11, [
|
||
|
msg + args.join(""),
|
||
|
instance && instance.proxy,
|
||
|
trace.map(({ vnode }) => `at <${formatComponentName(instance, vnode.type)}>`).join("\n"),
|
||
|
trace
|
||
|
]);
|
||
|
} else {
|
||
|
const warnArgs = [`[Vue warn]: ${msg}`, ...args];
|
||
|
if (trace.length && true) {
|
||
|
warnArgs.push(`
|
||
|
`, ...formatTrace(trace));
|
||
|
}
|
||
|
console.warn(...warnArgs);
|
||
|
}
|
||
|
resetTracking();
|
||
|
}
|
||
|
function getComponentTrace() {
|
||
|
let currentVNode = stack[stack.length - 1];
|
||
|
if (!currentVNode) {
|
||
|
return [];
|
||
|
}
|
||
|
const normalizedStack = [];
|
||
|
while (currentVNode) {
|
||
|
const last = normalizedStack[0];
|
||
|
if (last && last.vnode === currentVNode) {
|
||
|
last.recurseCount++;
|
||
|
} else {
|
||
|
normalizedStack.push({
|
||
|
vnode: currentVNode,
|
||
|
recurseCount: 0
|
||
|
});
|
||
|
}
|
||
|
const parentInstance = currentVNode.component && currentVNode.component.parent;
|
||
|
currentVNode = parentInstance && parentInstance.vnode;
|
||
|
}
|
||
|
return normalizedStack;
|
||
|
}
|
||
|
function formatTrace(trace) {
|
||
|
const logs = [];
|
||
|
trace.forEach((entry, i) => {
|
||
|
logs.push(...i === 0 ? [] : [`
|
||
|
`], ...formatTraceEntry(entry));
|
||
|
});
|
||
|
return logs;
|
||
|
}
|
||
|
function formatTraceEntry({ vnode, recurseCount }) {
|
||
|
const postfix = recurseCount > 0 ? `... (${recurseCount} recursive calls)` : ``;
|
||
|
const isRoot = vnode.component ? vnode.component.parent == null : false;
|
||
|
const open = ` at <${formatComponentName(vnode.component, vnode.type, isRoot)}`;
|
||
|
const close = `>` + postfix;
|
||
|
return vnode.props ? [open, ...formatProps(vnode.props), close] : [open + close];
|
||
|
}
|
||
|
function formatProps(props) {
|
||
|
const res = [];
|
||
|
const keys2 = Object.keys(props);
|
||
|
keys2.slice(0, 3).forEach((key) => {
|
||
|
res.push(...formatProp(key, props[key]));
|
||
|
});
|
||
|
if (keys2.length > 3) {
|
||
|
res.push(` ...`);
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function formatProp(key, value, raw) {
|
||
|
if (isString$1(value)) {
|
||
|
value = JSON.stringify(value);
|
||
|
return raw ? value : [`${key}=${value}`];
|
||
|
} else if (typeof value === "number" || typeof value === "boolean" || value == null) {
|
||
|
return raw ? value : [`${key}=${value}`];
|
||
|
} else if (isRef(value)) {
|
||
|
value = formatProp(key, toRaw(value.value), true);
|
||
|
return raw ? value : [`${key}=Ref<`, value, `>`];
|
||
|
} else if (isFunction$1(value)) {
|
||
|
return [`${key}=fn${value.name ? `<${value.name}>` : ``}`];
|
||
|
} else {
|
||
|
value = toRaw(value);
|
||
|
return raw ? value : [`${key}=`, value];
|
||
|
}
|
||
|
}
|
||
|
const ErrorTypeStrings = {
|
||
|
["sp"]: "serverPrefetch hook",
|
||
|
["bc"]: "beforeCreate hook",
|
||
|
["c"]: "created hook",
|
||
|
["bm"]: "beforeMount hook",
|
||
|
["m"]: "mounted hook",
|
||
|
["bu"]: "beforeUpdate hook",
|
||
|
["u"]: "updated",
|
||
|
["bum"]: "beforeUnmount hook",
|
||
|
["um"]: "unmounted hook",
|
||
|
["a"]: "activated hook",
|
||
|
["da"]: "deactivated hook",
|
||
|
["ec"]: "errorCaptured hook",
|
||
|
["rtc"]: "renderTracked hook",
|
||
|
["rtg"]: "renderTriggered hook",
|
||
|
[0]: "setup function",
|
||
|
[1]: "render function",
|
||
|
[2]: "watcher getter",
|
||
|
[3]: "watcher callback",
|
||
|
[4]: "watcher cleanup function",
|
||
|
[5]: "native event handler",
|
||
|
[6]: "component event handler",
|
||
|
[7]: "vnode hook",
|
||
|
[8]: "directive hook",
|
||
|
[9]: "transition hook",
|
||
|
[10]: "app errorHandler",
|
||
|
[11]: "app warnHandler",
|
||
|
[12]: "ref function",
|
||
|
[13]: "async component loader",
|
||
|
[14]: "scheduler flush. This is likely a Vue internals bug. Please open an issue at https://new-issue.vuejs.org/?repo=vuejs/core"
|
||
|
};
|
||
|
function callWithErrorHandling(fn, instance, type, args) {
|
||
|
let res;
|
||
|
try {
|
||
|
res = args ? fn(...args) : fn();
|
||
|
} catch (err) {
|
||
|
handleError(err, instance, type);
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function callWithAsyncErrorHandling(fn, instance, type, args) {
|
||
|
if (isFunction$1(fn)) {
|
||
|
const res = callWithErrorHandling(fn, instance, type, args);
|
||
|
if (res && isPromise(res)) {
|
||
|
res.catch((err) => {
|
||
|
handleError(err, instance, type);
|
||
|
});
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
const values = [];
|
||
|
for (let i = 0; i < fn.length; i++) {
|
||
|
values.push(callWithAsyncErrorHandling(fn[i], instance, type, args));
|
||
|
}
|
||
|
return values;
|
||
|
}
|
||
|
function handleError(err, instance, type, throwInDev = true) {
|
||
|
const contextVNode = instance ? instance.vnode : null;
|
||
|
if (instance) {
|
||
|
let cur = instance.parent;
|
||
|
const exposedInstance = instance.proxy;
|
||
|
const errorInfo = ErrorTypeStrings[type] || type;
|
||
|
while (cur) {
|
||
|
const errorCapturedHooks = cur.ec;
|
||
|
if (errorCapturedHooks) {
|
||
|
for (let i = 0; i < errorCapturedHooks.length; i++) {
|
||
|
if (errorCapturedHooks[i](err, exposedInstance, errorInfo) === false) {
|
||
|
return;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
cur = cur.parent;
|
||
|
}
|
||
|
const appErrorHandler = instance.appContext.config.errorHandler;
|
||
|
if (appErrorHandler) {
|
||
|
callWithErrorHandling(appErrorHandler, null, 10, [err, exposedInstance, errorInfo]);
|
||
|
return;
|
||
|
}
|
||
|
}
|
||
|
logError(err, type, contextVNode, throwInDev);
|
||
|
}
|
||
|
function logError(err, type, contextVNode, throwInDev = true) {
|
||
|
{
|
||
|
const info = ErrorTypeStrings[type] || type;
|
||
|
if (contextVNode) {
|
||
|
pushWarningContext(contextVNode);
|
||
|
}
|
||
|
warn$1$1(`Unhandled error${info ? ` during execution of ${info}` : ``}`);
|
||
|
if (contextVNode) {
|
||
|
popWarningContext();
|
||
|
}
|
||
|
if (throwInDev) {
|
||
|
console.error(err);
|
||
|
} else {
|
||
|
console.error(err);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
let isFlushing = false;
|
||
|
let isFlushPending = false;
|
||
|
const queue = [];
|
||
|
let flushIndex = 0;
|
||
|
const pendingPreFlushCbs = [];
|
||
|
let activePreFlushCbs = null;
|
||
|
let preFlushIndex = 0;
|
||
|
const pendingPostFlushCbs = [];
|
||
|
let activePostFlushCbs = null;
|
||
|
let postFlushIndex = 0;
|
||
|
const resolvedPromise = /* @__PURE__ */ Promise.resolve();
|
||
|
let currentFlushPromise = null;
|
||
|
let currentPreFlushParentJob = null;
|
||
|
const RECURSION_LIMIT = 100;
|
||
|
function nextTick(fn) {
|
||
|
const p = currentFlushPromise || resolvedPromise;
|
||
|
return fn ? p.then(this ? fn.bind(this) : fn) : p;
|
||
|
}
|
||
|
function findInsertionIndex(id) {
|
||
|
let start = flushIndex + 1;
|
||
|
let end = queue.length;
|
||
|
while (start < end) {
|
||
|
const middle = start + end >>> 1;
|
||
|
const middleJobId = getId(queue[middle]);
|
||
|
middleJobId < id ? start = middle + 1 : end = middle;
|
||
|
}
|
||
|
return start;
|
||
|
}
|
||
|
function queueJob(job) {
|
||
|
if ((!queue.length || !queue.includes(job, isFlushing && job.allowRecurse ? flushIndex + 1 : flushIndex)) && job !== currentPreFlushParentJob) {
|
||
|
if (job.id == null) {
|
||
|
queue.push(job);
|
||
|
} else {
|
||
|
queue.splice(findInsertionIndex(job.id), 0, job);
|
||
|
}
|
||
|
queueFlush();
|
||
|
}
|
||
|
}
|
||
|
function queueFlush() {
|
||
|
if (!isFlushing && !isFlushPending) {
|
||
|
isFlushPending = true;
|
||
|
currentFlushPromise = resolvedPromise.then(flushJobs);
|
||
|
}
|
||
|
}
|
||
|
function invalidateJob(job) {
|
||
|
const i = queue.indexOf(job);
|
||
|
if (i > flushIndex) {
|
||
|
queue.splice(i, 1);
|
||
|
}
|
||
|
return i;
|
||
|
}
|
||
|
function queueCb(cb, activeQueue, pendingQueue, index2) {
|
||
|
if (!isArray$1(cb)) {
|
||
|
if (!activeQueue || !activeQueue.includes(cb, cb.allowRecurse ? index2 + 1 : index2)) {
|
||
|
pendingQueue.push(cb);
|
||
|
}
|
||
|
} else {
|
||
|
pendingQueue.push(...cb);
|
||
|
}
|
||
|
queueFlush();
|
||
|
}
|
||
|
function queuePreFlushCb(cb) {
|
||
|
queueCb(cb, activePreFlushCbs, pendingPreFlushCbs, preFlushIndex);
|
||
|
}
|
||
|
function queuePostFlushCb(cb) {
|
||
|
queueCb(cb, activePostFlushCbs, pendingPostFlushCbs, postFlushIndex);
|
||
|
}
|
||
|
function flushPreFlushCbs(seen, parentJob = null) {
|
||
|
if (pendingPreFlushCbs.length) {
|
||
|
currentPreFlushParentJob = parentJob;
|
||
|
activePreFlushCbs = [...new Set(pendingPreFlushCbs)];
|
||
|
pendingPreFlushCbs.length = 0;
|
||
|
{
|
||
|
seen = seen || /* @__PURE__ */ new Map();
|
||
|
}
|
||
|
for (preFlushIndex = 0; preFlushIndex < activePreFlushCbs.length; preFlushIndex++) {
|
||
|
if (checkRecursiveUpdates(seen, activePreFlushCbs[preFlushIndex])) {
|
||
|
continue;
|
||
|
}
|
||
|
activePreFlushCbs[preFlushIndex]();
|
||
|
}
|
||
|
activePreFlushCbs = null;
|
||
|
preFlushIndex = 0;
|
||
|
currentPreFlushParentJob = null;
|
||
|
flushPreFlushCbs(seen, parentJob);
|
||
|
}
|
||
|
}
|
||
|
function flushPostFlushCbs(seen) {
|
||
|
if (pendingPostFlushCbs.length) {
|
||
|
const deduped = [...new Set(pendingPostFlushCbs)];
|
||
|
pendingPostFlushCbs.length = 0;
|
||
|
if (activePostFlushCbs) {
|
||
|
activePostFlushCbs.push(...deduped);
|
||
|
return;
|
||
|
}
|
||
|
activePostFlushCbs = deduped;
|
||
|
{
|
||
|
seen = seen || /* @__PURE__ */ new Map();
|
||
|
}
|
||
|
activePostFlushCbs.sort((a, b) => getId(a) - getId(b));
|
||
|
for (postFlushIndex = 0; postFlushIndex < activePostFlushCbs.length; postFlushIndex++) {
|
||
|
if (checkRecursiveUpdates(seen, activePostFlushCbs[postFlushIndex])) {
|
||
|
continue;
|
||
|
}
|
||
|
activePostFlushCbs[postFlushIndex]();
|
||
|
}
|
||
|
activePostFlushCbs = null;
|
||
|
postFlushIndex = 0;
|
||
|
}
|
||
|
}
|
||
|
const getId = (job) => job.id == null ? Infinity : job.id;
|
||
|
function flushJobs(seen) {
|
||
|
isFlushPending = false;
|
||
|
isFlushing = true;
|
||
|
{
|
||
|
seen = seen || /* @__PURE__ */ new Map();
|
||
|
}
|
||
|
flushPreFlushCbs(seen);
|
||
|
queue.sort((a, b) => getId(a) - getId(b));
|
||
|
const check = (job) => checkRecursiveUpdates(seen, job);
|
||
|
try {
|
||
|
for (flushIndex = 0; flushIndex < queue.length; flushIndex++) {
|
||
|
const job = queue[flushIndex];
|
||
|
if (job && job.active !== false) {
|
||
|
if (check(job)) {
|
||
|
continue;
|
||
|
}
|
||
|
callWithErrorHandling(job, null, 14);
|
||
|
}
|
||
|
}
|
||
|
} finally {
|
||
|
flushIndex = 0;
|
||
|
queue.length = 0;
|
||
|
flushPostFlushCbs(seen);
|
||
|
isFlushing = false;
|
||
|
currentFlushPromise = null;
|
||
|
if (queue.length || pendingPreFlushCbs.length || pendingPostFlushCbs.length) {
|
||
|
flushJobs(seen);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function checkRecursiveUpdates(seen, fn) {
|
||
|
if (!seen.has(fn)) {
|
||
|
seen.set(fn, 1);
|
||
|
} else {
|
||
|
const count = seen.get(fn);
|
||
|
if (count > RECURSION_LIMIT) {
|
||
|
const instance = fn.ownerInstance;
|
||
|
const componentName = instance && getComponentName(instance.type);
|
||
|
warn$1$1(`Maximum recursive updates exceeded${componentName ? ` in component <${componentName}>` : ``}. This means you have a reactive effect that is mutating its own dependencies and thus recursively triggering itself. Possible sources include component template, render function, updated hook or watcher source function.`);
|
||
|
return true;
|
||
|
} else {
|
||
|
seen.set(fn, count + 1);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function emit(event, ...args) {
|
||
|
}
|
||
|
function devtoolsComponentEmit(component, event, params) {
|
||
|
emit("component:emit", component.appContext.app, component, event, params);
|
||
|
}
|
||
|
function emit$1(instance, event, ...rawArgs) {
|
||
|
if (instance.isUnmounted)
|
||
|
return;
|
||
|
const props = instance.vnode.props || EMPTY_OBJ;
|
||
|
{
|
||
|
const { emitsOptions, propsOptions: [propsOptions] } = instance;
|
||
|
if (emitsOptions) {
|
||
|
if (!(event in emitsOptions) && true) {
|
||
|
if (!propsOptions || !(toHandlerKey(event) in propsOptions)) {
|
||
|
warn$1$1(`Component emitted event "${event}" but it is neither declared in the emits option nor as an "${toHandlerKey(event)}" prop.`);
|
||
|
}
|
||
|
} else {
|
||
|
const validator = emitsOptions[event];
|
||
|
if (isFunction$1(validator)) {
|
||
|
const isValid2 = validator(...rawArgs);
|
||
|
if (!isValid2) {
|
||
|
warn$1$1(`Invalid event arguments: event validation failed for event "${event}".`);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
let args = rawArgs;
|
||
|
const isModelListener2 = event.startsWith("update:");
|
||
|
const modelArg = isModelListener2 && event.slice(7);
|
||
|
if (modelArg && modelArg in props) {
|
||
|
const modifiersKey = `${modelArg === "modelValue" ? "model" : modelArg}Modifiers`;
|
||
|
const { number, trim } = props[modifiersKey] || EMPTY_OBJ;
|
||
|
if (trim) {
|
||
|
args = rawArgs.map((a) => a.trim());
|
||
|
} else if (number) {
|
||
|
args = rawArgs.map(toNumber);
|
||
|
}
|
||
|
}
|
||
|
{
|
||
|
devtoolsComponentEmit(instance, event, args);
|
||
|
}
|
||
|
{
|
||
|
const lowerCaseEvent = event.toLowerCase();
|
||
|
if (lowerCaseEvent !== event && props[toHandlerKey(lowerCaseEvent)]) {
|
||
|
warn$1$1(`Event "${lowerCaseEvent}" is emitted in component ${formatComponentName(instance, instance.type)} but the handler is registered for "${event}". Note that HTML attributes are case-insensitive and you cannot use v-on to listen to camelCase events when using in-DOM templates. You should probably use "${hyphenate(event)}" instead of "${event}".`);
|
||
|
}
|
||
|
}
|
||
|
let handlerName;
|
||
|
let handler = props[handlerName = toHandlerKey(event)] || props[handlerName = toHandlerKey(camelize(event))];
|
||
|
if (!handler && isModelListener2) {
|
||
|
handler = props[handlerName = toHandlerKey(hyphenate(event))];
|
||
|
}
|
||
|
if (handler) {
|
||
|
callWithAsyncErrorHandling(handler, instance, 6, args);
|
||
|
}
|
||
|
const onceHandler = props[handlerName + `Once`];
|
||
|
if (onceHandler) {
|
||
|
if (!instance.emitted) {
|
||
|
instance.emitted = {};
|
||
|
} else if (instance.emitted[handlerName]) {
|
||
|
return;
|
||
|
}
|
||
|
instance.emitted[handlerName] = true;
|
||
|
callWithAsyncErrorHandling(onceHandler, instance, 6, args);
|
||
|
}
|
||
|
}
|
||
|
function normalizeEmitsOptions(comp, appContext, asMixin = false) {
|
||
|
const cache = appContext.emitsCache;
|
||
|
const cached = cache.get(comp);
|
||
|
if (cached !== void 0) {
|
||
|
return cached;
|
||
|
}
|
||
|
const raw = comp.emits;
|
||
|
let normalized = {};
|
||
|
let hasExtends = false;
|
||
|
if (!isFunction$1(comp)) {
|
||
|
const extendEmits = (raw2) => {
|
||
|
const normalizedFromExtend = normalizeEmitsOptions(raw2, appContext, true);
|
||
|
if (normalizedFromExtend) {
|
||
|
hasExtends = true;
|
||
|
extend$1(normalized, normalizedFromExtend);
|
||
|
}
|
||
|
};
|
||
|
if (!asMixin && appContext.mixins.length) {
|
||
|
appContext.mixins.forEach(extendEmits);
|
||
|
}
|
||
|
if (comp.extends) {
|
||
|
extendEmits(comp.extends);
|
||
|
}
|
||
|
if (comp.mixins) {
|
||
|
comp.mixins.forEach(extendEmits);
|
||
|
}
|
||
|
}
|
||
|
if (!raw && !hasExtends) {
|
||
|
cache.set(comp, null);
|
||
|
return null;
|
||
|
}
|
||
|
if (isArray$1(raw)) {
|
||
|
raw.forEach((key) => normalized[key] = null);
|
||
|
} else {
|
||
|
extend$1(normalized, raw);
|
||
|
}
|
||
|
cache.set(comp, normalized);
|
||
|
return normalized;
|
||
|
}
|
||
|
function isEmitListener(options, key) {
|
||
|
if (!options || !isOn(key)) {
|
||
|
return false;
|
||
|
}
|
||
|
key = key.slice(2).replace(/Once$/, "");
|
||
|
return hasOwn(options, key[0].toLowerCase() + key.slice(1)) || hasOwn(options, hyphenate(key)) || hasOwn(options, key);
|
||
|
}
|
||
|
let currentRenderingInstance = null;
|
||
|
function setCurrentRenderingInstance(instance) {
|
||
|
const prev = currentRenderingInstance;
|
||
|
currentRenderingInstance = instance;
|
||
|
instance && instance.type.__scopeId || null;
|
||
|
return prev;
|
||
|
}
|
||
|
function provide(key, value) {
|
||
|
if (!currentInstance) {
|
||
|
{
|
||
|
warn$1$1(`provide() can only be used inside setup().`);
|
||
|
}
|
||
|
} else {
|
||
|
let provides = currentInstance.provides;
|
||
|
const parentProvides = currentInstance.parent && currentInstance.parent.provides;
|
||
|
if (parentProvides === provides) {
|
||
|
provides = currentInstance.provides = Object.create(parentProvides);
|
||
|
}
|
||
|
provides[key] = value;
|
||
|
if (currentInstance.type.mpType === "app") {
|
||
|
currentInstance.appContext.app.provide(key, value);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function inject(key, defaultValue, treatDefaultAsFactory = false) {
|
||
|
const instance = currentInstance || currentRenderingInstance;
|
||
|
if (instance) {
|
||
|
const provides = instance.parent == null ? instance.vnode.appContext && instance.vnode.appContext.provides : instance.parent.provides;
|
||
|
if (provides && key in provides) {
|
||
|
return provides[key];
|
||
|
} else if (arguments.length > 1) {
|
||
|
return treatDefaultAsFactory && isFunction$1(defaultValue) ? defaultValue.call(instance.proxy) : defaultValue;
|
||
|
} else {
|
||
|
warn$1$1(`injection "${String(key)}" not found.`);
|
||
|
}
|
||
|
} else {
|
||
|
warn$1$1(`inject() can only be used inside setup() or functional components.`);
|
||
|
}
|
||
|
}
|
||
|
const INITIAL_WATCHER_VALUE = {};
|
||
|
function watch(source, cb, options) {
|
||
|
if (!isFunction$1(cb)) {
|
||
|
warn$1$1(`\`watch(fn, options?)\` signature has been moved to a separate API. Use \`watchEffect(fn, options?)\` instead. \`watch\` now only supports \`watch(source, cb, options?) signature.`);
|
||
|
}
|
||
|
return doWatch(source, cb, options);
|
||
|
}
|
||
|
function doWatch(source, cb, { immediate, deep, flush, onTrack, onTrigger } = EMPTY_OBJ) {
|
||
|
if (!cb) {
|
||
|
if (immediate !== void 0) {
|
||
|
warn$1$1(`watch() "immediate" option is only respected when using the watch(source, callback, options?) signature.`);
|
||
|
}
|
||
|
if (deep !== void 0) {
|
||
|
warn$1$1(`watch() "deep" option is only respected when using the watch(source, callback, options?) signature.`);
|
||
|
}
|
||
|
}
|
||
|
const warnInvalidSource = (s) => {
|
||
|
warn$1$1(`Invalid watch source: `, s, `A watch source can only be a getter/effect function, a ref, a reactive object, or an array of these types.`);
|
||
|
};
|
||
|
const instance = currentInstance;
|
||
|
let getter;
|
||
|
let forceTrigger = false;
|
||
|
let isMultiSource = false;
|
||
|
if (isRef(source)) {
|
||
|
getter = () => source.value;
|
||
|
forceTrigger = isShallow(source);
|
||
|
} else if (isReactive(source)) {
|
||
|
getter = () => source;
|
||
|
deep = true;
|
||
|
} else if (isArray$1(source)) {
|
||
|
isMultiSource = true;
|
||
|
forceTrigger = source.some(isReactive);
|
||
|
getter = () => source.map((s) => {
|
||
|
if (isRef(s)) {
|
||
|
return s.value;
|
||
|
} else if (isReactive(s)) {
|
||
|
return traverse(s);
|
||
|
} else if (isFunction$1(s)) {
|
||
|
return callWithErrorHandling(s, instance, 2);
|
||
|
} else {
|
||
|
warnInvalidSource(s);
|
||
|
}
|
||
|
});
|
||
|
} else if (isFunction$1(source)) {
|
||
|
if (cb) {
|
||
|
getter = () => callWithErrorHandling(source, instance, 2);
|
||
|
} else {
|
||
|
getter = () => {
|
||
|
if (instance && instance.isUnmounted) {
|
||
|
return;
|
||
|
}
|
||
|
if (cleanup) {
|
||
|
cleanup();
|
||
|
}
|
||
|
return callWithAsyncErrorHandling(source, instance, 3, [onCleanup]);
|
||
|
};
|
||
|
}
|
||
|
} else {
|
||
|
getter = NOOP;
|
||
|
warnInvalidSource(source);
|
||
|
}
|
||
|
if (cb && deep) {
|
||
|
const baseGetter = getter;
|
||
|
getter = () => traverse(baseGetter());
|
||
|
}
|
||
|
let cleanup;
|
||
|
let onCleanup = (fn) => {
|
||
|
cleanup = effect.onStop = () => {
|
||
|
callWithErrorHandling(fn, instance, 4);
|
||
|
};
|
||
|
};
|
||
|
let oldValue = isMultiSource ? [] : INITIAL_WATCHER_VALUE;
|
||
|
const job = () => {
|
||
|
if (!effect.active) {
|
||
|
return;
|
||
|
}
|
||
|
if (cb) {
|
||
|
const newValue = effect.run();
|
||
|
if (deep || forceTrigger || (isMultiSource ? newValue.some((v, i) => hasChanged(v, oldValue[i])) : hasChanged(newValue, oldValue)) || false) {
|
||
|
if (cleanup) {
|
||
|
cleanup();
|
||
|
}
|
||
|
callWithAsyncErrorHandling(cb, instance, 3, [
|
||
|
newValue,
|
||
|
oldValue === INITIAL_WATCHER_VALUE ? void 0 : oldValue,
|
||
|
onCleanup
|
||
|
]);
|
||
|
oldValue = newValue;
|
||
|
}
|
||
|
} else {
|
||
|
effect.run();
|
||
|
}
|
||
|
};
|
||
|
job.allowRecurse = !!cb;
|
||
|
let scheduler;
|
||
|
if (flush === "sync") {
|
||
|
scheduler = job;
|
||
|
} else if (flush === "post") {
|
||
|
scheduler = () => queuePostRenderEffect(job, instance && instance.suspense);
|
||
|
} else {
|
||
|
scheduler = () => {
|
||
|
if (!instance || instance.isMounted) {
|
||
|
queuePreFlushCb(job);
|
||
|
} else {
|
||
|
job();
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
const effect = new ReactiveEffect(getter, scheduler);
|
||
|
{
|
||
|
effect.onTrack = onTrack;
|
||
|
effect.onTrigger = onTrigger;
|
||
|
}
|
||
|
if (cb) {
|
||
|
if (immediate) {
|
||
|
job();
|
||
|
} else {
|
||
|
oldValue = effect.run();
|
||
|
}
|
||
|
} else if (flush === "post") {
|
||
|
queuePostRenderEffect(effect.run.bind(effect), instance && instance.suspense);
|
||
|
} else {
|
||
|
effect.run();
|
||
|
}
|
||
|
return () => {
|
||
|
effect.stop();
|
||
|
if (instance && instance.scope) {
|
||
|
remove(instance.scope.effects, effect);
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
function instanceWatch(source, value, options) {
|
||
|
const publicThis = this.proxy;
|
||
|
const getter = isString$1(source) ? source.includes(".") ? createPathGetter(publicThis, source) : () => publicThis[source] : source.bind(publicThis, publicThis);
|
||
|
let cb;
|
||
|
if (isFunction$1(value)) {
|
||
|
cb = value;
|
||
|
} else {
|
||
|
cb = value.handler;
|
||
|
options = value;
|
||
|
}
|
||
|
const cur = currentInstance;
|
||
|
setCurrentInstance(this);
|
||
|
const res = doWatch(getter, cb.bind(publicThis), options);
|
||
|
if (cur) {
|
||
|
setCurrentInstance(cur);
|
||
|
} else {
|
||
|
unsetCurrentInstance();
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function createPathGetter(ctx, path) {
|
||
|
const segments = path.split(".");
|
||
|
return () => {
|
||
|
let cur = ctx;
|
||
|
for (let i = 0; i < segments.length && cur; i++) {
|
||
|
cur = cur[segments[i]];
|
||
|
}
|
||
|
return cur;
|
||
|
};
|
||
|
}
|
||
|
function traverse(value, seen) {
|
||
|
if (!isObject$1(value) || value["__v_skip"]) {
|
||
|
return value;
|
||
|
}
|
||
|
seen = seen || /* @__PURE__ */ new Set();
|
||
|
if (seen.has(value)) {
|
||
|
return value;
|
||
|
}
|
||
|
seen.add(value);
|
||
|
if (isRef(value)) {
|
||
|
traverse(value.value, seen);
|
||
|
} else if (isArray$1(value)) {
|
||
|
for (let i = 0; i < value.length; i++) {
|
||
|
traverse(value[i], seen);
|
||
|
}
|
||
|
} else if (isSet(value) || isMap(value)) {
|
||
|
value.forEach((v) => {
|
||
|
traverse(v, seen);
|
||
|
});
|
||
|
} else if (isPlainObject(value)) {
|
||
|
for (const key in value) {
|
||
|
traverse(value[key], seen);
|
||
|
}
|
||
|
}
|
||
|
return value;
|
||
|
}
|
||
|
const isKeepAlive = (vnode) => vnode.type.__isKeepAlive;
|
||
|
function onActivated(hook, target) {
|
||
|
registerKeepAliveHook(hook, "a", target);
|
||
|
}
|
||
|
function onDeactivated(hook, target) {
|
||
|
registerKeepAliveHook(hook, "da", target);
|
||
|
}
|
||
|
function registerKeepAliveHook(hook, type, target = currentInstance) {
|
||
|
const wrappedHook = hook.__wdc || (hook.__wdc = () => {
|
||
|
let current = target;
|
||
|
while (current) {
|
||
|
if (current.isDeactivated) {
|
||
|
return;
|
||
|
}
|
||
|
current = current.parent;
|
||
|
}
|
||
|
return hook();
|
||
|
});
|
||
|
injectHook(type, wrappedHook, target);
|
||
|
if (target) {
|
||
|
let current = target.parent;
|
||
|
while (current && current.parent) {
|
||
|
if (isKeepAlive(current.parent.vnode)) {
|
||
|
injectToKeepAliveRoot(wrappedHook, type, target, current);
|
||
|
}
|
||
|
current = current.parent;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function injectToKeepAliveRoot(hook, type, target, keepAliveRoot) {
|
||
|
const injected = injectHook(type, hook, keepAliveRoot, true);
|
||
|
onUnmounted(() => {
|
||
|
remove(keepAliveRoot[type], injected);
|
||
|
}, target);
|
||
|
}
|
||
|
function injectHook(type, hook, target = currentInstance, prepend = false) {
|
||
|
if (target) {
|
||
|
if (isRootHook(type)) {
|
||
|
target = target.root;
|
||
|
}
|
||
|
const hooks2 = target[type] || (target[type] = []);
|
||
|
const wrappedHook = hook.__weh || (hook.__weh = (...args) => {
|
||
|
if (target.isUnmounted) {
|
||
|
return;
|
||
|
}
|
||
|
pauseTracking();
|
||
|
setCurrentInstance(target);
|
||
|
const res = callWithAsyncErrorHandling(hook, target, type, args);
|
||
|
unsetCurrentInstance();
|
||
|
resetTracking();
|
||
|
return res;
|
||
|
});
|
||
|
if (prepend) {
|
||
|
hooks2.unshift(wrappedHook);
|
||
|
} else {
|
||
|
hooks2.push(wrappedHook);
|
||
|
}
|
||
|
return wrappedHook;
|
||
|
} else {
|
||
|
const apiName = toHandlerKey((ErrorTypeStrings[type] || type.replace(/^on/, "")).replace(/ hook$/, ""));
|
||
|
warn$1$1(`${apiName} is called when there is no active component instance to be associated with. Lifecycle injection APIs can only be used during execution of setup().`);
|
||
|
}
|
||
|
}
|
||
|
const createHook$1 = (lifecycle) => (hook, target = currentInstance) => (!isInSSRComponentSetup || lifecycle === "sp") && injectHook(lifecycle, hook, target);
|
||
|
const onBeforeMount = createHook$1("bm");
|
||
|
const onMounted = createHook$1("m");
|
||
|
const onBeforeUpdate = createHook$1("bu");
|
||
|
const onUpdated = createHook$1("u");
|
||
|
const onBeforeUnmount = createHook$1("bum");
|
||
|
const onUnmounted = createHook$1("um");
|
||
|
const onServerPrefetch = createHook$1("sp");
|
||
|
const onRenderTriggered = createHook$1("rtg");
|
||
|
const onRenderTracked = createHook$1("rtc");
|
||
|
function onErrorCaptured(hook, target = currentInstance) {
|
||
|
injectHook("ec", hook, target);
|
||
|
}
|
||
|
function createDuplicateChecker() {
|
||
|
const cache = /* @__PURE__ */ Object.create(null);
|
||
|
return (type, key) => {
|
||
|
if (cache[key]) {
|
||
|
warn$1$1(`${type} property "${key}" is already defined in ${cache[key]}.`);
|
||
|
} else {
|
||
|
cache[key] = type;
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
let shouldCacheAccess = true;
|
||
|
function applyOptions$1(instance) {
|
||
|
const options = resolveMergedOptions(instance);
|
||
|
const publicThis = instance.proxy;
|
||
|
const ctx = instance.ctx;
|
||
|
shouldCacheAccess = false;
|
||
|
if (options.beforeCreate) {
|
||
|
callHook$1(options.beforeCreate, instance, "bc");
|
||
|
}
|
||
|
const {
|
||
|
data: dataOptions,
|
||
|
computed: computedOptions,
|
||
|
methods,
|
||
|
watch: watchOptions,
|
||
|
provide: provideOptions,
|
||
|
inject: injectOptions,
|
||
|
created,
|
||
|
beforeMount,
|
||
|
mounted,
|
||
|
beforeUpdate,
|
||
|
updated,
|
||
|
activated,
|
||
|
deactivated,
|
||
|
beforeDestroy,
|
||
|
beforeUnmount,
|
||
|
destroyed,
|
||
|
unmounted,
|
||
|
render,
|
||
|
renderTracked,
|
||
|
renderTriggered,
|
||
|
errorCaptured,
|
||
|
serverPrefetch,
|
||
|
expose,
|
||
|
inheritAttrs,
|
||
|
components,
|
||
|
directives,
|
||
|
filters
|
||
|
} = options;
|
||
|
const checkDuplicateProperties = createDuplicateChecker();
|
||
|
{
|
||
|
const [propsOptions] = instance.propsOptions;
|
||
|
if (propsOptions) {
|
||
|
for (const key in propsOptions) {
|
||
|
checkDuplicateProperties("Props", key);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (injectOptions) {
|
||
|
resolveInjections(injectOptions, ctx, checkDuplicateProperties, instance.appContext.config.unwrapInjectedRef);
|
||
|
}
|
||
|
if (methods) {
|
||
|
for (const key in methods) {
|
||
|
const methodHandler = methods[key];
|
||
|
if (isFunction$1(methodHandler)) {
|
||
|
{
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
value: methodHandler.bind(publicThis),
|
||
|
configurable: true,
|
||
|
enumerable: true,
|
||
|
writable: true
|
||
|
});
|
||
|
}
|
||
|
{
|
||
|
checkDuplicateProperties("Methods", key);
|
||
|
}
|
||
|
} else {
|
||
|
warn$1$1(`Method "${key}" has type "${typeof methodHandler}" in the component definition. Did you reference the function correctly?`);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (dataOptions) {
|
||
|
if (!isFunction$1(dataOptions)) {
|
||
|
warn$1$1(`The data option must be a function. Plain object usage is no longer supported.`);
|
||
|
}
|
||
|
const data = dataOptions.call(publicThis, publicThis);
|
||
|
if (isPromise(data)) {
|
||
|
warn$1$1(`data() returned a Promise - note data() cannot be async; If you intend to perform data fetching before component renders, use async setup() + <Suspense>.`);
|
||
|
}
|
||
|
if (!isObject$1(data)) {
|
||
|
warn$1$1(`data() should return an object.`);
|
||
|
} else {
|
||
|
instance.data = reactive(data);
|
||
|
{
|
||
|
for (const key in data) {
|
||
|
checkDuplicateProperties("Data", key);
|
||
|
if (key[0] !== "$" && key[0] !== "_") {
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
configurable: true,
|
||
|
enumerable: true,
|
||
|
get: () => data[key],
|
||
|
set: NOOP
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
shouldCacheAccess = true;
|
||
|
if (computedOptions) {
|
||
|
for (const key in computedOptions) {
|
||
|
const opt = computedOptions[key];
|
||
|
const get2 = isFunction$1(opt) ? opt.bind(publicThis, publicThis) : isFunction$1(opt.get) ? opt.get.bind(publicThis, publicThis) : NOOP;
|
||
|
if (get2 === NOOP) {
|
||
|
warn$1$1(`Computed property "${key}" has no getter.`);
|
||
|
}
|
||
|
const set2 = !isFunction$1(opt) && isFunction$1(opt.set) ? opt.set.bind(publicThis) : () => {
|
||
|
warn$1$1(`Write operation failed: computed property "${key}" is readonly.`);
|
||
|
};
|
||
|
const c = computed$1({
|
||
|
get: get2,
|
||
|
set: set2
|
||
|
});
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
enumerable: true,
|
||
|
configurable: true,
|
||
|
get: () => c.value,
|
||
|
set: (v) => c.value = v
|
||
|
});
|
||
|
{
|
||
|
checkDuplicateProperties("Computed", key);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (watchOptions) {
|
||
|
for (const key in watchOptions) {
|
||
|
createWatcher(watchOptions[key], ctx, publicThis, key);
|
||
|
}
|
||
|
}
|
||
|
{
|
||
|
if (provideOptions) {
|
||
|
const provides = isFunction$1(provideOptions) ? provideOptions.call(publicThis) : provideOptions;
|
||
|
Reflect.ownKeys(provides).forEach((key) => {
|
||
|
provide(key, provides[key]);
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
{
|
||
|
if (created) {
|
||
|
callHook$1(created, instance, "c");
|
||
|
}
|
||
|
}
|
||
|
function registerLifecycleHook(register, hook) {
|
||
|
if (isArray$1(hook)) {
|
||
|
hook.forEach((_hook) => register(_hook.bind(publicThis)));
|
||
|
} else if (hook) {
|
||
|
register(hook.bind(publicThis));
|
||
|
}
|
||
|
}
|
||
|
registerLifecycleHook(onBeforeMount, beforeMount);
|
||
|
registerLifecycleHook(onMounted, mounted);
|
||
|
registerLifecycleHook(onBeforeUpdate, beforeUpdate);
|
||
|
registerLifecycleHook(onUpdated, updated);
|
||
|
registerLifecycleHook(onActivated, activated);
|
||
|
registerLifecycleHook(onDeactivated, deactivated);
|
||
|
registerLifecycleHook(onErrorCaptured, errorCaptured);
|
||
|
registerLifecycleHook(onRenderTracked, renderTracked);
|
||
|
registerLifecycleHook(onRenderTriggered, renderTriggered);
|
||
|
registerLifecycleHook(onBeforeUnmount, beforeUnmount);
|
||
|
registerLifecycleHook(onUnmounted, unmounted);
|
||
|
registerLifecycleHook(onServerPrefetch, serverPrefetch);
|
||
|
if (isArray$1(expose)) {
|
||
|
if (expose.length) {
|
||
|
const exposed = instance.exposed || (instance.exposed = {});
|
||
|
expose.forEach((key) => {
|
||
|
Object.defineProperty(exposed, key, {
|
||
|
get: () => publicThis[key],
|
||
|
set: (val) => publicThis[key] = val
|
||
|
});
|
||
|
});
|
||
|
} else if (!instance.exposed) {
|
||
|
instance.exposed = {};
|
||
|
}
|
||
|
}
|
||
|
if (render && instance.render === NOOP) {
|
||
|
instance.render = render;
|
||
|
}
|
||
|
if (inheritAttrs != null) {
|
||
|
instance.inheritAttrs = inheritAttrs;
|
||
|
}
|
||
|
if (components)
|
||
|
instance.components = components;
|
||
|
if (directives)
|
||
|
instance.directives = directives;
|
||
|
if (instance.ctx.$onApplyOptions) {
|
||
|
instance.ctx.$onApplyOptions(options, instance, publicThis);
|
||
|
}
|
||
|
}
|
||
|
function resolveInjections(injectOptions, ctx, checkDuplicateProperties = NOOP, unwrapRef = false) {
|
||
|
if (isArray$1(injectOptions)) {
|
||
|
injectOptions = normalizeInject(injectOptions);
|
||
|
}
|
||
|
for (const key in injectOptions) {
|
||
|
const opt = injectOptions[key];
|
||
|
let injected;
|
||
|
if (isObject$1(opt)) {
|
||
|
if ("default" in opt) {
|
||
|
injected = inject(opt.from || key, opt.default, true);
|
||
|
} else {
|
||
|
injected = inject(opt.from || key);
|
||
|
}
|
||
|
} else {
|
||
|
injected = inject(opt);
|
||
|
}
|
||
|
if (isRef(injected)) {
|
||
|
if (unwrapRef) {
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
enumerable: true,
|
||
|
configurable: true,
|
||
|
get: () => injected.value,
|
||
|
set: (v) => injected.value = v
|
||
|
});
|
||
|
} else {
|
||
|
{
|
||
|
warn$1$1(`injected property "${key}" is a ref and will be auto-unwrapped and no longer needs \`.value\` in the next minor release. To opt-in to the new behavior now, set \`app.config.unwrapInjectedRef = true\` (this config is temporary and will not be needed in the future.)`);
|
||
|
}
|
||
|
ctx[key] = injected;
|
||
|
}
|
||
|
} else {
|
||
|
ctx[key] = injected;
|
||
|
}
|
||
|
{
|
||
|
checkDuplicateProperties("Inject", key);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function callHook$1(hook, instance, type) {
|
||
|
callWithAsyncErrorHandling(isArray$1(hook) ? hook.map((h) => h.bind(instance.proxy)) : hook.bind(instance.proxy), instance, type);
|
||
|
}
|
||
|
function createWatcher(raw, ctx, publicThis, key) {
|
||
|
const getter = key.includes(".") ? createPathGetter(publicThis, key) : () => publicThis[key];
|
||
|
if (isString$1(raw)) {
|
||
|
const handler = ctx[raw];
|
||
|
if (isFunction$1(handler)) {
|
||
|
watch(getter, handler);
|
||
|
} else {
|
||
|
warn$1$1(`Invalid watch handler specified by key "${raw}"`, handler);
|
||
|
}
|
||
|
} else if (isFunction$1(raw)) {
|
||
|
watch(getter, raw.bind(publicThis));
|
||
|
} else if (isObject$1(raw)) {
|
||
|
if (isArray$1(raw)) {
|
||
|
raw.forEach((r) => createWatcher(r, ctx, publicThis, key));
|
||
|
} else {
|
||
|
const handler = isFunction$1(raw.handler) ? raw.handler.bind(publicThis) : ctx[raw.handler];
|
||
|
if (isFunction$1(handler)) {
|
||
|
watch(getter, handler, raw);
|
||
|
} else {
|
||
|
warn$1$1(`Invalid watch handler specified by key "${raw.handler}"`, handler);
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
warn$1$1(`Invalid watch option: "${key}"`, raw);
|
||
|
}
|
||
|
}
|
||
|
function resolveMergedOptions(instance) {
|
||
|
const base = instance.type;
|
||
|
const { mixins, extends: extendsOptions } = base;
|
||
|
const { mixins: globalMixins, optionsCache: cache, config: { optionMergeStrategies } } = instance.appContext;
|
||
|
const cached = cache.get(base);
|
||
|
let resolved;
|
||
|
if (cached) {
|
||
|
resolved = cached;
|
||
|
} else if (!globalMixins.length && !mixins && !extendsOptions) {
|
||
|
{
|
||
|
resolved = base;
|
||
|
}
|
||
|
} else {
|
||
|
resolved = {};
|
||
|
if (globalMixins.length) {
|
||
|
globalMixins.forEach((m) => mergeOptions(resolved, m, optionMergeStrategies, true));
|
||
|
}
|
||
|
mergeOptions(resolved, base, optionMergeStrategies);
|
||
|
}
|
||
|
cache.set(base, resolved);
|
||
|
return resolved;
|
||
|
}
|
||
|
function mergeOptions(to2, from2, strats, asMixin = false) {
|
||
|
const { mixins, extends: extendsOptions } = from2;
|
||
|
if (extendsOptions) {
|
||
|
mergeOptions(to2, extendsOptions, strats, true);
|
||
|
}
|
||
|
if (mixins) {
|
||
|
mixins.forEach((m) => mergeOptions(to2, m, strats, true));
|
||
|
}
|
||
|
for (const key in from2) {
|
||
|
if (asMixin && key === "expose") {
|
||
|
warn$1$1(`"expose" option is ignored when declared in mixins or extends. It should only be declared in the base component itself.`);
|
||
|
} else {
|
||
|
const strat = internalOptionMergeStrats[key] || strats && strats[key];
|
||
|
to2[key] = strat ? strat(to2[key], from2[key]) : from2[key];
|
||
|
}
|
||
|
}
|
||
|
return to2;
|
||
|
}
|
||
|
const internalOptionMergeStrats = {
|
||
|
data: mergeDataFn,
|
||
|
props: mergeObjectOptions,
|
||
|
emits: mergeObjectOptions,
|
||
|
methods: mergeObjectOptions,
|
||
|
computed: mergeObjectOptions,
|
||
|
beforeCreate: mergeAsArray$1,
|
||
|
created: mergeAsArray$1,
|
||
|
beforeMount: mergeAsArray$1,
|
||
|
mounted: mergeAsArray$1,
|
||
|
beforeUpdate: mergeAsArray$1,
|
||
|
updated: mergeAsArray$1,
|
||
|
beforeDestroy: mergeAsArray$1,
|
||
|
beforeUnmount: mergeAsArray$1,
|
||
|
destroyed: mergeAsArray$1,
|
||
|
unmounted: mergeAsArray$1,
|
||
|
activated: mergeAsArray$1,
|
||
|
deactivated: mergeAsArray$1,
|
||
|
errorCaptured: mergeAsArray$1,
|
||
|
serverPrefetch: mergeAsArray$1,
|
||
|
components: mergeObjectOptions,
|
||
|
directives: mergeObjectOptions,
|
||
|
watch: mergeWatchOptions,
|
||
|
provide: mergeDataFn,
|
||
|
inject: mergeInject
|
||
|
};
|
||
|
function mergeDataFn(to2, from2) {
|
||
|
if (!from2) {
|
||
|
return to2;
|
||
|
}
|
||
|
if (!to2) {
|
||
|
return from2;
|
||
|
}
|
||
|
return function mergedDataFn() {
|
||
|
return extend$1(isFunction$1(to2) ? to2.call(this, this) : to2, isFunction$1(from2) ? from2.call(this, this) : from2);
|
||
|
};
|
||
|
}
|
||
|
function mergeInject(to2, from2) {
|
||
|
return mergeObjectOptions(normalizeInject(to2), normalizeInject(from2));
|
||
|
}
|
||
|
function normalizeInject(raw) {
|
||
|
if (isArray$1(raw)) {
|
||
|
const res = {};
|
||
|
for (let i = 0; i < raw.length; i++) {
|
||
|
res[raw[i]] = raw[i];
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
return raw;
|
||
|
}
|
||
|
function mergeAsArray$1(to2, from2) {
|
||
|
return to2 ? [...new Set([].concat(to2, from2))] : from2;
|
||
|
}
|
||
|
function mergeObjectOptions(to2, from2) {
|
||
|
return to2 ? extend$1(extend$1(/* @__PURE__ */ Object.create(null), to2), from2) : from2;
|
||
|
}
|
||
|
function mergeWatchOptions(to2, from2) {
|
||
|
if (!to2)
|
||
|
return from2;
|
||
|
if (!from2)
|
||
|
return to2;
|
||
|
const merged = extend$1(/* @__PURE__ */ Object.create(null), to2);
|
||
|
for (const key in from2) {
|
||
|
merged[key] = mergeAsArray$1(to2[key], from2[key]);
|
||
|
}
|
||
|
return merged;
|
||
|
}
|
||
|
function initProps$1(instance, rawProps, isStateful, isSSR = false) {
|
||
|
const props = {};
|
||
|
const attrs = {};
|
||
|
instance.propsDefaults = /* @__PURE__ */ Object.create(null);
|
||
|
setFullProps(instance, rawProps, props, attrs);
|
||
|
for (const key in instance.propsOptions[0]) {
|
||
|
if (!(key in props)) {
|
||
|
props[key] = void 0;
|
||
|
}
|
||
|
}
|
||
|
{
|
||
|
validateProps(rawProps || {}, props, instance);
|
||
|
}
|
||
|
if (isStateful) {
|
||
|
instance.props = isSSR ? props : shallowReactive(props);
|
||
|
} else {
|
||
|
if (!instance.type.props) {
|
||
|
instance.props = attrs;
|
||
|
} else {
|
||
|
instance.props = props;
|
||
|
}
|
||
|
}
|
||
|
instance.attrs = attrs;
|
||
|
}
|
||
|
function updateProps(instance, rawProps, rawPrevProps, optimized) {
|
||
|
const { props, attrs, vnode: { patchFlag } } = instance;
|
||
|
const rawCurrentProps = toRaw(props);
|
||
|
const [options] = instance.propsOptions;
|
||
|
let hasAttrsChanged = false;
|
||
|
if (!(instance.type.__hmrId || instance.parent && instance.parent.type.__hmrId) && (optimized || patchFlag > 0) && !(patchFlag & 16)) {
|
||
|
if (patchFlag & 8) {
|
||
|
const propsToUpdate = instance.vnode.dynamicProps;
|
||
|
for (let i = 0; i < propsToUpdate.length; i++) {
|
||
|
let key = propsToUpdate[i];
|
||
|
if (isEmitListener(instance.emitsOptions, key)) {
|
||
|
continue;
|
||
|
}
|
||
|
const value = rawProps[key];
|
||
|
if (options) {
|
||
|
if (hasOwn(attrs, key)) {
|
||
|
if (value !== attrs[key]) {
|
||
|
attrs[key] = value;
|
||
|
hasAttrsChanged = true;
|
||
|
}
|
||
|
} else {
|
||
|
const camelizedKey = camelize(key);
|
||
|
props[camelizedKey] = resolvePropValue(options, rawCurrentProps, camelizedKey, value, instance, false);
|
||
|
}
|
||
|
} else {
|
||
|
if (value !== attrs[key]) {
|
||
|
attrs[key] = value;
|
||
|
hasAttrsChanged = true;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
if (setFullProps(instance, rawProps, props, attrs)) {
|
||
|
hasAttrsChanged = true;
|
||
|
}
|
||
|
let kebabKey;
|
||
|
for (const key in rawCurrentProps) {
|
||
|
if (!rawProps || !hasOwn(rawProps, key) && ((kebabKey = hyphenate(key)) === key || !hasOwn(rawProps, kebabKey))) {
|
||
|
if (options) {
|
||
|
if (rawPrevProps && (rawPrevProps[key] !== void 0 || rawPrevProps[kebabKey] !== void 0)) {
|
||
|
props[key] = resolvePropValue(options, rawCurrentProps, key, void 0, instance, true);
|
||
|
}
|
||
|
} else {
|
||
|
delete props[key];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (attrs !== rawCurrentProps) {
|
||
|
for (const key in attrs) {
|
||
|
if (!rawProps || !hasOwn(rawProps, key) && true) {
|
||
|
delete attrs[key];
|
||
|
hasAttrsChanged = true;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (hasAttrsChanged) {
|
||
|
trigger(instance, "set", "$attrs");
|
||
|
}
|
||
|
{
|
||
|
validateProps(rawProps || {}, props, instance);
|
||
|
}
|
||
|
}
|
||
|
function setFullProps(instance, rawProps, props, attrs) {
|
||
|
const [options, needCastKeys] = instance.propsOptions;
|
||
|
let hasAttrsChanged = false;
|
||
|
let rawCastValues;
|
||
|
if (rawProps) {
|
||
|
for (let key in rawProps) {
|
||
|
if (isReservedProp(key)) {
|
||
|
continue;
|
||
|
}
|
||
|
const value = rawProps[key];
|
||
|
let camelKey;
|
||
|
if (options && hasOwn(options, camelKey = camelize(key))) {
|
||
|
if (!needCastKeys || !needCastKeys.includes(camelKey)) {
|
||
|
props[camelKey] = value;
|
||
|
} else {
|
||
|
(rawCastValues || (rawCastValues = {}))[camelKey] = value;
|
||
|
}
|
||
|
} else if (!isEmitListener(instance.emitsOptions, key)) {
|
||
|
if (!(key in attrs) || value !== attrs[key]) {
|
||
|
attrs[key] = value;
|
||
|
hasAttrsChanged = true;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
if (needCastKeys) {
|
||
|
const rawCurrentProps = toRaw(props);
|
||
|
const castValues = rawCastValues || EMPTY_OBJ;
|
||
|
for (let i = 0; i < needCastKeys.length; i++) {
|
||
|
const key = needCastKeys[i];
|
||
|
props[key] = resolvePropValue(options, rawCurrentProps, key, castValues[key], instance, !hasOwn(castValues, key));
|
||
|
}
|
||
|
}
|
||
|
return hasAttrsChanged;
|
||
|
}
|
||
|
function resolvePropValue(options, props, key, value, instance, isAbsent) {
|
||
|
const opt = options[key];
|
||
|
if (opt != null) {
|
||
|
const hasDefault = hasOwn(opt, "default");
|
||
|
if (hasDefault && value === void 0) {
|
||
|
const defaultValue = opt.default;
|
||
|
if (opt.type !== Function && isFunction$1(defaultValue)) {
|
||
|
const { propsDefaults } = instance;
|
||
|
if (key in propsDefaults) {
|
||
|
value = propsDefaults[key];
|
||
|
} else {
|
||
|
setCurrentInstance(instance);
|
||
|
value = propsDefaults[key] = defaultValue.call(null, props);
|
||
|
unsetCurrentInstance();
|
||
|
}
|
||
|
} else {
|
||
|
value = defaultValue;
|
||
|
}
|
||
|
}
|
||
|
if (opt[0]) {
|
||
|
if (isAbsent && !hasDefault) {
|
||
|
value = false;
|
||
|
} else if (opt[1] && (value === "" || value === hyphenate(key))) {
|
||
|
value = true;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return value;
|
||
|
}
|
||
|
function normalizePropsOptions(comp, appContext, asMixin = false) {
|
||
|
const cache = appContext.propsCache;
|
||
|
const cached = cache.get(comp);
|
||
|
if (cached) {
|
||
|
return cached;
|
||
|
}
|
||
|
const raw = comp.props;
|
||
|
const normalized = {};
|
||
|
const needCastKeys = [];
|
||
|
let hasExtends = false;
|
||
|
if (!isFunction$1(comp)) {
|
||
|
const extendProps = (raw2) => {
|
||
|
hasExtends = true;
|
||
|
const [props, keys2] = normalizePropsOptions(raw2, appContext, true);
|
||
|
extend$1(normalized, props);
|
||
|
if (keys2)
|
||
|
needCastKeys.push(...keys2);
|
||
|
};
|
||
|
if (!asMixin && appContext.mixins.length) {
|
||
|
appContext.mixins.forEach(extendProps);
|
||
|
}
|
||
|
if (comp.extends) {
|
||
|
extendProps(comp.extends);
|
||
|
}
|
||
|
if (comp.mixins) {
|
||
|
comp.mixins.forEach(extendProps);
|
||
|
}
|
||
|
}
|
||
|
if (!raw && !hasExtends) {
|
||
|
cache.set(comp, EMPTY_ARR);
|
||
|
return EMPTY_ARR;
|
||
|
}
|
||
|
if (isArray$1(raw)) {
|
||
|
for (let i = 0; i < raw.length; i++) {
|
||
|
if (!isString$1(raw[i])) {
|
||
|
warn$1$1(`props must be strings when using array syntax.`, raw[i]);
|
||
|
}
|
||
|
const normalizedKey = camelize(raw[i]);
|
||
|
if (validatePropName(normalizedKey)) {
|
||
|
normalized[normalizedKey] = EMPTY_OBJ;
|
||
|
}
|
||
|
}
|
||
|
} else if (raw) {
|
||
|
if (!isObject$1(raw)) {
|
||
|
warn$1$1(`invalid props options`, raw);
|
||
|
}
|
||
|
for (const key in raw) {
|
||
|
const normalizedKey = camelize(key);
|
||
|
if (validatePropName(normalizedKey)) {
|
||
|
const opt = raw[key];
|
||
|
const prop = normalized[normalizedKey] = isArray$1(opt) || isFunction$1(opt) ? { type: opt } : opt;
|
||
|
if (prop) {
|
||
|
const booleanIndex = getTypeIndex(Boolean, prop.type);
|
||
|
const stringIndex = getTypeIndex(String, prop.type);
|
||
|
prop[0] = booleanIndex > -1;
|
||
|
prop[1] = stringIndex < 0 || booleanIndex < stringIndex;
|
||
|
if (booleanIndex > -1 || hasOwn(prop, "default")) {
|
||
|
needCastKeys.push(normalizedKey);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
const res = [normalized, needCastKeys];
|
||
|
cache.set(comp, res);
|
||
|
return res;
|
||
|
}
|
||
|
function validatePropName(key) {
|
||
|
if (key[0] !== "$") {
|
||
|
return true;
|
||
|
} else {
|
||
|
warn$1$1(`Invalid prop name: "${key}" is a reserved property.`);
|
||
|
}
|
||
|
return false;
|
||
|
}
|
||
|
function getType(ctor) {
|
||
|
const match = ctor && ctor.toString().match(/^\s*function (\w+)/);
|
||
|
return match ? match[1] : ctor === null ? "null" : "";
|
||
|
}
|
||
|
function isSameType(a, b) {
|
||
|
return getType(a) === getType(b);
|
||
|
}
|
||
|
function getTypeIndex(type, expectedTypes) {
|
||
|
if (isArray$1(expectedTypes)) {
|
||
|
return expectedTypes.findIndex((t2) => isSameType(t2, type));
|
||
|
} else if (isFunction$1(expectedTypes)) {
|
||
|
return isSameType(expectedTypes, type) ? 0 : -1;
|
||
|
}
|
||
|
return -1;
|
||
|
}
|
||
|
function validateProps(rawProps, props, instance) {
|
||
|
const resolvedValues = toRaw(props);
|
||
|
const options = instance.propsOptions[0];
|
||
|
for (const key in options) {
|
||
|
let opt = options[key];
|
||
|
if (opt == null)
|
||
|
continue;
|
||
|
validateProp(key, resolvedValues[key], opt, !hasOwn(rawProps, key) && !hasOwn(rawProps, hyphenate(key)));
|
||
|
}
|
||
|
}
|
||
|
function validateProp(name, value, prop, isAbsent) {
|
||
|
const { type, required, validator } = prop;
|
||
|
if (required && isAbsent) {
|
||
|
warn$1$1('Missing required prop: "' + name + '"');
|
||
|
return;
|
||
|
}
|
||
|
if (value == null && !prop.required) {
|
||
|
return;
|
||
|
}
|
||
|
if (type != null && type !== true) {
|
||
|
let isValid2 = false;
|
||
|
const types = isArray$1(type) ? type : [type];
|
||
|
const expectedTypes = [];
|
||
|
for (let i = 0; i < types.length && !isValid2; i++) {
|
||
|
const { valid, expectedType } = assertType(value, types[i]);
|
||
|
expectedTypes.push(expectedType || "");
|
||
|
isValid2 = valid;
|
||
|
}
|
||
|
if (!isValid2) {
|
||
|
warn$1$1(getInvalidTypeMessage(name, value, expectedTypes));
|
||
|
return;
|
||
|
}
|
||
|
}
|
||
|
if (validator && !validator(value)) {
|
||
|
warn$1$1('Invalid prop: custom validator check failed for prop "' + name + '".');
|
||
|
}
|
||
|
}
|
||
|
const isSimpleType = /* @__PURE__ */ makeMap("String,Number,Boolean,Function,Symbol,BigInt");
|
||
|
function assertType(value, type) {
|
||
|
let valid;
|
||
|
const expectedType = getType(type);
|
||
|
if (isSimpleType(expectedType)) {
|
||
|
const t2 = typeof value;
|
||
|
valid = t2 === expectedType.toLowerCase();
|
||
|
if (!valid && t2 === "object") {
|
||
|
valid = value instanceof type;
|
||
|
}
|
||
|
} else if (expectedType === "Object") {
|
||
|
valid = isObject$1(value);
|
||
|
} else if (expectedType === "Array") {
|
||
|
valid = isArray$1(value);
|
||
|
} else if (expectedType === "null") {
|
||
|
valid = value === null;
|
||
|
} else {
|
||
|
valid = value instanceof type;
|
||
|
}
|
||
|
return {
|
||
|
valid,
|
||
|
expectedType
|
||
|
};
|
||
|
}
|
||
|
function getInvalidTypeMessage(name, value, expectedTypes) {
|
||
|
let message = `Invalid prop: type check failed for prop "${name}". Expected ${expectedTypes.map(capitalize).join(" | ")}`;
|
||
|
const expectedType = expectedTypes[0];
|
||
|
const receivedType = toRawType(value);
|
||
|
const expectedValue = styleValue(value, expectedType);
|
||
|
const receivedValue = styleValue(value, receivedType);
|
||
|
if (expectedTypes.length === 1 && isExplicable(expectedType) && !isBoolean(expectedType, receivedType)) {
|
||
|
message += ` with value ${expectedValue}`;
|
||
|
}
|
||
|
message += `, got ${receivedType} `;
|
||
|
if (isExplicable(receivedType)) {
|
||
|
message += `with value ${receivedValue}.`;
|
||
|
}
|
||
|
return message;
|
||
|
}
|
||
|
function styleValue(value, type) {
|
||
|
if (type === "String") {
|
||
|
return `"${value}"`;
|
||
|
} else if (type === "Number") {
|
||
|
return `${Number(value)}`;
|
||
|
} else {
|
||
|
return `${value}`;
|
||
|
}
|
||
|
}
|
||
|
function isExplicable(type) {
|
||
|
const explicitTypes = ["string", "number", "boolean"];
|
||
|
return explicitTypes.some((elem) => type.toLowerCase() === elem);
|
||
|
}
|
||
|
function isBoolean(...args) {
|
||
|
return args.some((elem) => elem.toLowerCase() === "boolean");
|
||
|
}
|
||
|
function validateDirectiveName(name) {
|
||
|
if (isBuiltInDirective(name)) {
|
||
|
warn$1$1("Do not use built-in directive ids as custom directive id: " + name);
|
||
|
}
|
||
|
}
|
||
|
function createAppContext() {
|
||
|
return {
|
||
|
app: null,
|
||
|
config: {
|
||
|
isNativeTag: NO,
|
||
|
performance: false,
|
||
|
globalProperties: {},
|
||
|
optionMergeStrategies: {},
|
||
|
errorHandler: void 0,
|
||
|
warnHandler: void 0,
|
||
|
compilerOptions: {}
|
||
|
},
|
||
|
mixins: [],
|
||
|
components: {},
|
||
|
directives: {},
|
||
|
provides: /* @__PURE__ */ Object.create(null),
|
||
|
optionsCache: /* @__PURE__ */ new WeakMap(),
|
||
|
propsCache: /* @__PURE__ */ new WeakMap(),
|
||
|
emitsCache: /* @__PURE__ */ new WeakMap()
|
||
|
};
|
||
|
}
|
||
|
let uid = 0;
|
||
|
function createAppAPI(render, hydrate) {
|
||
|
return function createApp2(rootComponent, rootProps = null) {
|
||
|
if (!isFunction$1(rootComponent)) {
|
||
|
rootComponent = Object.assign({}, rootComponent);
|
||
|
}
|
||
|
if (rootProps != null && !isObject$1(rootProps)) {
|
||
|
warn$1$1(`root props passed to app.mount() must be an object.`);
|
||
|
rootProps = null;
|
||
|
}
|
||
|
const context = createAppContext();
|
||
|
const installedPlugins = /* @__PURE__ */ new Set();
|
||
|
const app = context.app = {
|
||
|
_uid: uid++,
|
||
|
_component: rootComponent,
|
||
|
_props: rootProps,
|
||
|
_container: null,
|
||
|
_context: context,
|
||
|
_instance: null,
|
||
|
version,
|
||
|
get config() {
|
||
|
return context.config;
|
||
|
},
|
||
|
set config(v) {
|
||
|
{
|
||
|
warn$1$1(`app.config cannot be replaced. Modify individual options instead.`);
|
||
|
}
|
||
|
},
|
||
|
use(plugin2, ...options) {
|
||
|
if (installedPlugins.has(plugin2)) {
|
||
|
warn$1$1(`Plugin has already been applied to target app.`);
|
||
|
} else if (plugin2 && isFunction$1(plugin2.install)) {
|
||
|
installedPlugins.add(plugin2);
|
||
|
plugin2.install(app, ...options);
|
||
|
} else if (isFunction$1(plugin2)) {
|
||
|
installedPlugins.add(plugin2);
|
||
|
plugin2(app, ...options);
|
||
|
} else {
|
||
|
warn$1$1(`A plugin must either be a function or an object with an "install" function.`);
|
||
|
}
|
||
|
return app;
|
||
|
},
|
||
|
mixin(mixin) {
|
||
|
{
|
||
|
if (!context.mixins.includes(mixin)) {
|
||
|
context.mixins.push(mixin);
|
||
|
} else {
|
||
|
warn$1$1("Mixin has already been applied to target app" + (mixin.name ? `: ${mixin.name}` : ""));
|
||
|
}
|
||
|
}
|
||
|
return app;
|
||
|
},
|
||
|
component(name, component) {
|
||
|
{
|
||
|
validateComponentName(name, context.config);
|
||
|
}
|
||
|
if (!component) {
|
||
|
return context.components[name];
|
||
|
}
|
||
|
if (context.components[name]) {
|
||
|
warn$1$1(`Component "${name}" has already been registered in target app.`);
|
||
|
}
|
||
|
context.components[name] = component;
|
||
|
return app;
|
||
|
},
|
||
|
directive(name, directive) {
|
||
|
{
|
||
|
validateDirectiveName(name);
|
||
|
}
|
||
|
if (!directive) {
|
||
|
return context.directives[name];
|
||
|
}
|
||
|
if (context.directives[name]) {
|
||
|
warn$1$1(`Directive "${name}" has already been registered in target app.`);
|
||
|
}
|
||
|
context.directives[name] = directive;
|
||
|
return app;
|
||
|
},
|
||
|
mount() {
|
||
|
},
|
||
|
unmount() {
|
||
|
},
|
||
|
provide(key, value) {
|
||
|
if (key in context.provides) {
|
||
|
warn$1$1(`App already provides property with key "${String(key)}". It will be overwritten with the new value.`);
|
||
|
}
|
||
|
context.provides[key] = value;
|
||
|
return app;
|
||
|
}
|
||
|
};
|
||
|
return app;
|
||
|
};
|
||
|
}
|
||
|
const queuePostRenderEffect = queuePostFlushCb;
|
||
|
function isVNode(value) {
|
||
|
return value ? value.__v_isVNode === true : false;
|
||
|
}
|
||
|
const getPublicInstance = (i) => {
|
||
|
if (!i)
|
||
|
return null;
|
||
|
if (isStatefulComponent(i))
|
||
|
return getExposeProxy(i) || i.proxy;
|
||
|
return getPublicInstance(i.parent);
|
||
|
};
|
||
|
const publicPropertiesMap = /* @__PURE__ */ extend$1(/* @__PURE__ */ Object.create(null), {
|
||
|
$: (i) => i,
|
||
|
$el: (i) => i.__$el || (i.__$el = {}),
|
||
|
$data: (i) => i.data,
|
||
|
$props: (i) => shallowReadonly(i.props),
|
||
|
$attrs: (i) => shallowReadonly(i.attrs),
|
||
|
$slots: (i) => shallowReadonly(i.slots),
|
||
|
$refs: (i) => shallowReadonly(i.refs),
|
||
|
$parent: (i) => getPublicInstance(i.parent),
|
||
|
$root: (i) => getPublicInstance(i.root),
|
||
|
$emit: (i) => i.emit,
|
||
|
$options: (i) => resolveMergedOptions(i),
|
||
|
$forceUpdate: (i) => () => queueJob(i.update),
|
||
|
$watch: (i) => instanceWatch.bind(i)
|
||
|
});
|
||
|
const PublicInstanceProxyHandlers = {
|
||
|
get({ _: instance }, key) {
|
||
|
const { ctx, setupState, data, props, accessCache, type, appContext } = instance;
|
||
|
if (key === "__isVue") {
|
||
|
return true;
|
||
|
}
|
||
|
if (setupState !== EMPTY_OBJ && setupState.__isScriptSetup && hasOwn(setupState, key)) {
|
||
|
return setupState[key];
|
||
|
}
|
||
|
let normalizedProps;
|
||
|
if (key[0] !== "$") {
|
||
|
const n2 = accessCache[key];
|
||
|
if (n2 !== void 0) {
|
||
|
switch (n2) {
|
||
|
case 1:
|
||
|
return setupState[key];
|
||
|
case 2:
|
||
|
return data[key];
|
||
|
case 4:
|
||
|
return ctx[key];
|
||
|
case 3:
|
||
|
return props[key];
|
||
|
}
|
||
|
} else if (setupState !== EMPTY_OBJ && hasOwn(setupState, key)) {
|
||
|
accessCache[key] = 1;
|
||
|
return setupState[key];
|
||
|
} else if (data !== EMPTY_OBJ && hasOwn(data, key)) {
|
||
|
accessCache[key] = 2;
|
||
|
return data[key];
|
||
|
} else if ((normalizedProps = instance.propsOptions[0]) && hasOwn(normalizedProps, key)) {
|
||
|
accessCache[key] = 3;
|
||
|
return props[key];
|
||
|
} else if (ctx !== EMPTY_OBJ && hasOwn(ctx, key)) {
|
||
|
accessCache[key] = 4;
|
||
|
return ctx[key];
|
||
|
} else if (shouldCacheAccess) {
|
||
|
accessCache[key] = 0;
|
||
|
}
|
||
|
}
|
||
|
const publicGetter = publicPropertiesMap[key];
|
||
|
let cssModule, globalProperties;
|
||
|
if (publicGetter) {
|
||
|
if (key === "$attrs") {
|
||
|
track(instance, "get", key);
|
||
|
}
|
||
|
return publicGetter(instance);
|
||
|
} else if ((cssModule = type.__cssModules) && (cssModule = cssModule[key])) {
|
||
|
return cssModule;
|
||
|
} else if (ctx !== EMPTY_OBJ && hasOwn(ctx, key)) {
|
||
|
accessCache[key] = 4;
|
||
|
return ctx[key];
|
||
|
} else if (globalProperties = appContext.config.globalProperties, hasOwn(globalProperties, key)) {
|
||
|
{
|
||
|
return globalProperties[key];
|
||
|
}
|
||
|
} else if (currentRenderingInstance && (!isString$1(key) || key.indexOf("__v") !== 0)) {
|
||
|
if (data !== EMPTY_OBJ && (key[0] === "$" || key[0] === "_") && hasOwn(data, key)) {
|
||
|
warn$1$1(`Property ${JSON.stringify(key)} must be accessed via $data because it starts with a reserved character ("$" or "_") and is not proxied on the render context.`);
|
||
|
} else if (instance === currentRenderingInstance) {
|
||
|
warn$1$1(`Property ${JSON.stringify(key)} was accessed during render but is not defined on instance.`);
|
||
|
}
|
||
|
}
|
||
|
},
|
||
|
set({ _: instance }, key, value) {
|
||
|
const { data, setupState, ctx } = instance;
|
||
|
if (setupState !== EMPTY_OBJ && hasOwn(setupState, key)) {
|
||
|
setupState[key] = value;
|
||
|
return true;
|
||
|
} else if (data !== EMPTY_OBJ && hasOwn(data, key)) {
|
||
|
data[key] = value;
|
||
|
return true;
|
||
|
} else if (hasOwn(instance.props, key)) {
|
||
|
warn$1$1(`Attempting to mutate prop "${key}". Props are readonly.`, instance);
|
||
|
return false;
|
||
|
}
|
||
|
if (key[0] === "$" && key.slice(1) in instance) {
|
||
|
warn$1$1(`Attempting to mutate public property "${key}". Properties starting with $ are reserved and readonly.`, instance);
|
||
|
return false;
|
||
|
} else {
|
||
|
if (key in instance.appContext.config.globalProperties) {
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
enumerable: true,
|
||
|
configurable: true,
|
||
|
value
|
||
|
});
|
||
|
} else {
|
||
|
ctx[key] = value;
|
||
|
}
|
||
|
}
|
||
|
return true;
|
||
|
},
|
||
|
has({ _: { data, setupState, accessCache, ctx, appContext, propsOptions } }, key) {
|
||
|
let normalizedProps;
|
||
|
return !!accessCache[key] || data !== EMPTY_OBJ && hasOwn(data, key) || setupState !== EMPTY_OBJ && hasOwn(setupState, key) || (normalizedProps = propsOptions[0]) && hasOwn(normalizedProps, key) || hasOwn(ctx, key) || hasOwn(publicPropertiesMap, key) || hasOwn(appContext.config.globalProperties, key);
|
||
|
},
|
||
|
defineProperty(target, key, descriptor) {
|
||
|
if (descriptor.get != null) {
|
||
|
target._.accessCache[key] = 0;
|
||
|
} else if (hasOwn(descriptor, "value")) {
|
||
|
this.set(target, key, descriptor.value, null);
|
||
|
}
|
||
|
return Reflect.defineProperty(target, key, descriptor);
|
||
|
}
|
||
|
};
|
||
|
{
|
||
|
PublicInstanceProxyHandlers.ownKeys = (target) => {
|
||
|
warn$1$1(`Avoid app logic that relies on enumerating keys on a component instance. The keys will be empty in production mode to avoid performance overhead.`);
|
||
|
return Reflect.ownKeys(target);
|
||
|
};
|
||
|
}
|
||
|
function createDevRenderContext(instance) {
|
||
|
const target = {};
|
||
|
Object.defineProperty(target, `_`, {
|
||
|
configurable: true,
|
||
|
enumerable: false,
|
||
|
get: () => instance
|
||
|
});
|
||
|
Object.keys(publicPropertiesMap).forEach((key) => {
|
||
|
Object.defineProperty(target, key, {
|
||
|
configurable: true,
|
||
|
enumerable: false,
|
||
|
get: () => publicPropertiesMap[key](instance),
|
||
|
set: NOOP
|
||
|
});
|
||
|
});
|
||
|
return target;
|
||
|
}
|
||
|
function exposePropsOnRenderContext(instance) {
|
||
|
const { ctx, propsOptions: [propsOptions] } = instance;
|
||
|
if (propsOptions) {
|
||
|
Object.keys(propsOptions).forEach((key) => {
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
enumerable: true,
|
||
|
configurable: true,
|
||
|
get: () => instance.props[key],
|
||
|
set: NOOP
|
||
|
});
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
function exposeSetupStateOnRenderContext(instance) {
|
||
|
const { ctx, setupState } = instance;
|
||
|
Object.keys(toRaw(setupState)).forEach((key) => {
|
||
|
if (!setupState.__isScriptSetup) {
|
||
|
if (key[0] === "$" || key[0] === "_") {
|
||
|
warn$1$1(`setup() return property ${JSON.stringify(key)} should not start with "$" or "_" which are reserved prefixes for Vue internals.`);
|
||
|
return;
|
||
|
}
|
||
|
Object.defineProperty(ctx, key, {
|
||
|
enumerable: true,
|
||
|
configurable: true,
|
||
|
get: () => setupState[key],
|
||
|
set: NOOP
|
||
|
});
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
const emptyAppContext = createAppContext();
|
||
|
let uid$1 = 0;
|
||
|
function createComponentInstance(vnode, parent, suspense) {
|
||
|
const type = vnode.type;
|
||
|
const appContext = (parent ? parent.appContext : vnode.appContext) || emptyAppContext;
|
||
|
const instance = {
|
||
|
uid: uid$1++,
|
||
|
vnode,
|
||
|
type,
|
||
|
parent,
|
||
|
appContext,
|
||
|
root: null,
|
||
|
next: null,
|
||
|
subTree: null,
|
||
|
effect: null,
|
||
|
update: null,
|
||
|
scope: new EffectScope(true),
|
||
|
render: null,
|
||
|
proxy: null,
|
||
|
exposed: null,
|
||
|
exposeProxy: null,
|
||
|
withProxy: null,
|
||
|
provides: parent ? parent.provides : Object.create(appContext.provides),
|
||
|
accessCache: null,
|
||
|
renderCache: [],
|
||
|
components: null,
|
||
|
directives: null,
|
||
|
propsOptions: normalizePropsOptions(type, appContext),
|
||
|
emitsOptions: normalizeEmitsOptions(type, appContext),
|
||
|
emit: null,
|
||
|
emitted: null,
|
||
|
propsDefaults: EMPTY_OBJ,
|
||
|
inheritAttrs: type.inheritAttrs,
|
||
|
ctx: EMPTY_OBJ,
|
||
|
data: EMPTY_OBJ,
|
||
|
props: EMPTY_OBJ,
|
||
|
attrs: EMPTY_OBJ,
|
||
|
slots: EMPTY_OBJ,
|
||
|
refs: EMPTY_OBJ,
|
||
|
setupState: EMPTY_OBJ,
|
||
|
setupContext: null,
|
||
|
suspense,
|
||
|
suspenseId: suspense ? suspense.pendingId : 0,
|
||
|
asyncDep: null,
|
||
|
asyncResolved: false,
|
||
|
isMounted: false,
|
||
|
isUnmounted: false,
|
||
|
isDeactivated: false,
|
||
|
bc: null,
|
||
|
c: null,
|
||
|
bm: null,
|
||
|
m: null,
|
||
|
bu: null,
|
||
|
u: null,
|
||
|
um: null,
|
||
|
bum: null,
|
||
|
da: null,
|
||
|
a: null,
|
||
|
rtg: null,
|
||
|
rtc: null,
|
||
|
ec: null,
|
||
|
sp: null
|
||
|
};
|
||
|
{
|
||
|
instance.ctx = createDevRenderContext(instance);
|
||
|
}
|
||
|
instance.root = parent ? parent.root : instance;
|
||
|
instance.emit = emit$1.bind(null, instance);
|
||
|
if (vnode.ce) {
|
||
|
vnode.ce(instance);
|
||
|
}
|
||
|
return instance;
|
||
|
}
|
||
|
let currentInstance = null;
|
||
|
const getCurrentInstance = () => currentInstance || currentRenderingInstance;
|
||
|
const setCurrentInstance = (instance) => {
|
||
|
currentInstance = instance;
|
||
|
instance.scope.on();
|
||
|
};
|
||
|
const unsetCurrentInstance = () => {
|
||
|
currentInstance && currentInstance.scope.off();
|
||
|
currentInstance = null;
|
||
|
};
|
||
|
const isBuiltInTag = /* @__PURE__ */ makeMap("slot,component");
|
||
|
function validateComponentName(name, config) {
|
||
|
const appIsNativeTag = config.isNativeTag || NO;
|
||
|
if (isBuiltInTag(name) || appIsNativeTag(name)) {
|
||
|
warn$1$1("Do not use built-in or reserved HTML elements as component id: " + name);
|
||
|
}
|
||
|
}
|
||
|
function isStatefulComponent(instance) {
|
||
|
return instance.vnode.shapeFlag & 4;
|
||
|
}
|
||
|
let isInSSRComponentSetup = false;
|
||
|
function setupComponent(instance, isSSR = false) {
|
||
|
isInSSRComponentSetup = isSSR;
|
||
|
const { props } = instance.vnode;
|
||
|
const isStateful = isStatefulComponent(instance);
|
||
|
initProps$1(instance, props, isStateful, isSSR);
|
||
|
const setupResult = isStateful ? setupStatefulComponent(instance, isSSR) : void 0;
|
||
|
isInSSRComponentSetup = false;
|
||
|
return setupResult;
|
||
|
}
|
||
|
function setupStatefulComponent(instance, isSSR) {
|
||
|
const Component2 = instance.type;
|
||
|
{
|
||
|
if (Component2.name) {
|
||
|
validateComponentName(Component2.name, instance.appContext.config);
|
||
|
}
|
||
|
if (Component2.components) {
|
||
|
const names = Object.keys(Component2.components);
|
||
|
for (let i = 0; i < names.length; i++) {
|
||
|
validateComponentName(names[i], instance.appContext.config);
|
||
|
}
|
||
|
}
|
||
|
if (Component2.directives) {
|
||
|
const names = Object.keys(Component2.directives);
|
||
|
for (let i = 0; i < names.length; i++) {
|
||
|
validateDirectiveName(names[i]);
|
||
|
}
|
||
|
}
|
||
|
if (Component2.compilerOptions && isRuntimeOnly()) {
|
||
|
warn$1$1(`"compilerOptions" is only supported when using a build of Vue that includes the runtime compiler. Since you are using a runtime-only build, the options should be passed via your build tool config instead.`);
|
||
|
}
|
||
|
}
|
||
|
instance.accessCache = /* @__PURE__ */ Object.create(null);
|
||
|
instance.proxy = markRaw(new Proxy(instance.ctx, PublicInstanceProxyHandlers));
|
||
|
{
|
||
|
exposePropsOnRenderContext(instance);
|
||
|
}
|
||
|
const { setup } = Component2;
|
||
|
if (setup) {
|
||
|
const setupContext = instance.setupContext = setup.length > 1 ? createSetupContext(instance) : null;
|
||
|
setCurrentInstance(instance);
|
||
|
pauseTracking();
|
||
|
const setupResult = callWithErrorHandling(setup, instance, 0, [shallowReadonly(instance.props), setupContext]);
|
||
|
resetTracking();
|
||
|
unsetCurrentInstance();
|
||
|
if (isPromise(setupResult)) {
|
||
|
setupResult.then(unsetCurrentInstance, unsetCurrentInstance);
|
||
|
{
|
||
|
warn$1$1(`setup() returned a Promise, but the version of Vue you are using does not support it yet.`);
|
||
|
}
|
||
|
} else {
|
||
|
handleSetupResult(instance, setupResult, isSSR);
|
||
|
}
|
||
|
} else {
|
||
|
finishComponentSetup(instance, isSSR);
|
||
|
}
|
||
|
}
|
||
|
function handleSetupResult(instance, setupResult, isSSR) {
|
||
|
if (isFunction$1(setupResult)) {
|
||
|
{
|
||
|
instance.render = setupResult;
|
||
|
}
|
||
|
} else if (isObject$1(setupResult)) {
|
||
|
if (isVNode(setupResult)) {
|
||
|
warn$1$1(`setup() should not return VNodes directly - return a render function instead.`);
|
||
|
}
|
||
|
{
|
||
|
instance.devtoolsRawSetupState = setupResult;
|
||
|
}
|
||
|
instance.setupState = proxyRefs(setupResult);
|
||
|
{
|
||
|
exposeSetupStateOnRenderContext(instance);
|
||
|
}
|
||
|
} else if (setupResult !== void 0) {
|
||
|
warn$1$1(`setup() should return an object. Received: ${setupResult === null ? "null" : typeof setupResult}`);
|
||
|
}
|
||
|
finishComponentSetup(instance, isSSR);
|
||
|
}
|
||
|
let compile;
|
||
|
const isRuntimeOnly = () => !compile;
|
||
|
function finishComponentSetup(instance, isSSR, skipOptions) {
|
||
|
const Component2 = instance.type;
|
||
|
if (!instance.render) {
|
||
|
instance.render = Component2.render || NOOP;
|
||
|
}
|
||
|
{
|
||
|
setCurrentInstance(instance);
|
||
|
pauseTracking();
|
||
|
applyOptions$1(instance);
|
||
|
resetTracking();
|
||
|
unsetCurrentInstance();
|
||
|
}
|
||
|
if (!Component2.render && instance.render === NOOP && !isSSR) {
|
||
|
if (Component2.template) {
|
||
|
warn$1$1(`Component provided template option but runtime compilation is not supported in this build of Vue. Configure your bundler to alias "vue" to "vue/dist/vue.esm-bundler.js".`);
|
||
|
} else {
|
||
|
warn$1$1(`Component is missing template or render function.`);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function createAttrsProxy(instance) {
|
||
|
return new Proxy(instance.attrs, {
|
||
|
get(target, key) {
|
||
|
track(instance, "get", "$attrs");
|
||
|
return target[key];
|
||
|
},
|
||
|
set() {
|
||
|
warn$1$1(`setupContext.attrs is readonly.`);
|
||
|
return false;
|
||
|
},
|
||
|
deleteProperty() {
|
||
|
warn$1$1(`setupContext.attrs is readonly.`);
|
||
|
return false;
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function createSetupContext(instance) {
|
||
|
const expose = (exposed) => {
|
||
|
if (instance.exposed) {
|
||
|
warn$1$1(`expose() should be called only once per setup().`);
|
||
|
}
|
||
|
instance.exposed = exposed || {};
|
||
|
};
|
||
|
let attrs;
|
||
|
{
|
||
|
return Object.freeze({
|
||
|
get attrs() {
|
||
|
return attrs || (attrs = createAttrsProxy(instance));
|
||
|
},
|
||
|
get slots() {
|
||
|
return shallowReadonly(instance.slots);
|
||
|
},
|
||
|
get emit() {
|
||
|
return (event, ...args) => instance.emit(event, ...args);
|
||
|
},
|
||
|
expose
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
function getExposeProxy(instance) {
|
||
|
if (instance.exposed) {
|
||
|
return instance.exposeProxy || (instance.exposeProxy = new Proxy(proxyRefs(markRaw(instance.exposed)), {
|
||
|
get(target, key) {
|
||
|
if (key in target) {
|
||
|
return target[key];
|
||
|
}
|
||
|
return instance.proxy[key];
|
||
|
}
|
||
|
}));
|
||
|
}
|
||
|
}
|
||
|
const classifyRE = /(?:^|[-_])(\w)/g;
|
||
|
const classify = (str) => str.replace(classifyRE, (c) => c.toUpperCase()).replace(/[-_]/g, "");
|
||
|
function getComponentName(Component2) {
|
||
|
return isFunction$1(Component2) ? Component2.displayName || Component2.name : Component2.name;
|
||
|
}
|
||
|
function formatComponentName(instance, Component2, isRoot = false) {
|
||
|
let name = getComponentName(Component2);
|
||
|
if (!name && Component2.__file) {
|
||
|
const match = Component2.__file.match(/([^/\\]+)\.\w+$/);
|
||
|
if (match) {
|
||
|
name = match[1];
|
||
|
}
|
||
|
}
|
||
|
if (!name && instance && instance.parent) {
|
||
|
const inferFromRegistry = (registry) => {
|
||
|
for (const key in registry) {
|
||
|
if (registry[key] === Component2) {
|
||
|
return key;
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
name = inferFromRegistry(instance.components || instance.parent.type.components) || inferFromRegistry(instance.appContext.components);
|
||
|
}
|
||
|
return name ? classify(name) : isRoot ? `App` : `Anonymous`;
|
||
|
}
|
||
|
const computed$1 = (getterOrOptions, debugOptions) => {
|
||
|
return computed(getterOrOptions, debugOptions, isInSSRComponentSetup);
|
||
|
};
|
||
|
const version = "3.2.33";
|
||
|
function unwrapper(target) {
|
||
|
return unref(target);
|
||
|
}
|
||
|
const ARRAYTYPE = "[object Array]";
|
||
|
const OBJECTTYPE = "[object Object]";
|
||
|
function diff$1(current, pre) {
|
||
|
const result = {};
|
||
|
syncKeys(current, pre);
|
||
|
_diff(current, pre, "", result);
|
||
|
return result;
|
||
|
}
|
||
|
function syncKeys(current, pre) {
|
||
|
current = unwrapper(current);
|
||
|
if (current === pre)
|
||
|
return;
|
||
|
const rootCurrentType = toTypeString(current);
|
||
|
const rootPreType = toTypeString(pre);
|
||
|
if (rootCurrentType == OBJECTTYPE && rootPreType == OBJECTTYPE) {
|
||
|
for (let key in pre) {
|
||
|
const currentValue = current[key];
|
||
|
if (currentValue === void 0) {
|
||
|
current[key] = null;
|
||
|
} else {
|
||
|
syncKeys(currentValue, pre[key]);
|
||
|
}
|
||
|
}
|
||
|
} else if (rootCurrentType == ARRAYTYPE && rootPreType == ARRAYTYPE) {
|
||
|
if (current.length >= pre.length) {
|
||
|
pre.forEach((item, index2) => {
|
||
|
syncKeys(current[index2], item);
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function _diff(current, pre, path, result) {
|
||
|
current = unwrapper(current);
|
||
|
if (current === pre)
|
||
|
return;
|
||
|
const rootCurrentType = toTypeString(current);
|
||
|
const rootPreType = toTypeString(pre);
|
||
|
if (rootCurrentType == OBJECTTYPE) {
|
||
|
if (rootPreType != OBJECTTYPE || Object.keys(current).length < Object.keys(pre).length) {
|
||
|
setResult(result, path, current);
|
||
|
} else {
|
||
|
for (let key in current) {
|
||
|
const currentValue = unwrapper(current[key]);
|
||
|
const preValue = pre[key];
|
||
|
const currentType = toTypeString(currentValue);
|
||
|
const preType = toTypeString(preValue);
|
||
|
if (currentType != ARRAYTYPE && currentType != OBJECTTYPE) {
|
||
|
if (currentValue != preValue) {
|
||
|
setResult(result, (path == "" ? "" : path + ".") + key, currentValue);
|
||
|
}
|
||
|
} else if (currentType == ARRAYTYPE) {
|
||
|
if (preType != ARRAYTYPE) {
|
||
|
setResult(result, (path == "" ? "" : path + ".") + key, currentValue);
|
||
|
} else {
|
||
|
if (currentValue.length < preValue.length) {
|
||
|
setResult(result, (path == "" ? "" : path + ".") + key, currentValue);
|
||
|
} else {
|
||
|
currentValue.forEach((item, index2) => {
|
||
|
_diff(item, preValue[index2], (path == "" ? "" : path + ".") + key + "[" + index2 + "]", result);
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
} else if (currentType == OBJECTTYPE) {
|
||
|
if (preType != OBJECTTYPE || Object.keys(currentValue).length < Object.keys(preValue).length) {
|
||
|
setResult(result, (path == "" ? "" : path + ".") + key, currentValue);
|
||
|
} else {
|
||
|
for (let subKey in currentValue) {
|
||
|
_diff(currentValue[subKey], preValue[subKey], (path == "" ? "" : path + ".") + key + "." + subKey, result);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
} else if (rootCurrentType == ARRAYTYPE) {
|
||
|
if (rootPreType != ARRAYTYPE) {
|
||
|
setResult(result, path, current);
|
||
|
} else {
|
||
|
if (current.length < pre.length) {
|
||
|
setResult(result, path, current);
|
||
|
} else {
|
||
|
current.forEach((item, index2) => {
|
||
|
_diff(item, pre[index2], path + "[" + index2 + "]", result);
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
setResult(result, path, current);
|
||
|
}
|
||
|
}
|
||
|
function setResult(result, k, v) {
|
||
|
result[k] = v;
|
||
|
}
|
||
|
function hasComponentEffect(instance) {
|
||
|
return queue.includes(instance.update);
|
||
|
}
|
||
|
function flushCallbacks(instance) {
|
||
|
const ctx = instance.ctx;
|
||
|
const callbacks = ctx.__next_tick_callbacks;
|
||
|
if (callbacks && callbacks.length) {
|
||
|
const copies = callbacks.slice(0);
|
||
|
callbacks.length = 0;
|
||
|
for (let i = 0; i < copies.length; i++) {
|
||
|
copies[i]();
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function nextTick$1(instance, fn) {
|
||
|
const ctx = instance.ctx;
|
||
|
if (!ctx.__next_tick_pending && !hasComponentEffect(instance)) {
|
||
|
return nextTick(fn && fn.bind(instance.proxy));
|
||
|
}
|
||
|
let _resolve;
|
||
|
if (!ctx.__next_tick_callbacks) {
|
||
|
ctx.__next_tick_callbacks = [];
|
||
|
}
|
||
|
ctx.__next_tick_callbacks.push(() => {
|
||
|
if (fn) {
|
||
|
callWithErrorHandling(fn.bind(instance.proxy), instance, 14);
|
||
|
} else if (_resolve) {
|
||
|
_resolve(instance.proxy);
|
||
|
}
|
||
|
});
|
||
|
return new Promise((resolve) => {
|
||
|
_resolve = resolve;
|
||
|
});
|
||
|
}
|
||
|
function clone$2(src, seen) {
|
||
|
src = unwrapper(src);
|
||
|
const type = typeof src;
|
||
|
if (type === "object" && src !== null) {
|
||
|
let copy = seen.get(src);
|
||
|
if (typeof copy !== "undefined") {
|
||
|
return copy;
|
||
|
}
|
||
|
if (isArray$1(src)) {
|
||
|
const len = src.length;
|
||
|
copy = new Array(len);
|
||
|
seen.set(src, copy);
|
||
|
for (let i = 0; i < len; i++) {
|
||
|
copy[i] = clone$2(src[i], seen);
|
||
|
}
|
||
|
} else {
|
||
|
copy = {};
|
||
|
seen.set(src, copy);
|
||
|
for (const name in src) {
|
||
|
if (hasOwn(src, name)) {
|
||
|
copy[name] = clone$2(src[name], seen);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return copy;
|
||
|
}
|
||
|
if (type !== "symbol") {
|
||
|
return src;
|
||
|
}
|
||
|
}
|
||
|
function deepCopy(src) {
|
||
|
return clone$2(src, typeof WeakMap !== "undefined" ? /* @__PURE__ */ new WeakMap() : /* @__PURE__ */ new Map());
|
||
|
}
|
||
|
function getMPInstanceData(instance, keys2) {
|
||
|
const data = instance.data;
|
||
|
const ret = /* @__PURE__ */ Object.create(null);
|
||
|
keys2.forEach((key) => {
|
||
|
ret[key] = data[key];
|
||
|
});
|
||
|
return ret;
|
||
|
}
|
||
|
function patch(instance, data, oldData) {
|
||
|
if (!data) {
|
||
|
return;
|
||
|
}
|
||
|
data = deepCopy(data);
|
||
|
const ctx = instance.ctx;
|
||
|
const mpType = ctx.mpType;
|
||
|
if (mpType === "page" || mpType === "component") {
|
||
|
data.r0 = 1;
|
||
|
const mpInstance = ctx.$scope;
|
||
|
const keys2 = Object.keys(data);
|
||
|
const diffData = diff$1(data, oldData || getMPInstanceData(mpInstance, keys2));
|
||
|
if (Object.keys(diffData).length) {
|
||
|
ctx.__next_tick_pending = true;
|
||
|
mpInstance.setData(diffData, () => {
|
||
|
ctx.__next_tick_pending = false;
|
||
|
flushCallbacks(instance);
|
||
|
});
|
||
|
flushPreFlushCbs(void 0, instance.update);
|
||
|
} else {
|
||
|
flushCallbacks(instance);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function initAppConfig(appConfig) {
|
||
|
appConfig.globalProperties.$nextTick = function $nextTick(fn) {
|
||
|
return nextTick$1(this.$, fn);
|
||
|
};
|
||
|
}
|
||
|
function onApplyOptions(options, instance, publicThis) {
|
||
|
instance.appContext.config.globalProperties.$applyOptions(options, instance, publicThis);
|
||
|
const computedOptions = options.computed;
|
||
|
if (computedOptions) {
|
||
|
const keys2 = Object.keys(computedOptions);
|
||
|
if (keys2.length) {
|
||
|
const ctx = instance.ctx;
|
||
|
if (!ctx.$computedKeys) {
|
||
|
ctx.$computedKeys = [];
|
||
|
}
|
||
|
ctx.$computedKeys.push(...keys2);
|
||
|
}
|
||
|
}
|
||
|
delete instance.ctx.$onApplyOptions;
|
||
|
}
|
||
|
function setRef$1(instance, isUnmount = false) {
|
||
|
const { setupState, $templateRefs, ctx: { $scope, $mpPlatform } } = instance;
|
||
|
if ($mpPlatform === "mp-alipay") {
|
||
|
return;
|
||
|
}
|
||
|
if (!$templateRefs || !$scope) {
|
||
|
return;
|
||
|
}
|
||
|
if (isUnmount) {
|
||
|
return $templateRefs.forEach((templateRef) => setTemplateRef(templateRef, null, setupState));
|
||
|
}
|
||
|
const doSet = () => {
|
||
|
const mpComponents = $scope.selectAllComponents(".r").concat($scope.selectAllComponents(".r-i-f"));
|
||
|
$templateRefs.forEach((templateRef) => setTemplateRef(templateRef, findComponentPublicInstance(mpComponents, templateRef.i), setupState));
|
||
|
};
|
||
|
if ($scope._$setRef) {
|
||
|
$scope._$setRef(doSet);
|
||
|
} else {
|
||
|
nextTick$1(instance, doSet);
|
||
|
}
|
||
|
}
|
||
|
function findComponentPublicInstance(mpComponents, id) {
|
||
|
const mpInstance = mpComponents.find((com) => com && (com.properties || com.props).uI === id);
|
||
|
if (mpInstance) {
|
||
|
const vm = mpInstance.$vm;
|
||
|
return getExposeProxy(vm.$) || vm;
|
||
|
}
|
||
|
return null;
|
||
|
}
|
||
|
function setTemplateRef({ r, f: f2 }, refValue, setupState) {
|
||
|
if (isFunction$1(r)) {
|
||
|
r(refValue, {});
|
||
|
} else {
|
||
|
const _isString = isString$1(r);
|
||
|
const _isRef = isRef(r);
|
||
|
if (_isString || _isRef) {
|
||
|
if (f2) {
|
||
|
if (!_isRef) {
|
||
|
return;
|
||
|
}
|
||
|
if (!isArray$1(r.value)) {
|
||
|
r.value = [];
|
||
|
}
|
||
|
const existing = r.value;
|
||
|
if (existing.indexOf(refValue) === -1) {
|
||
|
existing.push(refValue);
|
||
|
if (!refValue) {
|
||
|
return;
|
||
|
}
|
||
|
onBeforeUnmount(() => remove(existing, refValue), refValue.$);
|
||
|
}
|
||
|
} else if (_isString) {
|
||
|
if (hasOwn(setupState, r)) {
|
||
|
setupState[r] = refValue;
|
||
|
}
|
||
|
} else if (isRef(r)) {
|
||
|
r.value = refValue;
|
||
|
} else {
|
||
|
warnRef(r);
|
||
|
}
|
||
|
} else {
|
||
|
warnRef(r);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function warnRef(ref2) {
|
||
|
warn$1$1("Invalid template ref type:", ref2, `(${typeof ref2})`);
|
||
|
}
|
||
|
var MPType;
|
||
|
(function(MPType2) {
|
||
|
MPType2["APP"] = "app";
|
||
|
MPType2["PAGE"] = "page";
|
||
|
MPType2["COMPONENT"] = "component";
|
||
|
})(MPType || (MPType = {}));
|
||
|
const queuePostRenderEffect$1 = queuePostFlushCb;
|
||
|
function mountComponent(initialVNode, options) {
|
||
|
const instance = initialVNode.component = createComponentInstance(initialVNode, options.parentComponent, null);
|
||
|
{
|
||
|
instance.ctx.$onApplyOptions = onApplyOptions;
|
||
|
instance.ctx.$children = [];
|
||
|
}
|
||
|
if (options.mpType === "app") {
|
||
|
instance.render = NOOP;
|
||
|
}
|
||
|
if (options.onBeforeSetup) {
|
||
|
options.onBeforeSetup(instance, options);
|
||
|
}
|
||
|
{
|
||
|
pushWarningContext(initialVNode);
|
||
|
}
|
||
|
setupComponent(instance);
|
||
|
{
|
||
|
if (options.parentComponent && instance.proxy) {
|
||
|
options.parentComponent.ctx.$children.push(getExposeProxy(instance) || instance.proxy);
|
||
|
}
|
||
|
}
|
||
|
setupRenderEffect(instance);
|
||
|
{
|
||
|
popWarningContext();
|
||
|
}
|
||
|
return instance.proxy;
|
||
|
}
|
||
|
const getFunctionalFallthrough = (attrs) => {
|
||
|
let res;
|
||
|
for (const key in attrs) {
|
||
|
if (key === "class" || key === "style" || isOn(key)) {
|
||
|
(res || (res = {}))[key] = attrs[key];
|
||
|
}
|
||
|
}
|
||
|
return res;
|
||
|
};
|
||
|
function renderComponentRoot(instance) {
|
||
|
const { type: Component2, vnode, proxy, withProxy, props, propsOptions: [propsOptions], slots, attrs, emit: emit2, render, renderCache, data, setupState, ctx, uid: uid2, appContext: { app: { config: { globalProperties: { pruneComponentPropsCache: pruneComponentPropsCache2 } } } }, inheritAttrs } = instance;
|
||
|
instance.$templateRefs = [];
|
||
|
instance.$ei = 0;
|
||
|
pruneComponentPropsCache2(uid2);
|
||
|
instance.__counter = instance.__counter === 0 ? 1 : 0;
|
||
|
let result;
|
||
|
const prev = setCurrentRenderingInstance(instance);
|
||
|
try {
|
||
|
if (vnode.shapeFlag & 4) {
|
||
|
fallthroughAttrs(inheritAttrs, props, propsOptions, attrs);
|
||
|
const proxyToUse = withProxy || proxy;
|
||
|
result = render.call(proxyToUse, proxyToUse, renderCache, props, setupState, data, ctx);
|
||
|
} else {
|
||
|
fallthroughAttrs(inheritAttrs, props, propsOptions, Component2.props ? attrs : getFunctionalFallthrough(attrs));
|
||
|
const render2 = Component2;
|
||
|
result = render2.length > 1 ? render2(props, { attrs, slots, emit: emit2 }) : render2(props, null);
|
||
|
}
|
||
|
} catch (err) {
|
||
|
handleError(err, instance, 1);
|
||
|
result = false;
|
||
|
}
|
||
|
setRef$1(instance);
|
||
|
setCurrentRenderingInstance(prev);
|
||
|
return result;
|
||
|
}
|
||
|
function fallthroughAttrs(inheritAttrs, props, propsOptions, fallthroughAttrs2) {
|
||
|
if (props && fallthroughAttrs2 && inheritAttrs !== false) {
|
||
|
const keys2 = Object.keys(fallthroughAttrs2).filter((key) => key !== "class" && key !== "style");
|
||
|
if (!keys2.length) {
|
||
|
return;
|
||
|
}
|
||
|
if (propsOptions && keys2.some(isModelListener)) {
|
||
|
keys2.forEach((key) => {
|
||
|
if (!isModelListener(key) || !(key.slice(9) in propsOptions)) {
|
||
|
props[key] = fallthroughAttrs2[key];
|
||
|
}
|
||
|
});
|
||
|
} else {
|
||
|
keys2.forEach((key) => props[key] = fallthroughAttrs2[key]);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
const updateComponentPreRender = (instance) => {
|
||
|
pauseTracking();
|
||
|
flushPreFlushCbs(void 0, instance.update);
|
||
|
resetTracking();
|
||
|
};
|
||
|
function componentUpdateScopedSlotsFn() {
|
||
|
const scopedSlotsData = this.$scopedSlotsData;
|
||
|
if (!scopedSlotsData || scopedSlotsData.length === 0) {
|
||
|
return;
|
||
|
}
|
||
|
const mpInstance = this.ctx.$scope;
|
||
|
const oldData = mpInstance.data;
|
||
|
const diffData = /* @__PURE__ */ Object.create(null);
|
||
|
scopedSlotsData.forEach(({ path, index: index2, data }) => {
|
||
|
const oldScopedSlotData = getValueByDataPath(oldData, path);
|
||
|
const diffPath = `${path}[${index2}]`;
|
||
|
if (typeof oldScopedSlotData === "undefined" || typeof oldScopedSlotData[index2] === "undefined") {
|
||
|
diffData[diffPath] = data;
|
||
|
} else {
|
||
|
const diffScopedSlotData = diff$1(data, oldScopedSlotData[index2]);
|
||
|
Object.keys(diffScopedSlotData).forEach((name) => {
|
||
|
diffData[diffPath + "." + name] = diffScopedSlotData[name];
|
||
|
});
|
||
|
}
|
||
|
});
|
||
|
scopedSlotsData.length = 0;
|
||
|
if (Object.keys(diffData).length) {
|
||
|
mpInstance.setData(diffData);
|
||
|
}
|
||
|
}
|
||
|
function toggleRecurse({ effect, update }, allowed) {
|
||
|
effect.allowRecurse = update.allowRecurse = allowed;
|
||
|
}
|
||
|
function setupRenderEffect(instance) {
|
||
|
const updateScopedSlots = componentUpdateScopedSlotsFn.bind(instance);
|
||
|
instance.$updateScopedSlots = () => nextTick(() => queueJob(updateScopedSlots));
|
||
|
const componentUpdateFn = () => {
|
||
|
if (!instance.isMounted) {
|
||
|
onBeforeUnmount(() => {
|
||
|
setRef$1(instance, true);
|
||
|
}, instance);
|
||
|
patch(instance, renderComponentRoot(instance));
|
||
|
} else {
|
||
|
const { bu, u } = instance;
|
||
|
toggleRecurse(instance, false);
|
||
|
updateComponentPreRender(instance);
|
||
|
if (bu) {
|
||
|
invokeArrayFns$1(bu);
|
||
|
}
|
||
|
toggleRecurse(instance, true);
|
||
|
patch(instance, renderComponentRoot(instance));
|
||
|
if (u) {
|
||
|
queuePostRenderEffect$1(u);
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
const effect = instance.effect = new ReactiveEffect(componentUpdateFn, () => queueJob(instance.update), instance.scope);
|
||
|
const update = instance.update = effect.run.bind(effect);
|
||
|
update.id = instance.uid;
|
||
|
toggleRecurse(instance, true);
|
||
|
{
|
||
|
effect.onTrack = instance.rtc ? (e2) => invokeArrayFns$1(instance.rtc, e2) : void 0;
|
||
|
effect.onTrigger = instance.rtg ? (e2) => invokeArrayFns$1(instance.rtg, e2) : void 0;
|
||
|
update.ownerInstance = instance;
|
||
|
}
|
||
|
update();
|
||
|
}
|
||
|
function unmountComponent(instance) {
|
||
|
const { bum, scope, update, um } = instance;
|
||
|
if (bum) {
|
||
|
invokeArrayFns$1(bum);
|
||
|
}
|
||
|
scope.stop();
|
||
|
if (update) {
|
||
|
update.active = false;
|
||
|
}
|
||
|
if (um) {
|
||
|
queuePostRenderEffect$1(um);
|
||
|
}
|
||
|
queuePostRenderEffect$1(() => {
|
||
|
instance.isUnmounted = true;
|
||
|
});
|
||
|
}
|
||
|
const oldCreateApp = createAppAPI();
|
||
|
function createVueApp(rootComponent, rootProps = null) {
|
||
|
const app = oldCreateApp(rootComponent, rootProps);
|
||
|
const appContext = app._context;
|
||
|
initAppConfig(appContext.config);
|
||
|
const createVNode = (initialVNode) => {
|
||
|
initialVNode.appContext = appContext;
|
||
|
initialVNode.shapeFlag = 6;
|
||
|
return initialVNode;
|
||
|
};
|
||
|
const createComponent2 = function createComponent3(initialVNode, options) {
|
||
|
return mountComponent(createVNode(initialVNode), options);
|
||
|
};
|
||
|
const destroyComponent = function destroyComponent2(component) {
|
||
|
return component && unmountComponent(component.$);
|
||
|
};
|
||
|
app.mount = function mount() {
|
||
|
rootComponent.render = NOOP;
|
||
|
const instance = mountComponent(createVNode({ type: rootComponent }), {
|
||
|
mpType: MPType.APP,
|
||
|
mpInstance: null,
|
||
|
parentComponent: null,
|
||
|
slots: [],
|
||
|
props: null
|
||
|
});
|
||
|
instance.$app = app;
|
||
|
instance.$createComponent = createComponent2;
|
||
|
instance.$destroyComponent = destroyComponent;
|
||
|
appContext.$appInstance = instance;
|
||
|
return instance;
|
||
|
};
|
||
|
app.unmount = function unmount() {
|
||
|
warn$1$1(`Cannot unmount an app.`);
|
||
|
};
|
||
|
return app;
|
||
|
}
|
||
|
function injectLifecycleHook(name, hook, publicThis, instance) {
|
||
|
if (isFunction$1(hook)) {
|
||
|
injectHook(name, hook.bind(publicThis), instance);
|
||
|
}
|
||
|
}
|
||
|
function initHooks$1(options, instance, publicThis) {
|
||
|
const mpType = options.mpType || publicThis.$mpType;
|
||
|
if (!mpType) {
|
||
|
return;
|
||
|
}
|
||
|
Object.keys(options).forEach((name) => {
|
||
|
if (name.indexOf("on") === 0) {
|
||
|
const hooks2 = options[name];
|
||
|
if (isArray$1(hooks2)) {
|
||
|
hooks2.forEach((hook) => injectLifecycleHook(name, hook, publicThis, instance));
|
||
|
} else {
|
||
|
injectLifecycleHook(name, hooks2, publicThis, instance);
|
||
|
}
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function applyOptions$2(options, instance, publicThis) {
|
||
|
initHooks$1(options, instance, publicThis);
|
||
|
}
|
||
|
function set$2(target, key, val) {
|
||
|
return target[key] = val;
|
||
|
}
|
||
|
function errorHandler(err, instance, info) {
|
||
|
if (!instance) {
|
||
|
throw err;
|
||
|
}
|
||
|
const app = getApp();
|
||
|
if (!app || !app.$vm) {
|
||
|
throw err;
|
||
|
}
|
||
|
{
|
||
|
app.$vm.$callHook(ON_ERROR$1, err, info);
|
||
|
}
|
||
|
}
|
||
|
function mergeAsArray(to2, from2) {
|
||
|
return to2 ? [...new Set([].concat(to2, from2))] : from2;
|
||
|
}
|
||
|
function initOptionMergeStrategies(optionMergeStrategies) {
|
||
|
UniLifecycleHooks.forEach((name) => {
|
||
|
optionMergeStrategies[name] = mergeAsArray;
|
||
|
});
|
||
|
}
|
||
|
let realAtob;
|
||
|
const b64 = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";
|
||
|
const b64re = /^(?:[A-Za-z\d+/]{4})*?(?:[A-Za-z\d+/]{2}(?:==)?|[A-Za-z\d+/]{3}=?)?$/;
|
||
|
if (typeof atob !== "function") {
|
||
|
realAtob = function(str) {
|
||
|
str = String(str).replace(/[\t\n\f\r ]+/g, "");
|
||
|
if (!b64re.test(str)) {
|
||
|
throw new Error("Failed to execute 'atob' on 'Window': The string to be decoded is not correctly encoded.");
|
||
|
}
|
||
|
str += "==".slice(2 - (str.length & 3));
|
||
|
var bitmap;
|
||
|
var result = "";
|
||
|
var r1;
|
||
|
var r2;
|
||
|
var i = 0;
|
||
|
for (; i < str.length; ) {
|
||
|
bitmap = b64.indexOf(str.charAt(i++)) << 18 | b64.indexOf(str.charAt(i++)) << 12 | (r1 = b64.indexOf(str.charAt(i++))) << 6 | (r2 = b64.indexOf(str.charAt(i++)));
|
||
|
result += r1 === 64 ? String.fromCharCode(bitmap >> 16 & 255) : r2 === 64 ? String.fromCharCode(bitmap >> 16 & 255, bitmap >> 8 & 255) : String.fromCharCode(bitmap >> 16 & 255, bitmap >> 8 & 255, bitmap & 255);
|
||
|
}
|
||
|
return result;
|
||
|
};
|
||
|
} else {
|
||
|
realAtob = atob;
|
||
|
}
|
||
|
function b64DecodeUnicode(str) {
|
||
|
return decodeURIComponent(realAtob(str).split("").map(function(c) {
|
||
|
return "%" + ("00" + c.charCodeAt(0).toString(16)).slice(-2);
|
||
|
}).join(""));
|
||
|
}
|
||
|
function getCurrentUserInfo() {
|
||
|
const token2 = index.getStorageSync("uni_id_token") || "";
|
||
|
const tokenArr = token2.split(".");
|
||
|
if (!token2 || tokenArr.length !== 3) {
|
||
|
return {
|
||
|
uid: null,
|
||
|
role: [],
|
||
|
permission: [],
|
||
|
tokenExpired: 0
|
||
|
};
|
||
|
}
|
||
|
let userInfo;
|
||
|
try {
|
||
|
userInfo = JSON.parse(b64DecodeUnicode(tokenArr[1]));
|
||
|
} catch (error) {
|
||
|
throw new Error("\u83B7\u53D6\u5F53\u524D\u7528\u6237\u4FE1\u606F\u51FA\u9519\uFF0C\u8BE6\u7EC6\u9519\u8BEF\u4FE1\u606F\u4E3A\uFF1A" + error.message);
|
||
|
}
|
||
|
userInfo.tokenExpired = userInfo.exp * 1e3;
|
||
|
delete userInfo.exp;
|
||
|
delete userInfo.iat;
|
||
|
return userInfo;
|
||
|
}
|
||
|
function uniIdMixin(globalProperties) {
|
||
|
globalProperties.uniIDHasRole = function(roleId) {
|
||
|
const { role } = getCurrentUserInfo();
|
||
|
return role.indexOf(roleId) > -1;
|
||
|
};
|
||
|
globalProperties.uniIDHasPermission = function(permissionId) {
|
||
|
const { permission } = getCurrentUserInfo();
|
||
|
return this.uniIDHasRole("admin") || permission.indexOf(permissionId) > -1;
|
||
|
};
|
||
|
globalProperties.uniIDTokenValid = function() {
|
||
|
const { tokenExpired } = getCurrentUserInfo();
|
||
|
return tokenExpired > Date.now();
|
||
|
};
|
||
|
}
|
||
|
function initApp(app) {
|
||
|
const appConfig = app._context.config;
|
||
|
if (isFunction$1(app._component.onError)) {
|
||
|
appConfig.errorHandler = errorHandler;
|
||
|
}
|
||
|
initOptionMergeStrategies(appConfig.optionMergeStrategies);
|
||
|
const globalProperties = appConfig.globalProperties;
|
||
|
{
|
||
|
uniIdMixin(globalProperties);
|
||
|
}
|
||
|
{
|
||
|
globalProperties.$set = set$2;
|
||
|
globalProperties.$applyOptions = applyOptions$2;
|
||
|
}
|
||
|
{
|
||
|
index.invokeCreateVueAppHook(app);
|
||
|
}
|
||
|
}
|
||
|
const propsCaches = /* @__PURE__ */ Object.create(null);
|
||
|
function pruneComponentPropsCache(uid2) {
|
||
|
delete propsCaches[uid2];
|
||
|
}
|
||
|
function findComponentPropsData(up) {
|
||
|
if (!up) {
|
||
|
return;
|
||
|
}
|
||
|
const [uid2, propsId] = up.split(",");
|
||
|
if (!propsCaches[uid2]) {
|
||
|
return;
|
||
|
}
|
||
|
return propsCaches[uid2][parseInt(propsId)];
|
||
|
}
|
||
|
var plugin = {
|
||
|
install(app) {
|
||
|
initApp(app);
|
||
|
app.config.globalProperties.pruneComponentPropsCache = pruneComponentPropsCache;
|
||
|
const oldMount = app.mount;
|
||
|
app.mount = function mount(rootContainer) {
|
||
|
const instance = oldMount.call(app, rootContainer);
|
||
|
const createApp2 = getCreateApp();
|
||
|
if (createApp2) {
|
||
|
createApp2(instance);
|
||
|
} else {
|
||
|
if (typeof createMiniProgramApp !== "undefined") {
|
||
|
createMiniProgramApp(instance);
|
||
|
}
|
||
|
}
|
||
|
return instance;
|
||
|
};
|
||
|
}
|
||
|
};
|
||
|
function getCreateApp() {
|
||
|
const method = "createApp";
|
||
|
if (typeof global !== "undefined") {
|
||
|
return global[method];
|
||
|
} else if (typeof my !== "undefined") {
|
||
|
return my[method];
|
||
|
}
|
||
|
}
|
||
|
function vOn(value, key) {
|
||
|
const instance = getCurrentInstance();
|
||
|
const ctx = instance.ctx;
|
||
|
const extraKey = typeof key !== "undefined" && (ctx.$mpPlatform === "mp-weixin" || ctx.$mpPlatform === "mp-qq") && (isString$1(key) || typeof key === "number") ? "_" + key : "";
|
||
|
const name = "e" + instance.$ei++ + extraKey;
|
||
|
const mpInstance = ctx.$scope;
|
||
|
if (!value) {
|
||
|
delete mpInstance[name];
|
||
|
return name;
|
||
|
}
|
||
|
const existingInvoker = mpInstance[name];
|
||
|
if (existingInvoker) {
|
||
|
existingInvoker.value = value;
|
||
|
} else {
|
||
|
mpInstance[name] = createInvoker(value, instance);
|
||
|
}
|
||
|
return name;
|
||
|
}
|
||
|
function createInvoker(initialValue, instance) {
|
||
|
const invoker = (e2) => {
|
||
|
patchMPEvent(e2);
|
||
|
let args = [e2];
|
||
|
if (e2.detail && e2.detail.__args__) {
|
||
|
args = e2.detail.__args__;
|
||
|
}
|
||
|
const eventValue = invoker.value;
|
||
|
const invoke = () => callWithAsyncErrorHandling(patchStopImmediatePropagation(e2, eventValue), instance, 5, args);
|
||
|
const eventTarget = e2.target;
|
||
|
const eventSync = eventTarget ? eventTarget.dataset ? eventTarget.dataset.eventsync === "true" : false : false;
|
||
|
if (bubbles.includes(e2.type) && !eventSync) {
|
||
|
setTimeout(invoke);
|
||
|
} else {
|
||
|
const res = invoke();
|
||
|
if (e2.type === "input" && isPromise(res)) {
|
||
|
return;
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
};
|
||
|
invoker.value = initialValue;
|
||
|
return invoker;
|
||
|
}
|
||
|
const bubbles = [
|
||
|
"tap",
|
||
|
"longpress",
|
||
|
"longtap",
|
||
|
"transitionend",
|
||
|
"animationstart",
|
||
|
"animationiteration",
|
||
|
"animationend",
|
||
|
"touchforcechange"
|
||
|
];
|
||
|
function patchMPEvent(event) {
|
||
|
if (event.type && event.target) {
|
||
|
event.preventDefault = NOOP;
|
||
|
event.stopPropagation = NOOP;
|
||
|
event.stopImmediatePropagation = NOOP;
|
||
|
if (!hasOwn(event, "detail")) {
|
||
|
event.detail = {};
|
||
|
}
|
||
|
if (hasOwn(event, "markerId")) {
|
||
|
event.detail = typeof event.detail === "object" ? event.detail : {};
|
||
|
event.detail.markerId = event.markerId;
|
||
|
}
|
||
|
if (isPlainObject(event.detail) && hasOwn(event.detail, "checked") && !hasOwn(event.detail, "value")) {
|
||
|
event.detail.value = event.detail.checked;
|
||
|
}
|
||
|
if (isPlainObject(event.detail)) {
|
||
|
event.target = extend$1({}, event.target, event.detail);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function patchStopImmediatePropagation(e2, value) {
|
||
|
if (isArray$1(value)) {
|
||
|
const originalStop = e2.stopImmediatePropagation;
|
||
|
e2.stopImmediatePropagation = () => {
|
||
|
originalStop && originalStop.call(e2);
|
||
|
e2._stopped = true;
|
||
|
};
|
||
|
return value.map((fn) => (e3) => !e3._stopped && fn(e3));
|
||
|
} else {
|
||
|
return value;
|
||
|
}
|
||
|
}
|
||
|
function vFor(source, renderItem) {
|
||
|
let ret;
|
||
|
if (isArray$1(source) || isString$1(source)) {
|
||
|
ret = new Array(source.length);
|
||
|
for (let i = 0, l = source.length; i < l; i++) {
|
||
|
ret[i] = renderItem(source[i], i, i);
|
||
|
}
|
||
|
} else if (typeof source === "number") {
|
||
|
if (!Number.isInteger(source)) {
|
||
|
warn$1$1(`The v-for range expect an integer value but got ${source}.`);
|
||
|
return [];
|
||
|
}
|
||
|
ret = new Array(source);
|
||
|
for (let i = 0; i < source; i++) {
|
||
|
ret[i] = renderItem(i + 1, i, i);
|
||
|
}
|
||
|
} else if (isObject$1(source)) {
|
||
|
if (source[Symbol.iterator]) {
|
||
|
ret = Array.from(source, (item, i) => renderItem(item, i, i));
|
||
|
} else {
|
||
|
const keys2 = Object.keys(source);
|
||
|
ret = new Array(keys2.length);
|
||
|
for (let i = 0, l = keys2.length; i < l; i++) {
|
||
|
const key = keys2[i];
|
||
|
ret[i] = renderItem(source[key], key, i);
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
ret = [];
|
||
|
}
|
||
|
return ret;
|
||
|
}
|
||
|
const o = (value, key) => vOn(value, key);
|
||
|
const f = (source, renderItem) => vFor(source, renderItem);
|
||
|
const e = (target, ...sources) => extend$1(target, ...sources);
|
||
|
const n = (value) => normalizeClass(value);
|
||
|
const t = (val) => toDisplayString(val);
|
||
|
function createApp$1(rootComponent, rootProps = null) {
|
||
|
rootComponent && (rootComponent.mpType = "app");
|
||
|
return createVueApp(rootComponent, rootProps).use(plugin);
|
||
|
}
|
||
|
const createSSRApp = createApp$1;
|
||
|
const SLOT_DEFAULT_NAME = "d";
|
||
|
const ON_SHOW = "onShow";
|
||
|
const ON_HIDE = "onHide";
|
||
|
const ON_LAUNCH = "onLaunch";
|
||
|
const ON_ERROR = "onError";
|
||
|
const ON_THEME_CHANGE = "onThemeChange";
|
||
|
const ON_PAGE_NOT_FOUND = "onPageNotFound";
|
||
|
const ON_UNHANDLE_REJECTION = "onUnhandledRejection";
|
||
|
const ON_LOAD = "onLoad";
|
||
|
const ON_READY = "onReady";
|
||
|
const ON_UNLOAD = "onUnload";
|
||
|
const ON_RESIZE = "onResize";
|
||
|
const ON_TAB_ITEM_TAP = "onTabItemTap";
|
||
|
const ON_REACH_BOTTOM = "onReachBottom";
|
||
|
const ON_PULL_DOWN_REFRESH = "onPullDownRefresh";
|
||
|
const ON_ADD_TO_FAVORITES = "onAddToFavorites";
|
||
|
const customizeRE = /:/g;
|
||
|
function customizeEvent(str) {
|
||
|
return camelize(str.replace(customizeRE, "-"));
|
||
|
}
|
||
|
function hasLeadingSlash(str) {
|
||
|
return str.indexOf("/") === 0;
|
||
|
}
|
||
|
function addLeadingSlash(str) {
|
||
|
return hasLeadingSlash(str) ? str : "/" + str;
|
||
|
}
|
||
|
const invokeArrayFns = (fns, arg) => {
|
||
|
let ret;
|
||
|
for (let i = 0; i < fns.length; i++) {
|
||
|
ret = fns[i](arg);
|
||
|
}
|
||
|
return ret;
|
||
|
};
|
||
|
function once(fn, ctx = null) {
|
||
|
let res;
|
||
|
return (...args) => {
|
||
|
if (fn) {
|
||
|
res = fn.apply(ctx, args);
|
||
|
fn = null;
|
||
|
}
|
||
|
return res;
|
||
|
};
|
||
|
}
|
||
|
const encode = encodeURIComponent;
|
||
|
function stringifyQuery(obj, encodeStr = encode) {
|
||
|
const res = obj ? Object.keys(obj).map((key) => {
|
||
|
let val = obj[key];
|
||
|
if (typeof val === void 0 || val === null) {
|
||
|
val = "";
|
||
|
} else if (isPlainObject(val)) {
|
||
|
val = JSON.stringify(val);
|
||
|
}
|
||
|
return encodeStr(key) + "=" + encodeStr(val);
|
||
|
}).filter((x) => x.length > 0).join("&") : null;
|
||
|
return res ? `?${res}` : "";
|
||
|
}
|
||
|
const MINI_PROGRAM_PAGE_RUNTIME_HOOKS = /* @__PURE__ */ (() => {
|
||
|
return {
|
||
|
onPageScroll: 1,
|
||
|
onShareAppMessage: 1 << 1,
|
||
|
onShareTimeline: 1 << 2
|
||
|
};
|
||
|
})();
|
||
|
const eventChannels = {};
|
||
|
const eventChannelStack = [];
|
||
|
function getEventChannel(id) {
|
||
|
if (id) {
|
||
|
const eventChannel = eventChannels[id];
|
||
|
delete eventChannels[id];
|
||
|
return eventChannel;
|
||
|
}
|
||
|
return eventChannelStack.shift();
|
||
|
}
|
||
|
const MP_METHODS = [
|
||
|
"createSelectorQuery",
|
||
|
"createIntersectionObserver",
|
||
|
"selectAllComponents",
|
||
|
"selectComponent"
|
||
|
];
|
||
|
function createEmitFn(oldEmit, ctx) {
|
||
|
return function emit2(event, ...args) {
|
||
|
const scope = ctx.$scope;
|
||
|
if (scope && event) {
|
||
|
const detail = { __args__: args };
|
||
|
{
|
||
|
scope.triggerEvent(event, detail);
|
||
|
}
|
||
|
}
|
||
|
return oldEmit.apply(this, [event, ...args]);
|
||
|
};
|
||
|
}
|
||
|
function initBaseInstance(instance, options) {
|
||
|
const ctx = instance.ctx;
|
||
|
ctx.mpType = options.mpType;
|
||
|
ctx.$mpType = options.mpType;
|
||
|
ctx.$mpPlatform = "mp-weixin";
|
||
|
ctx.$scope = options.mpInstance;
|
||
|
ctx.$mp = {};
|
||
|
{
|
||
|
ctx._self = {};
|
||
|
}
|
||
|
instance.slots = {};
|
||
|
if (isArray$1(options.slots) && options.slots.length) {
|
||
|
options.slots.forEach((name) => {
|
||
|
instance.slots[name] = true;
|
||
|
});
|
||
|
if (instance.slots[SLOT_DEFAULT_NAME]) {
|
||
|
instance.slots.default = true;
|
||
|
}
|
||
|
}
|
||
|
ctx.getOpenerEventChannel = function() {
|
||
|
{
|
||
|
return options.mpInstance.getOpenerEventChannel();
|
||
|
}
|
||
|
};
|
||
|
ctx.$hasHook = hasHook;
|
||
|
ctx.$callHook = callHook;
|
||
|
instance.emit = createEmitFn(instance.emit, ctx);
|
||
|
}
|
||
|
function initComponentInstance(instance, options) {
|
||
|
initBaseInstance(instance, options);
|
||
|
const ctx = instance.ctx;
|
||
|
MP_METHODS.forEach((method) => {
|
||
|
ctx[method] = function(...args) {
|
||
|
const mpInstance = ctx.$scope;
|
||
|
if (mpInstance && mpInstance[method]) {
|
||
|
return mpInstance[method].apply(mpInstance, args);
|
||
|
}
|
||
|
};
|
||
|
});
|
||
|
}
|
||
|
function initMocks(instance, mpInstance, mocks2) {
|
||
|
const ctx = instance.ctx;
|
||
|
mocks2.forEach((mock) => {
|
||
|
if (hasOwn(mpInstance, mock)) {
|
||
|
instance[mock] = ctx[mock] = mpInstance[mock];
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function hasHook(name) {
|
||
|
const hooks2 = this.$[name];
|
||
|
if (hooks2 && hooks2.length) {
|
||
|
return true;
|
||
|
}
|
||
|
return false;
|
||
|
}
|
||
|
function callHook(name, args) {
|
||
|
if (name === "mounted") {
|
||
|
callHook.call(this, "bm");
|
||
|
this.$.isMounted = true;
|
||
|
name = "m";
|
||
|
} else if (name === "onLoad" && args && args.__id__) {
|
||
|
this.__eventChannel__ = getEventChannel(args.__id__);
|
||
|
delete args.__id__;
|
||
|
}
|
||
|
const hooks2 = this.$[name];
|
||
|
return hooks2 && invokeArrayFns(hooks2, args);
|
||
|
}
|
||
|
const PAGE_INIT_HOOKS = [
|
||
|
ON_LOAD,
|
||
|
ON_SHOW,
|
||
|
ON_HIDE,
|
||
|
ON_UNLOAD,
|
||
|
ON_RESIZE,
|
||
|
ON_TAB_ITEM_TAP,
|
||
|
ON_REACH_BOTTOM,
|
||
|
ON_PULL_DOWN_REFRESH,
|
||
|
ON_ADD_TO_FAVORITES
|
||
|
];
|
||
|
function findHooks(vueOptions, hooks2 = /* @__PURE__ */ new Set()) {
|
||
|
if (vueOptions) {
|
||
|
Object.keys(vueOptions).forEach((name) => {
|
||
|
if (name.indexOf("on") === 0 && isFunction$1(vueOptions[name])) {
|
||
|
hooks2.add(name);
|
||
|
}
|
||
|
});
|
||
|
{
|
||
|
const { extends: extendsOptions, mixins } = vueOptions;
|
||
|
if (mixins) {
|
||
|
mixins.forEach((mixin) => findHooks(mixin, hooks2));
|
||
|
}
|
||
|
if (extendsOptions) {
|
||
|
findHooks(extendsOptions, hooks2);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return hooks2;
|
||
|
}
|
||
|
function initHook$1(mpOptions, hook, excludes) {
|
||
|
if (excludes.indexOf(hook) === -1 && !hasOwn(mpOptions, hook)) {
|
||
|
mpOptions[hook] = function(args) {
|
||
|
return this.$vm && this.$vm.$callHook(hook, args);
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
const EXCLUDE_HOOKS = [ON_READY];
|
||
|
function initHooks(mpOptions, hooks2, excludes = EXCLUDE_HOOKS) {
|
||
|
hooks2.forEach((hook) => initHook$1(mpOptions, hook, excludes));
|
||
|
}
|
||
|
function initUnknownHooks(mpOptions, vueOptions, excludes = EXCLUDE_HOOKS) {
|
||
|
findHooks(vueOptions).forEach((hook) => initHook$1(mpOptions, hook, excludes));
|
||
|
}
|
||
|
function initRuntimeHooks(mpOptions, runtimeHooks) {
|
||
|
if (!runtimeHooks) {
|
||
|
return;
|
||
|
}
|
||
|
const hooks2 = Object.keys(MINI_PROGRAM_PAGE_RUNTIME_HOOKS);
|
||
|
hooks2.forEach((hook) => {
|
||
|
if (runtimeHooks & MINI_PROGRAM_PAGE_RUNTIME_HOOKS[hook]) {
|
||
|
initHook$1(mpOptions, hook, []);
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
const findMixinRuntimeHooks = /* @__PURE__ */ once(() => {
|
||
|
const runtimeHooks = [];
|
||
|
const app = getApp({ allowDefault: true });
|
||
|
if (app && app.$vm && app.$vm.$) {
|
||
|
const mixins = app.$vm.$.appContext.mixins;
|
||
|
if (isArray$1(mixins)) {
|
||
|
const hooks2 = Object.keys(MINI_PROGRAM_PAGE_RUNTIME_HOOKS);
|
||
|
mixins.forEach((mixin) => {
|
||
|
hooks2.forEach((hook) => {
|
||
|
if (hasOwn(mixin, hook) && !runtimeHooks.includes(hook)) {
|
||
|
runtimeHooks.push(hook);
|
||
|
}
|
||
|
});
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
return runtimeHooks;
|
||
|
});
|
||
|
function initMixinRuntimeHooks(mpOptions) {
|
||
|
initHooks(mpOptions, findMixinRuntimeHooks());
|
||
|
}
|
||
|
const HOOKS = [
|
||
|
ON_SHOW,
|
||
|
ON_HIDE,
|
||
|
ON_ERROR,
|
||
|
ON_THEME_CHANGE,
|
||
|
ON_PAGE_NOT_FOUND,
|
||
|
ON_UNHANDLE_REJECTION
|
||
|
];
|
||
|
function parseApp(instance, parseAppOptions) {
|
||
|
const internalInstance = instance.$;
|
||
|
const appOptions = {
|
||
|
globalData: instance.$options && instance.$options.globalData || {},
|
||
|
$vm: instance,
|
||
|
onLaunch(options) {
|
||
|
this.$vm = instance;
|
||
|
const ctx = internalInstance.ctx;
|
||
|
if (this.$vm && ctx.$scope) {
|
||
|
return;
|
||
|
}
|
||
|
initBaseInstance(internalInstance, {
|
||
|
mpType: "app",
|
||
|
mpInstance: this,
|
||
|
slots: []
|
||
|
});
|
||
|
ctx.globalData = this.globalData;
|
||
|
instance.$callHook(ON_LAUNCH, options);
|
||
|
}
|
||
|
};
|
||
|
initLocale(instance);
|
||
|
const vueOptions = instance.$.type;
|
||
|
initHooks(appOptions, HOOKS);
|
||
|
initUnknownHooks(appOptions, vueOptions);
|
||
|
{
|
||
|
const methods = vueOptions.methods;
|
||
|
methods && extend$1(appOptions, methods);
|
||
|
}
|
||
|
if (parseAppOptions) {
|
||
|
parseAppOptions.parse(appOptions);
|
||
|
}
|
||
|
return appOptions;
|
||
|
}
|
||
|
function initCreateApp(parseAppOptions) {
|
||
|
return function createApp2(vm) {
|
||
|
return App(parseApp(vm, parseAppOptions));
|
||
|
};
|
||
|
}
|
||
|
function initCreateSubpackageApp(parseAppOptions) {
|
||
|
return function createApp2(vm) {
|
||
|
const appOptions = parseApp(vm, parseAppOptions);
|
||
|
const app = getApp({
|
||
|
allowDefault: true
|
||
|
});
|
||
|
vm.$.ctx.$scope = app;
|
||
|
const globalData = app.globalData;
|
||
|
if (globalData) {
|
||
|
Object.keys(appOptions.globalData).forEach((name) => {
|
||
|
if (!hasOwn(globalData, name)) {
|
||
|
globalData[name] = appOptions.globalData[name];
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
Object.keys(appOptions).forEach((name) => {
|
||
|
if (!hasOwn(app, name)) {
|
||
|
app[name] = appOptions[name];
|
||
|
}
|
||
|
});
|
||
|
initAppLifecycle(appOptions, vm);
|
||
|
};
|
||
|
}
|
||
|
function initAppLifecycle(appOptions, vm) {
|
||
|
if (isFunction$1(appOptions.onLaunch)) {
|
||
|
const args = wx.getLaunchOptionsSync && wx.getLaunchOptionsSync();
|
||
|
appOptions.onLaunch(args);
|
||
|
}
|
||
|
if (isFunction$1(appOptions.onShow) && wx.onAppShow) {
|
||
|
wx.onAppShow((args) => {
|
||
|
vm.$callHook("onShow", args);
|
||
|
});
|
||
|
}
|
||
|
if (isFunction$1(appOptions.onHide) && wx.onAppHide) {
|
||
|
wx.onAppHide((args) => {
|
||
|
vm.$callHook("onHide", args);
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
function initLocale(appVm) {
|
||
|
const locale2 = ref(wx.getSystemInfoSync().language || "zh-Hans");
|
||
|
Object.defineProperty(appVm, "$locale", {
|
||
|
get() {
|
||
|
return locale2.value;
|
||
|
},
|
||
|
set(v) {
|
||
|
locale2.value = v;
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function initVueIds(vueIds, mpInstance) {
|
||
|
if (!vueIds) {
|
||
|
return;
|
||
|
}
|
||
|
const ids = vueIds.split(",");
|
||
|
const len = ids.length;
|
||
|
if (len === 1) {
|
||
|
mpInstance._$vueId = ids[0];
|
||
|
} else if (len === 2) {
|
||
|
mpInstance._$vueId = ids[0];
|
||
|
mpInstance._$vuePid = ids[1];
|
||
|
}
|
||
|
}
|
||
|
const EXTRAS = ["externalClasses"];
|
||
|
function initExtraOptions(miniProgramComponentOptions, vueOptions) {
|
||
|
EXTRAS.forEach((name) => {
|
||
|
if (hasOwn(vueOptions, name)) {
|
||
|
miniProgramComponentOptions[name] = vueOptions[name];
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function initWxsCallMethods(methods, wxsCallMethods) {
|
||
|
if (!isArray$1(wxsCallMethods)) {
|
||
|
return;
|
||
|
}
|
||
|
wxsCallMethods.forEach((callMethod) => {
|
||
|
methods[callMethod] = function(args) {
|
||
|
return this.$vm[callMethod](args);
|
||
|
};
|
||
|
});
|
||
|
}
|
||
|
function selectAllComponents(mpInstance, selector, $refs) {
|
||
|
const components = mpInstance.selectAllComponents(selector);
|
||
|
components.forEach((component) => {
|
||
|
const ref2 = component.properties.uR;
|
||
|
$refs[ref2] = component.$vm || component;
|
||
|
});
|
||
|
}
|
||
|
function initRefs(instance, mpInstance) {
|
||
|
Object.defineProperty(instance, "refs", {
|
||
|
get() {
|
||
|
const $refs = {};
|
||
|
selectAllComponents(mpInstance, ".r", $refs);
|
||
|
const forComponents = mpInstance.selectAllComponents(".r-i-f");
|
||
|
forComponents.forEach((component) => {
|
||
|
const ref2 = component.properties.uR;
|
||
|
if (!ref2) {
|
||
|
return;
|
||
|
}
|
||
|
if (!$refs[ref2]) {
|
||
|
$refs[ref2] = [];
|
||
|
}
|
||
|
$refs[ref2].push(component.$vm || component);
|
||
|
});
|
||
|
return $refs;
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
function findVmByVueId(instance, vuePid) {
|
||
|
const $children = instance.$children;
|
||
|
for (let i = $children.length - 1; i >= 0; i--) {
|
||
|
const childVm = $children[i];
|
||
|
if (childVm.$scope._$vueId === vuePid) {
|
||
|
return childVm;
|
||
|
}
|
||
|
}
|
||
|
let parentVm;
|
||
|
for (let i = $children.length - 1; i >= 0; i--) {
|
||
|
parentVm = findVmByVueId($children[i], vuePid);
|
||
|
if (parentVm) {
|
||
|
return parentVm;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
const builtInProps = [
|
||
|
"eO",
|
||
|
"uR",
|
||
|
"uRIF",
|
||
|
"uI",
|
||
|
"uT",
|
||
|
"uP",
|
||
|
"uS"
|
||
|
];
|
||
|
function initDefaultProps(isBehavior = false) {
|
||
|
const properties = {};
|
||
|
if (!isBehavior) {
|
||
|
builtInProps.forEach((name) => {
|
||
|
properties[name] = {
|
||
|
type: null,
|
||
|
value: ""
|
||
|
};
|
||
|
});
|
||
|
properties.uS = {
|
||
|
type: null,
|
||
|
value: [],
|
||
|
observer: function(newVal) {
|
||
|
const $slots = /* @__PURE__ */ Object.create(null);
|
||
|
newVal && newVal.forEach((slotName) => {
|
||
|
$slots[slotName] = true;
|
||
|
});
|
||
|
this.setData({
|
||
|
$slots
|
||
|
});
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
return properties;
|
||
|
}
|
||
|
function initProps(mpComponentOptions) {
|
||
|
if (!mpComponentOptions.properties) {
|
||
|
mpComponentOptions.properties = {};
|
||
|
}
|
||
|
extend$1(mpComponentOptions.properties, initDefaultProps());
|
||
|
}
|
||
|
const PROP_TYPES = [String, Number, Boolean, Object, Array, null];
|
||
|
function parsePropType(type, defaultValue) {
|
||
|
if (isArray$1(type) && type.length === 1) {
|
||
|
return type[0];
|
||
|
}
|
||
|
return type;
|
||
|
}
|
||
|
function normalizePropType(type, defaultValue) {
|
||
|
const res = parsePropType(type);
|
||
|
return PROP_TYPES.indexOf(res) !== -1 ? res : null;
|
||
|
}
|
||
|
function initPageProps({ properties }, rawProps) {
|
||
|
if (isArray$1(rawProps)) {
|
||
|
rawProps.forEach((key) => {
|
||
|
properties[key] = {
|
||
|
type: String,
|
||
|
value: ""
|
||
|
};
|
||
|
});
|
||
|
} else if (isPlainObject(rawProps)) {
|
||
|
Object.keys(rawProps).forEach((key) => {
|
||
|
const opts = rawProps[key];
|
||
|
if (isPlainObject(opts)) {
|
||
|
let value = opts.default;
|
||
|
if (isFunction$1(value)) {
|
||
|
value = value();
|
||
|
}
|
||
|
const type = opts.type;
|
||
|
opts.type = normalizePropType(type);
|
||
|
properties[key] = {
|
||
|
type: opts.type,
|
||
|
value
|
||
|
};
|
||
|
} else {
|
||
|
properties[key] = {
|
||
|
type: normalizePropType(opts)
|
||
|
};
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
}
|
||
|
function findPropsData(properties, isPage2) {
|
||
|
return (isPage2 ? findPagePropsData(properties) : findComponentPropsData(properties.uP)) || {};
|
||
|
}
|
||
|
function findPagePropsData(properties) {
|
||
|
const propsData = {};
|
||
|
if (isPlainObject(properties)) {
|
||
|
Object.keys(properties).forEach((name) => {
|
||
|
if (builtInProps.indexOf(name) === -1) {
|
||
|
propsData[name] = properties[name];
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
return propsData;
|
||
|
}
|
||
|
function initData(_) {
|
||
|
return {};
|
||
|
}
|
||
|
function initPropsObserver(componentOptions) {
|
||
|
const observe = function observe2() {
|
||
|
const up = this.properties.uP;
|
||
|
if (!up) {
|
||
|
return;
|
||
|
}
|
||
|
if (this.$vm) {
|
||
|
updateComponentProps(up, this.$vm.$);
|
||
|
} else if (this.properties.uT === "m") {
|
||
|
updateMiniProgramComponentProperties(up, this);
|
||
|
}
|
||
|
};
|
||
|
{
|
||
|
if (!componentOptions.observers) {
|
||
|
componentOptions.observers = {};
|
||
|
}
|
||
|
componentOptions.observers.uP = observe;
|
||
|
}
|
||
|
}
|
||
|
function updateMiniProgramComponentProperties(up, mpInstance) {
|
||
|
const prevProps = mpInstance.properties;
|
||
|
const nextProps = findComponentPropsData(up) || {};
|
||
|
if (hasPropsChanged(prevProps, nextProps, false)) {
|
||
|
mpInstance.setData(nextProps);
|
||
|
}
|
||
|
}
|
||
|
function updateComponentProps(up, instance) {
|
||
|
const prevProps = toRaw(instance.props);
|
||
|
const nextProps = findComponentPropsData(up) || {};
|
||
|
if (hasPropsChanged(prevProps, nextProps)) {
|
||
|
updateProps(instance, nextProps, prevProps, false);
|
||
|
invalidateJob(instance.update);
|
||
|
{
|
||
|
instance.update();
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function hasPropsChanged(prevProps, nextProps, checkLen = true) {
|
||
|
const nextKeys = Object.keys(nextProps);
|
||
|
if (checkLen && nextKeys.length !== Object.keys(prevProps).length) {
|
||
|
return true;
|
||
|
}
|
||
|
for (let i = 0; i < nextKeys.length; i++) {
|
||
|
const key = nextKeys[i];
|
||
|
if (nextProps[key] !== prevProps[key]) {
|
||
|
return true;
|
||
|
}
|
||
|
}
|
||
|
return false;
|
||
|
}
|
||
|
function initBehaviors(vueOptions) {
|
||
|
const vueBehaviors = vueOptions.behaviors;
|
||
|
let vueProps = vueOptions.props;
|
||
|
if (!vueProps) {
|
||
|
vueOptions.props = vueProps = [];
|
||
|
}
|
||
|
const behaviors = [];
|
||
|
if (isArray$1(vueBehaviors)) {
|
||
|
vueBehaviors.forEach((behavior) => {
|
||
|
behaviors.push(behavior.replace("uni://", "wx://"));
|
||
|
if (behavior === "uni://form-field") {
|
||
|
if (isArray$1(vueProps)) {
|
||
|
vueProps.push("name");
|
||
|
vueProps.push("value");
|
||
|
} else {
|
||
|
vueProps.name = {
|
||
|
type: String,
|
||
|
default: ""
|
||
|
};
|
||
|
vueProps.value = {
|
||
|
type: [String, Number, Boolean, Array, Object, Date],
|
||
|
default: ""
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
});
|
||
|
}
|
||
|
return behaviors;
|
||
|
}
|
||
|
function applyOptions(componentOptions, vueOptions) {
|
||
|
componentOptions.data = initData();
|
||
|
componentOptions.behaviors = initBehaviors(vueOptions);
|
||
|
}
|
||
|
function parseComponent(vueOptions, { parse, mocks: mocks2, isPage: isPage2, initRelation: initRelation2, handleLink: handleLink2, initLifetimes: initLifetimes2 }) {
|
||
|
vueOptions = vueOptions.default || vueOptions;
|
||
|
const options = {
|
||
|
multipleSlots: true,
|
||
|
addGlobalClass: true,
|
||
|
pureDataPattern: /^uP$/
|
||
|
};
|
||
|
if (vueOptions.options) {
|
||
|
extend$1(options, vueOptions.options);
|
||
|
}
|
||
|
const mpComponentOptions = {
|
||
|
options,
|
||
|
lifetimes: initLifetimes2({ mocks: mocks2, isPage: isPage2, initRelation: initRelation2, vueOptions }),
|
||
|
pageLifetimes: {
|
||
|
show() {
|
||
|
this.$vm && this.$vm.$callHook("onPageShow");
|
||
|
},
|
||
|
hide() {
|
||
|
this.$vm && this.$vm.$callHook("onPageHide");
|
||
|
},
|
||
|
resize(size2) {
|
||
|
this.$vm && this.$vm.$callHook("onPageResize", size2);
|
||
|
}
|
||
|
},
|
||
|
methods: {
|
||
|
__l: handleLink2
|
||
|
}
|
||
|
};
|
||
|
{
|
||
|
applyOptions(mpComponentOptions, vueOptions);
|
||
|
}
|
||
|
initProps(mpComponentOptions);
|
||
|
initPropsObserver(mpComponentOptions);
|
||
|
initExtraOptions(mpComponentOptions, vueOptions);
|
||
|
initWxsCallMethods(mpComponentOptions.methods, vueOptions.wxsCallMethods);
|
||
|
if (parse) {
|
||
|
parse(mpComponentOptions, { handleLink: handleLink2 });
|
||
|
}
|
||
|
return mpComponentOptions;
|
||
|
}
|
||
|
function initCreateComponent(parseOptions2) {
|
||
|
return function createComponent2(vueComponentOptions) {
|
||
|
return Component(parseComponent(vueComponentOptions, parseOptions2));
|
||
|
};
|
||
|
}
|
||
|
let $createComponentFn;
|
||
|
let $destroyComponentFn;
|
||
|
function getAppVm() {
|
||
|
return getApp().$vm;
|
||
|
}
|
||
|
function $createComponent(initialVNode, options) {
|
||
|
if (!$createComponentFn) {
|
||
|
$createComponentFn = getAppVm().$createComponent;
|
||
|
}
|
||
|
const proxy = $createComponentFn(initialVNode, options);
|
||
|
return getExposeProxy(proxy.$) || proxy;
|
||
|
}
|
||
|
function $destroyComponent(instance) {
|
||
|
if (!$destroyComponentFn) {
|
||
|
$destroyComponentFn = getApp().$vm.$destroyComponent;
|
||
|
}
|
||
|
return $destroyComponentFn(instance);
|
||
|
}
|
||
|
function parsePage(vueOptions, parseOptions2) {
|
||
|
const { parse, mocks: mocks2, isPage: isPage2, initRelation: initRelation2, handleLink: handleLink2, initLifetimes: initLifetimes2 } = parseOptions2;
|
||
|
const miniProgramPageOptions = parseComponent(vueOptions, {
|
||
|
mocks: mocks2,
|
||
|
isPage: isPage2,
|
||
|
initRelation: initRelation2,
|
||
|
handleLink: handleLink2,
|
||
|
initLifetimes: initLifetimes2
|
||
|
});
|
||
|
initPageProps(miniProgramPageOptions, (vueOptions.default || vueOptions).props);
|
||
|
const methods = miniProgramPageOptions.methods;
|
||
|
methods.onLoad = function(query) {
|
||
|
this.options = query;
|
||
|
this.$page = {
|
||
|
fullPath: addLeadingSlash(this.route + stringifyQuery(query))
|
||
|
};
|
||
|
return this.$vm && this.$vm.$callHook(ON_LOAD, query);
|
||
|
};
|
||
|
initHooks(methods, PAGE_INIT_HOOKS);
|
||
|
{
|
||
|
initUnknownHooks(methods, vueOptions);
|
||
|
}
|
||
|
initRuntimeHooks(methods, vueOptions.__runtimeHooks);
|
||
|
initMixinRuntimeHooks(methods);
|
||
|
parse && parse(miniProgramPageOptions, { handleLink: handleLink2 });
|
||
|
return miniProgramPageOptions;
|
||
|
}
|
||
|
function initCreatePage(parseOptions2) {
|
||
|
return function createPage2(vuePageOptions) {
|
||
|
return Component(parsePage(vuePageOptions, parseOptions2));
|
||
|
};
|
||
|
}
|
||
|
function initCreatePluginApp(parseAppOptions) {
|
||
|
return function createApp2(vm) {
|
||
|
initAppLifecycle(parseApp(vm, parseAppOptions), vm);
|
||
|
};
|
||
|
}
|
||
|
const MPPage = Page;
|
||
|
const MPComponent = Component;
|
||
|
function initTriggerEvent(mpInstance) {
|
||
|
const oldTriggerEvent = mpInstance.triggerEvent;
|
||
|
mpInstance.triggerEvent = function(event, ...args) {
|
||
|
return oldTriggerEvent.apply(mpInstance, [customizeEvent(event), ...args]);
|
||
|
};
|
||
|
}
|
||
|
function initHook(name, options, isComponent) {
|
||
|
const oldHook = options[name];
|
||
|
if (!oldHook) {
|
||
|
options[name] = function() {
|
||
|
initTriggerEvent(this);
|
||
|
};
|
||
|
} else {
|
||
|
options[name] = function(...args) {
|
||
|
initTriggerEvent(this);
|
||
|
return oldHook.apply(this, args);
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
Page = function(options) {
|
||
|
initHook(ON_LOAD, options);
|
||
|
return MPPage(options);
|
||
|
};
|
||
|
Component = function(options) {
|
||
|
initHook("created", options);
|
||
|
const isVueComponent = options.properties && options.properties.uP;
|
||
|
if (!isVueComponent) {
|
||
|
initProps(options);
|
||
|
initPropsObserver(options);
|
||
|
}
|
||
|
return MPComponent(options);
|
||
|
};
|
||
|
function initLifetimes({ mocks: mocks2, isPage: isPage2, initRelation: initRelation2, vueOptions }) {
|
||
|
return {
|
||
|
attached() {
|
||
|
let properties = this.properties;
|
||
|
initVueIds(properties.uI, this);
|
||
|
const relationOptions = {
|
||
|
vuePid: this._$vuePid
|
||
|
};
|
||
|
initRelation2(this, relationOptions);
|
||
|
const mpInstance = this;
|
||
|
const isMiniProgramPage = isPage2(mpInstance);
|
||
|
let propsData = properties;
|
||
|
this.$vm = $createComponent({
|
||
|
type: vueOptions,
|
||
|
props: findPropsData(propsData, isMiniProgramPage)
|
||
|
}, {
|
||
|
mpType: isMiniProgramPage ? "page" : "component",
|
||
|
mpInstance,
|
||
|
slots: properties.uS || {},
|
||
|
parentComponent: relationOptions.parent && relationOptions.parent.$,
|
||
|
onBeforeSetup(instance, options) {
|
||
|
initRefs(instance, mpInstance);
|
||
|
initMocks(instance, mpInstance, mocks2);
|
||
|
initComponentInstance(instance, options);
|
||
|
}
|
||
|
});
|
||
|
},
|
||
|
ready() {
|
||
|
if (this.$vm) {
|
||
|
{
|
||
|
this.$vm.$callHook("mounted");
|
||
|
this.$vm.$callHook(ON_READY);
|
||
|
}
|
||
|
}
|
||
|
},
|
||
|
detached() {
|
||
|
if (this.$vm) {
|
||
|
pruneComponentPropsCache(this.$vm.$.uid);
|
||
|
$destroyComponent(this.$vm);
|
||
|
}
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
const mocks = ["__route__", "__wxExparserNodeId__", "__wxWebviewId__"];
|
||
|
function isPage(mpInstance) {
|
||
|
return !!mpInstance.route;
|
||
|
}
|
||
|
function initRelation(mpInstance, detail) {
|
||
|
mpInstance.triggerEvent("__l", detail);
|
||
|
}
|
||
|
function handleLink(event) {
|
||
|
const detail = event.detail || event.value;
|
||
|
const vuePid = detail.vuePid;
|
||
|
let parentVm;
|
||
|
if (vuePid) {
|
||
|
parentVm = findVmByVueId(this.$vm, vuePid);
|
||
|
}
|
||
|
if (!parentVm) {
|
||
|
parentVm = this.$vm;
|
||
|
}
|
||
|
detail.parent = parentVm;
|
||
|
}
|
||
|
var parseOptions = /* @__PURE__ */ Object.freeze({
|
||
|
__proto__: null,
|
||
|
mocks,
|
||
|
isPage,
|
||
|
initRelation,
|
||
|
handleLink,
|
||
|
initLifetimes
|
||
|
});
|
||
|
const createApp = initCreateApp();
|
||
|
const createPage = initCreatePage(parseOptions);
|
||
|
const createComponent = initCreateComponent(parseOptions);
|
||
|
const createPluginApp = initCreatePluginApp();
|
||
|
const createSubpackageApp = initCreateSubpackageApp();
|
||
|
{
|
||
|
wx.createApp = global.createApp = createApp;
|
||
|
wx.createPage = createPage;
|
||
|
wx.createComponent = createComponent;
|
||
|
wx.createPluginApp = global.createPluginApp = createPluginApp;
|
||
|
wx.createSubpackageApp = global.createSubpackageApp = createSubpackageApp;
|
||
|
}
|
||
|
const createHook = (lifecycle) => (hook, target = getCurrentInstance()) => {
|
||
|
!isInSSRComponentSetup && injectHook(lifecycle, hook, target);
|
||
|
};
|
||
|
const onShow = /* @__PURE__ */ createHook(ON_SHOW$1);
|
||
|
const onLoad = /* @__PURE__ */ createHook(ON_LOAD$1);
|
||
|
//! moment.js
|
||
|
//! version : 2.30.1
|
||
|
//! authors : Tim Wood, Iskren Chernev, Moment.js contributors
|
||
|
//! license : MIT
|
||
|
//! momentjs.com
|
||
|
var hookCallback;
|
||
|
function hooks() {
|
||
|
return hookCallback.apply(null, arguments);
|
||
|
}
|
||
|
function setHookCallback(callback) {
|
||
|
hookCallback = callback;
|
||
|
}
|
||
|
function isArray(input) {
|
||
|
return input instanceof Array || Object.prototype.toString.call(input) === "[object Array]";
|
||
|
}
|
||
|
function isObject(input) {
|
||
|
return input != null && Object.prototype.toString.call(input) === "[object Object]";
|
||
|
}
|
||
|
function hasOwnProp(a, b) {
|
||
|
return Object.prototype.hasOwnProperty.call(a, b);
|
||
|
}
|
||
|
function isObjectEmpty(obj) {
|
||
|
if (Object.getOwnPropertyNames) {
|
||
|
return Object.getOwnPropertyNames(obj).length === 0;
|
||
|
} else {
|
||
|
var k;
|
||
|
for (k in obj) {
|
||
|
if (hasOwnProp(obj, k)) {
|
||
|
return false;
|
||
|
}
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
}
|
||
|
function isUndefined(input) {
|
||
|
return input === void 0;
|
||
|
}
|
||
|
function isNumber(input) {
|
||
|
return typeof input === "number" || Object.prototype.toString.call(input) === "[object Number]";
|
||
|
}
|
||
|
function isDate(input) {
|
||
|
return input instanceof Date || Object.prototype.toString.call(input) === "[object Date]";
|
||
|
}
|
||
|
function map(arr, fn) {
|
||
|
var res = [], i, arrLen = arr.length;
|
||
|
for (i = 0; i < arrLen; ++i) {
|
||
|
res.push(fn(arr[i], i));
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function extend(a, b) {
|
||
|
for (var i in b) {
|
||
|
if (hasOwnProp(b, i)) {
|
||
|
a[i] = b[i];
|
||
|
}
|
||
|
}
|
||
|
if (hasOwnProp(b, "toString")) {
|
||
|
a.toString = b.toString;
|
||
|
}
|
||
|
if (hasOwnProp(b, "valueOf")) {
|
||
|
a.valueOf = b.valueOf;
|
||
|
}
|
||
|
return a;
|
||
|
}
|
||
|
function createUTC(input, format2, locale2, strict) {
|
||
|
return createLocalOrUTC(input, format2, locale2, strict, true).utc();
|
||
|
}
|
||
|
function defaultParsingFlags() {
|
||
|
return {
|
||
|
empty: false,
|
||
|
unusedTokens: [],
|
||
|
unusedInput: [],
|
||
|
overflow: -2,
|
||
|
charsLeftOver: 0,
|
||
|
nullInput: false,
|
||
|
invalidEra: null,
|
||
|
invalidMonth: null,
|
||
|
invalidFormat: false,
|
||
|
userInvalidated: false,
|
||
|
iso: false,
|
||
|
parsedDateParts: [],
|
||
|
era: null,
|
||
|
meridiem: null,
|
||
|
rfc2822: false,
|
||
|
weekdayMismatch: false
|
||
|
};
|
||
|
}
|
||
|
function getParsingFlags(m) {
|
||
|
if (m._pf == null) {
|
||
|
m._pf = defaultParsingFlags();
|
||
|
}
|
||
|
return m._pf;
|
||
|
}
|
||
|
var some;
|
||
|
if (Array.prototype.some) {
|
||
|
some = Array.prototype.some;
|
||
|
} else {
|
||
|
some = function(fun) {
|
||
|
var t2 = Object(this), len = t2.length >>> 0, i;
|
||
|
for (i = 0; i < len; i++) {
|
||
|
if (i in t2 && fun.call(this, t2[i], i, t2)) {
|
||
|
return true;
|
||
|
}
|
||
|
}
|
||
|
return false;
|
||
|
};
|
||
|
}
|
||
|
function isValid(m) {
|
||
|
var flags = null, parsedParts = false, isNowValid = m._d && !isNaN(m._d.getTime());
|
||
|
if (isNowValid) {
|
||
|
flags = getParsingFlags(m);
|
||
|
parsedParts = some.call(flags.parsedDateParts, function(i) {
|
||
|
return i != null;
|
||
|
});
|
||
|
isNowValid = flags.overflow < 0 && !flags.empty && !flags.invalidEra && !flags.invalidMonth && !flags.invalidWeekday && !flags.weekdayMismatch && !flags.nullInput && !flags.invalidFormat && !flags.userInvalidated && (!flags.meridiem || flags.meridiem && parsedParts);
|
||
|
if (m._strict) {
|
||
|
isNowValid = isNowValid && flags.charsLeftOver === 0 && flags.unusedTokens.length === 0 && flags.bigHour === void 0;
|
||
|
}
|
||
|
}
|
||
|
if (Object.isFrozen == null || !Object.isFrozen(m)) {
|
||
|
m._isValid = isNowValid;
|
||
|
} else {
|
||
|
return isNowValid;
|
||
|
}
|
||
|
return m._isValid;
|
||
|
}
|
||
|
function createInvalid(flags) {
|
||
|
var m = createUTC(NaN);
|
||
|
if (flags != null) {
|
||
|
extend(getParsingFlags(m), flags);
|
||
|
} else {
|
||
|
getParsingFlags(m).userInvalidated = true;
|
||
|
}
|
||
|
return m;
|
||
|
}
|
||
|
var momentProperties = hooks.momentProperties = [], updateInProgress = false;
|
||
|
function copyConfig(to2, from2) {
|
||
|
var i, prop, val, momentPropertiesLen = momentProperties.length;
|
||
|
if (!isUndefined(from2._isAMomentObject)) {
|
||
|
to2._isAMomentObject = from2._isAMomentObject;
|
||
|
}
|
||
|
if (!isUndefined(from2._i)) {
|
||
|
to2._i = from2._i;
|
||
|
}
|
||
|
if (!isUndefined(from2._f)) {
|
||
|
to2._f = from2._f;
|
||
|
}
|
||
|
if (!isUndefined(from2._l)) {
|
||
|
to2._l = from2._l;
|
||
|
}
|
||
|
if (!isUndefined(from2._strict)) {
|
||
|
to2._strict = from2._strict;
|
||
|
}
|
||
|
if (!isUndefined(from2._tzm)) {
|
||
|
to2._tzm = from2._tzm;
|
||
|
}
|
||
|
if (!isUndefined(from2._isUTC)) {
|
||
|
to2._isUTC = from2._isUTC;
|
||
|
}
|
||
|
if (!isUndefined(from2._offset)) {
|
||
|
to2._offset = from2._offset;
|
||
|
}
|
||
|
if (!isUndefined(from2._pf)) {
|
||
|
to2._pf = getParsingFlags(from2);
|
||
|
}
|
||
|
if (!isUndefined(from2._locale)) {
|
||
|
to2._locale = from2._locale;
|
||
|
}
|
||
|
if (momentPropertiesLen > 0) {
|
||
|
for (i = 0; i < momentPropertiesLen; i++) {
|
||
|
prop = momentProperties[i];
|
||
|
val = from2[prop];
|
||
|
if (!isUndefined(val)) {
|
||
|
to2[prop] = val;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return to2;
|
||
|
}
|
||
|
function Moment(config) {
|
||
|
copyConfig(this, config);
|
||
|
this._d = new Date(config._d != null ? config._d.getTime() : NaN);
|
||
|
if (!this.isValid()) {
|
||
|
this._d = new Date(NaN);
|
||
|
}
|
||
|
if (updateInProgress === false) {
|
||
|
updateInProgress = true;
|
||
|
hooks.updateOffset(this);
|
||
|
updateInProgress = false;
|
||
|
}
|
||
|
}
|
||
|
function isMoment(obj) {
|
||
|
return obj instanceof Moment || obj != null && obj._isAMomentObject != null;
|
||
|
}
|
||
|
function warn(msg) {
|
||
|
if (hooks.suppressDeprecationWarnings === false && typeof console !== "undefined" && console.warn) {
|
||
|
console.warn("Deprecation warning: " + msg);
|
||
|
}
|
||
|
}
|
||
|
function deprecate(msg, fn) {
|
||
|
var firstTime = true;
|
||
|
return extend(function() {
|
||
|
if (hooks.deprecationHandler != null) {
|
||
|
hooks.deprecationHandler(null, msg);
|
||
|
}
|
||
|
if (firstTime) {
|
||
|
var args = [], arg, i, key, argLen = arguments.length;
|
||
|
for (i = 0; i < argLen; i++) {
|
||
|
arg = "";
|
||
|
if (typeof arguments[i] === "object") {
|
||
|
arg += "\n[" + i + "] ";
|
||
|
for (key in arguments[0]) {
|
||
|
if (hasOwnProp(arguments[0], key)) {
|
||
|
arg += key + ": " + arguments[0][key] + ", ";
|
||
|
}
|
||
|
}
|
||
|
arg = arg.slice(0, -2);
|
||
|
} else {
|
||
|
arg = arguments[i];
|
||
|
}
|
||
|
args.push(arg);
|
||
|
}
|
||
|
warn(msg + "\nArguments: " + Array.prototype.slice.call(args).join("") + "\n" + new Error().stack);
|
||
|
firstTime = false;
|
||
|
}
|
||
|
return fn.apply(this, arguments);
|
||
|
}, fn);
|
||
|
}
|
||
|
var deprecations = {};
|
||
|
function deprecateSimple(name, msg) {
|
||
|
if (hooks.deprecationHandler != null) {
|
||
|
hooks.deprecationHandler(name, msg);
|
||
|
}
|
||
|
if (!deprecations[name]) {
|
||
|
warn(msg);
|
||
|
deprecations[name] = true;
|
||
|
}
|
||
|
}
|
||
|
hooks.suppressDeprecationWarnings = false;
|
||
|
hooks.deprecationHandler = null;
|
||
|
function isFunction(input) {
|
||
|
return typeof Function !== "undefined" && input instanceof Function || Object.prototype.toString.call(input) === "[object Function]";
|
||
|
}
|
||
|
function set(config) {
|
||
|
var prop, i;
|
||
|
for (i in config) {
|
||
|
if (hasOwnProp(config, i)) {
|
||
|
prop = config[i];
|
||
|
if (isFunction(prop)) {
|
||
|
this[i] = prop;
|
||
|
} else {
|
||
|
this["_" + i] = prop;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
this._config = config;
|
||
|
this._dayOfMonthOrdinalParseLenient = new RegExp((this._dayOfMonthOrdinalParse.source || this._ordinalParse.source) + "|" + /\d{1,2}/.source);
|
||
|
}
|
||
|
function mergeConfigs(parentConfig, childConfig) {
|
||
|
var res = extend({}, parentConfig), prop;
|
||
|
for (prop in childConfig) {
|
||
|
if (hasOwnProp(childConfig, prop)) {
|
||
|
if (isObject(parentConfig[prop]) && isObject(childConfig[prop])) {
|
||
|
res[prop] = {};
|
||
|
extend(res[prop], parentConfig[prop]);
|
||
|
extend(res[prop], childConfig[prop]);
|
||
|
} else if (childConfig[prop] != null) {
|
||
|
res[prop] = childConfig[prop];
|
||
|
} else {
|
||
|
delete res[prop];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
for (prop in parentConfig) {
|
||
|
if (hasOwnProp(parentConfig, prop) && !hasOwnProp(childConfig, prop) && isObject(parentConfig[prop])) {
|
||
|
res[prop] = extend({}, res[prop]);
|
||
|
}
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function Locale(config) {
|
||
|
if (config != null) {
|
||
|
this.set(config);
|
||
|
}
|
||
|
}
|
||
|
var keys;
|
||
|
if (Object.keys) {
|
||
|
keys = Object.keys;
|
||
|
} else {
|
||
|
keys = function(obj) {
|
||
|
var i, res = [];
|
||
|
for (i in obj) {
|
||
|
if (hasOwnProp(obj, i)) {
|
||
|
res.push(i);
|
||
|
}
|
||
|
}
|
||
|
return res;
|
||
|
};
|
||
|
}
|
||
|
var defaultCalendar = {
|
||
|
sameDay: "[Today at] LT",
|
||
|
nextDay: "[Tomorrow at] LT",
|
||
|
nextWeek: "dddd [at] LT",
|
||
|
lastDay: "[Yesterday at] LT",
|
||
|
lastWeek: "[Last] dddd [at] LT",
|
||
|
sameElse: "L"
|
||
|
};
|
||
|
function calendar(key, mom, now2) {
|
||
|
var output = this._calendar[key] || this._calendar["sameElse"];
|
||
|
return isFunction(output) ? output.call(mom, now2) : output;
|
||
|
}
|
||
|
function zeroFill(number, targetLength, forceSign) {
|
||
|
var absNumber = "" + Math.abs(number), zerosToFill = targetLength - absNumber.length, sign2 = number >= 0;
|
||
|
return (sign2 ? forceSign ? "+" : "" : "-") + Math.pow(10, Math.max(0, zerosToFill)).toString().substr(1) + absNumber;
|
||
|
}
|
||
|
var formattingTokens = /(\[[^\[]*\])|(\\)?([Hh]mm(ss)?|Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|Qo?|N{1,5}|YYYYYY|YYYYY|YYYY|YY|y{2,4}|yo?|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|kk?|mm?|ss?|S{1,9}|x|X|zz?|ZZ?|.)/g, localFormattingTokens = /(\[[^\[]*\])|(\\)?(LTS|LT|LL?L?L?|l{1,4})/g, formatFunctions = {}, formatTokenFunctions = {};
|
||
|
function addFormatToken(token2, padded, ordinal2, callback) {
|
||
|
var func = callback;
|
||
|
if (typeof callback === "string") {
|
||
|
func = function() {
|
||
|
return this[callback]();
|
||
|
};
|
||
|
}
|
||
|
if (token2) {
|
||
|
formatTokenFunctions[token2] = func;
|
||
|
}
|
||
|
if (padded) {
|
||
|
formatTokenFunctions[padded[0]] = function() {
|
||
|
return zeroFill(func.apply(this, arguments), padded[1], padded[2]);
|
||
|
};
|
||
|
}
|
||
|
if (ordinal2) {
|
||
|
formatTokenFunctions[ordinal2] = function() {
|
||
|
return this.localeData().ordinal(func.apply(this, arguments), token2);
|
||
|
};
|
||
|
}
|
||
|
}
|
||
|
function removeFormattingTokens(input) {
|
||
|
if (input.match(/\[[\s\S]/)) {
|
||
|
return input.replace(/^\[|\]$/g, "");
|
||
|
}
|
||
|
return input.replace(/\\/g, "");
|
||
|
}
|
||
|
function makeFormatFunction(format2) {
|
||
|
var array = format2.match(formattingTokens), i, length;
|
||
|
for (i = 0, length = array.length; i < length; i++) {
|
||
|
if (formatTokenFunctions[array[i]]) {
|
||
|
array[i] = formatTokenFunctions[array[i]];
|
||
|
} else {
|
||
|
array[i] = removeFormattingTokens(array[i]);
|
||
|
}
|
||
|
}
|
||
|
return function(mom) {
|
||
|
var output = "", i2;
|
||
|
for (i2 = 0; i2 < length; i2++) {
|
||
|
output += isFunction(array[i2]) ? array[i2].call(mom, format2) : array[i2];
|
||
|
}
|
||
|
return output;
|
||
|
};
|
||
|
}
|
||
|
function formatMoment(m, format2) {
|
||
|
if (!m.isValid()) {
|
||
|
return m.localeData().invalidDate();
|
||
|
}
|
||
|
format2 = expandFormat(format2, m.localeData());
|
||
|
formatFunctions[format2] = formatFunctions[format2] || makeFormatFunction(format2);
|
||
|
return formatFunctions[format2](m);
|
||
|
}
|
||
|
function expandFormat(format2, locale2) {
|
||
|
var i = 5;
|
||
|
function replaceLongDateFormatTokens(input) {
|
||
|
return locale2.longDateFormat(input) || input;
|
||
|
}
|
||
|
localFormattingTokens.lastIndex = 0;
|
||
|
while (i >= 0 && localFormattingTokens.test(format2)) {
|
||
|
format2 = format2.replace(localFormattingTokens, replaceLongDateFormatTokens);
|
||
|
localFormattingTokens.lastIndex = 0;
|
||
|
i -= 1;
|
||
|
}
|
||
|
return format2;
|
||
|
}
|
||
|
var defaultLongDateFormat = {
|
||
|
LTS: "h:mm:ss A",
|
||
|
LT: "h:mm A",
|
||
|
L: "MM/DD/YYYY",
|
||
|
LL: "MMMM D, YYYY",
|
||
|
LLL: "MMMM D, YYYY h:mm A",
|
||
|
LLLL: "dddd, MMMM D, YYYY h:mm A"
|
||
|
};
|
||
|
function longDateFormat(key) {
|
||
|
var format2 = this._longDateFormat[key], formatUpper = this._longDateFormat[key.toUpperCase()];
|
||
|
if (format2 || !formatUpper) {
|
||
|
return format2;
|
||
|
}
|
||
|
this._longDateFormat[key] = formatUpper.match(formattingTokens).map(function(tok) {
|
||
|
if (tok === "MMMM" || tok === "MM" || tok === "DD" || tok === "dddd") {
|
||
|
return tok.slice(1);
|
||
|
}
|
||
|
return tok;
|
||
|
}).join("");
|
||
|
return this._longDateFormat[key];
|
||
|
}
|
||
|
var defaultInvalidDate = "Invalid date";
|
||
|
function invalidDate() {
|
||
|
return this._invalidDate;
|
||
|
}
|
||
|
var defaultOrdinal = "%d", defaultDayOfMonthOrdinalParse = /\d{1,2}/;
|
||
|
function ordinal(number) {
|
||
|
return this._ordinal.replace("%d", number);
|
||
|
}
|
||
|
var defaultRelativeTime = {
|
||
|
future: "in %s",
|
||
|
past: "%s ago",
|
||
|
s: "a few seconds",
|
||
|
ss: "%d seconds",
|
||
|
m: "a minute",
|
||
|
mm: "%d minutes",
|
||
|
h: "an hour",
|
||
|
hh: "%d hours",
|
||
|
d: "a day",
|
||
|
dd: "%d days",
|
||
|
w: "a week",
|
||
|
ww: "%d weeks",
|
||
|
M: "a month",
|
||
|
MM: "%d months",
|
||
|
y: "a year",
|
||
|
yy: "%d years"
|
||
|
};
|
||
|
function relativeTime(number, withoutSuffix, string, isFuture) {
|
||
|
var output = this._relativeTime[string];
|
||
|
return isFunction(output) ? output(number, withoutSuffix, string, isFuture) : output.replace(/%d/i, number);
|
||
|
}
|
||
|
function pastFuture(diff2, output) {
|
||
|
var format2 = this._relativeTime[diff2 > 0 ? "future" : "past"];
|
||
|
return isFunction(format2) ? format2(output) : format2.replace(/%s/i, output);
|
||
|
}
|
||
|
var aliases = {
|
||
|
D: "date",
|
||
|
dates: "date",
|
||
|
date: "date",
|
||
|
d: "day",
|
||
|
days: "day",
|
||
|
day: "day",
|
||
|
e: "weekday",
|
||
|
weekdays: "weekday",
|
||
|
weekday: "weekday",
|
||
|
E: "isoWeekday",
|
||
|
isoweekdays: "isoWeekday",
|
||
|
isoweekday: "isoWeekday",
|
||
|
DDD: "dayOfYear",
|
||
|
dayofyears: "dayOfYear",
|
||
|
dayofyear: "dayOfYear",
|
||
|
h: "hour",
|
||
|
hours: "hour",
|
||
|
hour: "hour",
|
||
|
ms: "millisecond",
|
||
|
milliseconds: "millisecond",
|
||
|
millisecond: "millisecond",
|
||
|
m: "minute",
|
||
|
minutes: "minute",
|
||
|
minute: "minute",
|
||
|
M: "month",
|
||
|
months: "month",
|
||
|
month: "month",
|
||
|
Q: "quarter",
|
||
|
quarters: "quarter",
|
||
|
quarter: "quarter",
|
||
|
s: "second",
|
||
|
seconds: "second",
|
||
|
second: "second",
|
||
|
gg: "weekYear",
|
||
|
weekyears: "weekYear",
|
||
|
weekyear: "weekYear",
|
||
|
GG: "isoWeekYear",
|
||
|
isoweekyears: "isoWeekYear",
|
||
|
isoweekyear: "isoWeekYear",
|
||
|
w: "week",
|
||
|
weeks: "week",
|
||
|
week: "week",
|
||
|
W: "isoWeek",
|
||
|
isoweeks: "isoWeek",
|
||
|
isoweek: "isoWeek",
|
||
|
y: "year",
|
||
|
years: "year",
|
||
|
year: "year"
|
||
|
};
|
||
|
function normalizeUnits(units) {
|
||
|
return typeof units === "string" ? aliases[units] || aliases[units.toLowerCase()] : void 0;
|
||
|
}
|
||
|
function normalizeObjectUnits(inputObject) {
|
||
|
var normalizedInput = {}, normalizedProp, prop;
|
||
|
for (prop in inputObject) {
|
||
|
if (hasOwnProp(inputObject, prop)) {
|
||
|
normalizedProp = normalizeUnits(prop);
|
||
|
if (normalizedProp) {
|
||
|
normalizedInput[normalizedProp] = inputObject[prop];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return normalizedInput;
|
||
|
}
|
||
|
var priorities = {
|
||
|
date: 9,
|
||
|
day: 11,
|
||
|
weekday: 11,
|
||
|
isoWeekday: 11,
|
||
|
dayOfYear: 4,
|
||
|
hour: 13,
|
||
|
millisecond: 16,
|
||
|
minute: 14,
|
||
|
month: 8,
|
||
|
quarter: 7,
|
||
|
second: 15,
|
||
|
weekYear: 1,
|
||
|
isoWeekYear: 1,
|
||
|
week: 5,
|
||
|
isoWeek: 5,
|
||
|
year: 1
|
||
|
};
|
||
|
function getPrioritizedUnits(unitsObj) {
|
||
|
var units = [], u;
|
||
|
for (u in unitsObj) {
|
||
|
if (hasOwnProp(unitsObj, u)) {
|
||
|
units.push({ unit: u, priority: priorities[u] });
|
||
|
}
|
||
|
}
|
||
|
units.sort(function(a, b) {
|
||
|
return a.priority - b.priority;
|
||
|
});
|
||
|
return units;
|
||
|
}
|
||
|
var match1 = /\d/, match2 = /\d\d/, match3 = /\d{3}/, match4 = /\d{4}/, match6 = /[+-]?\d{6}/, match1to2 = /\d\d?/, match3to4 = /\d\d\d\d?/, match5to6 = /\d\d\d\d\d\d?/, match1to3 = /\d{1,3}/, match1to4 = /\d{1,4}/, match1to6 = /[+-]?\d{1,6}/, matchUnsigned = /\d+/, matchSigned = /[+-]?\d+/, matchOffset = /Z|[+-]\d\d:?\d\d/gi, matchShortOffset = /Z|[+-]\d\d(?::?\d\d)?/gi, matchTimestamp = /[+-]?\d+(\.\d{1,3})?/, matchWord = /[0-9]{0,256}['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFF07\uFF10-\uFFEF]{1,256}|[\u0600-\u06FF\/]{1,256}(\s*?[\u0600-\u06FF]{1,256}){1,2}/i, match1to2NoLeadingZero = /^[1-9]\d?/, match1to2HasZero = /^([1-9]\d|\d)/, regexes;
|
||
|
regexes = {};
|
||
|
function addRegexToken(token2, regex, strictRegex) {
|
||
|
regexes[token2] = isFunction(regex) ? regex : function(isStrict, localeData2) {
|
||
|
return isStrict && strictRegex ? strictRegex : regex;
|
||
|
};
|
||
|
}
|
||
|
function getParseRegexForToken(token2, config) {
|
||
|
if (!hasOwnProp(regexes, token2)) {
|
||
|
return new RegExp(unescapeFormat(token2));
|
||
|
}
|
||
|
return regexes[token2](config._strict, config._locale);
|
||
|
}
|
||
|
function unescapeFormat(s) {
|
||
|
return regexEscape(s.replace("\\", "").replace(/\\(\[)|\\(\])|\[([^\]\[]*)\]|\\(.)/g, function(matched, p1, p2, p3, p4) {
|
||
|
return p1 || p2 || p3 || p4;
|
||
|
}));
|
||
|
}
|
||
|
function regexEscape(s) {
|
||
|
return s.replace(/[-\/\\^$*+?.()|[\]{}]/g, "\\$&");
|
||
|
}
|
||
|
function absFloor(number) {
|
||
|
if (number < 0) {
|
||
|
return Math.ceil(number) || 0;
|
||
|
} else {
|
||
|
return Math.floor(number);
|
||
|
}
|
||
|
}
|
||
|
function toInt(argumentForCoercion) {
|
||
|
var coercedNumber = +argumentForCoercion, value = 0;
|
||
|
if (coercedNumber !== 0 && isFinite(coercedNumber)) {
|
||
|
value = absFloor(coercedNumber);
|
||
|
}
|
||
|
return value;
|
||
|
}
|
||
|
var tokens = {};
|
||
|
function addParseToken(token2, callback) {
|
||
|
var i, func = callback, tokenLen;
|
||
|
if (typeof token2 === "string") {
|
||
|
token2 = [token2];
|
||
|
}
|
||
|
if (isNumber(callback)) {
|
||
|
func = function(input, array) {
|
||
|
array[callback] = toInt(input);
|
||
|
};
|
||
|
}
|
||
|
tokenLen = token2.length;
|
||
|
for (i = 0; i < tokenLen; i++) {
|
||
|
tokens[token2[i]] = func;
|
||
|
}
|
||
|
}
|
||
|
function addWeekParseToken(token2, callback) {
|
||
|
addParseToken(token2, function(input, array, config, token3) {
|
||
|
config._w = config._w || {};
|
||
|
callback(input, config._w, config, token3);
|
||
|
});
|
||
|
}
|
||
|
function addTimeToArrayFromToken(token2, input, config) {
|
||
|
if (input != null && hasOwnProp(tokens, token2)) {
|
||
|
tokens[token2](input, config._a, config, token2);
|
||
|
}
|
||
|
}
|
||
|
function isLeapYear(year) {
|
||
|
return year % 4 === 0 && year % 100 !== 0 || year % 400 === 0;
|
||
|
}
|
||
|
var YEAR = 0, MONTH = 1, DATE = 2, HOUR = 3, MINUTE = 4, SECOND = 5, MILLISECOND = 6, WEEK = 7, WEEKDAY = 8;
|
||
|
addFormatToken("Y", 0, 0, function() {
|
||
|
var y = this.year();
|
||
|
return y <= 9999 ? zeroFill(y, 4) : "+" + y;
|
||
|
});
|
||
|
addFormatToken(0, ["YY", 2], 0, function() {
|
||
|
return this.year() % 100;
|
||
|
});
|
||
|
addFormatToken(0, ["YYYY", 4], 0, "year");
|
||
|
addFormatToken(0, ["YYYYY", 5], 0, "year");
|
||
|
addFormatToken(0, ["YYYYYY", 6, true], 0, "year");
|
||
|
addRegexToken("Y", matchSigned);
|
||
|
addRegexToken("YY", match1to2, match2);
|
||
|
addRegexToken("YYYY", match1to4, match4);
|
||
|
addRegexToken("YYYYY", match1to6, match6);
|
||
|
addRegexToken("YYYYYY", match1to6, match6);
|
||
|
addParseToken(["YYYYY", "YYYYYY"], YEAR);
|
||
|
addParseToken("YYYY", function(input, array) {
|
||
|
array[YEAR] = input.length === 2 ? hooks.parseTwoDigitYear(input) : toInt(input);
|
||
|
});
|
||
|
addParseToken("YY", function(input, array) {
|
||
|
array[YEAR] = hooks.parseTwoDigitYear(input);
|
||
|
});
|
||
|
addParseToken("Y", function(input, array) {
|
||
|
array[YEAR] = parseInt(input, 10);
|
||
|
});
|
||
|
function daysInYear(year) {
|
||
|
return isLeapYear(year) ? 366 : 365;
|
||
|
}
|
||
|
hooks.parseTwoDigitYear = function(input) {
|
||
|
return toInt(input) + (toInt(input) > 68 ? 1900 : 2e3);
|
||
|
};
|
||
|
var getSetYear = makeGetSet("FullYear", true);
|
||
|
function getIsLeapYear() {
|
||
|
return isLeapYear(this.year());
|
||
|
}
|
||
|
function makeGetSet(unit, keepTime) {
|
||
|
return function(value) {
|
||
|
if (value != null) {
|
||
|
set$1(this, unit, value);
|
||
|
hooks.updateOffset(this, keepTime);
|
||
|
return this;
|
||
|
} else {
|
||
|
return get(this, unit);
|
||
|
}
|
||
|
};
|
||
|
}
|
||
|
function get(mom, unit) {
|
||
|
if (!mom.isValid()) {
|
||
|
return NaN;
|
||
|
}
|
||
|
var d = mom._d, isUTC = mom._isUTC;
|
||
|
switch (unit) {
|
||
|
case "Milliseconds":
|
||
|
return isUTC ? d.getUTCMilliseconds() : d.getMilliseconds();
|
||
|
case "Seconds":
|
||
|
return isUTC ? d.getUTCSeconds() : d.getSeconds();
|
||
|
case "Minutes":
|
||
|
return isUTC ? d.getUTCMinutes() : d.getMinutes();
|
||
|
case "Hours":
|
||
|
return isUTC ? d.getUTCHours() : d.getHours();
|
||
|
case "Date":
|
||
|
return isUTC ? d.getUTCDate() : d.getDate();
|
||
|
case "Day":
|
||
|
return isUTC ? d.getUTCDay() : d.getDay();
|
||
|
case "Month":
|
||
|
return isUTC ? d.getUTCMonth() : d.getMonth();
|
||
|
case "FullYear":
|
||
|
return isUTC ? d.getUTCFullYear() : d.getFullYear();
|
||
|
default:
|
||
|
return NaN;
|
||
|
}
|
||
|
}
|
||
|
function set$1(mom, unit, value) {
|
||
|
var d, isUTC, year, month, date;
|
||
|
if (!mom.isValid() || isNaN(value)) {
|
||
|
return;
|
||
|
}
|
||
|
d = mom._d;
|
||
|
isUTC = mom._isUTC;
|
||
|
switch (unit) {
|
||
|
case "Milliseconds":
|
||
|
return void (isUTC ? d.setUTCMilliseconds(value) : d.setMilliseconds(value));
|
||
|
case "Seconds":
|
||
|
return void (isUTC ? d.setUTCSeconds(value) : d.setSeconds(value));
|
||
|
case "Minutes":
|
||
|
return void (isUTC ? d.setUTCMinutes(value) : d.setMinutes(value));
|
||
|
case "Hours":
|
||
|
return void (isUTC ? d.setUTCHours(value) : d.setHours(value));
|
||
|
case "Date":
|
||
|
return void (isUTC ? d.setUTCDate(value) : d.setDate(value));
|
||
|
case "FullYear":
|
||
|
break;
|
||
|
default:
|
||
|
return;
|
||
|
}
|
||
|
year = value;
|
||
|
month = mom.month();
|
||
|
date = mom.date();
|
||
|
date = date === 29 && month === 1 && !isLeapYear(year) ? 28 : date;
|
||
|
void (isUTC ? d.setUTCFullYear(year, month, date) : d.setFullYear(year, month, date));
|
||
|
}
|
||
|
function stringGet(units) {
|
||
|
units = normalizeUnits(units);
|
||
|
if (isFunction(this[units])) {
|
||
|
return this[units]();
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function stringSet(units, value) {
|
||
|
if (typeof units === "object") {
|
||
|
units = normalizeObjectUnits(units);
|
||
|
var prioritized = getPrioritizedUnits(units), i, prioritizedLen = prioritized.length;
|
||
|
for (i = 0; i < prioritizedLen; i++) {
|
||
|
this[prioritized[i].unit](units[prioritized[i].unit]);
|
||
|
}
|
||
|
} else {
|
||
|
units = normalizeUnits(units);
|
||
|
if (isFunction(this[units])) {
|
||
|
return this[units](value);
|
||
|
}
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function mod(n2, x) {
|
||
|
return (n2 % x + x) % x;
|
||
|
}
|
||
|
var indexOf;
|
||
|
if (Array.prototype.indexOf) {
|
||
|
indexOf = Array.prototype.indexOf;
|
||
|
} else {
|
||
|
indexOf = function(o2) {
|
||
|
var i;
|
||
|
for (i = 0; i < this.length; ++i) {
|
||
|
if (this[i] === o2) {
|
||
|
return i;
|
||
|
}
|
||
|
}
|
||
|
return -1;
|
||
|
};
|
||
|
}
|
||
|
function daysInMonth(year, month) {
|
||
|
if (isNaN(year) || isNaN(month)) {
|
||
|
return NaN;
|
||
|
}
|
||
|
var modMonth = mod(month, 12);
|
||
|
year += (month - modMonth) / 12;
|
||
|
return modMonth === 1 ? isLeapYear(year) ? 29 : 28 : 31 - modMonth % 7 % 2;
|
||
|
}
|
||
|
addFormatToken("M", ["MM", 2], "Mo", function() {
|
||
|
return this.month() + 1;
|
||
|
});
|
||
|
addFormatToken("MMM", 0, 0, function(format2) {
|
||
|
return this.localeData().monthsShort(this, format2);
|
||
|
});
|
||
|
addFormatToken("MMMM", 0, 0, function(format2) {
|
||
|
return this.localeData().months(this, format2);
|
||
|
});
|
||
|
addRegexToken("M", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("MM", match1to2, match2);
|
||
|
addRegexToken("MMM", function(isStrict, locale2) {
|
||
|
return locale2.monthsShortRegex(isStrict);
|
||
|
});
|
||
|
addRegexToken("MMMM", function(isStrict, locale2) {
|
||
|
return locale2.monthsRegex(isStrict);
|
||
|
});
|
||
|
addParseToken(["M", "MM"], function(input, array) {
|
||
|
array[MONTH] = toInt(input) - 1;
|
||
|
});
|
||
|
addParseToken(["MMM", "MMMM"], function(input, array, config, token2) {
|
||
|
var month = config._locale.monthsParse(input, token2, config._strict);
|
||
|
if (month != null) {
|
||
|
array[MONTH] = month;
|
||
|
} else {
|
||
|
getParsingFlags(config).invalidMonth = input;
|
||
|
}
|
||
|
});
|
||
|
var defaultLocaleMonths = "January_February_March_April_May_June_July_August_September_October_November_December".split("_"), defaultLocaleMonthsShort = "Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"), MONTHS_IN_FORMAT = /D[oD]?(\[[^\[\]]*\]|\s)+MMMM?/, defaultMonthsShortRegex = matchWord, defaultMonthsRegex = matchWord;
|
||
|
function localeMonths(m, format2) {
|
||
|
if (!m) {
|
||
|
return isArray(this._months) ? this._months : this._months["standalone"];
|
||
|
}
|
||
|
return isArray(this._months) ? this._months[m.month()] : this._months[(this._months.isFormat || MONTHS_IN_FORMAT).test(format2) ? "format" : "standalone"][m.month()];
|
||
|
}
|
||
|
function localeMonthsShort(m, format2) {
|
||
|
if (!m) {
|
||
|
return isArray(this._monthsShort) ? this._monthsShort : this._monthsShort["standalone"];
|
||
|
}
|
||
|
return isArray(this._monthsShort) ? this._monthsShort[m.month()] : this._monthsShort[MONTHS_IN_FORMAT.test(format2) ? "format" : "standalone"][m.month()];
|
||
|
}
|
||
|
function handleStrictParse(monthName, format2, strict) {
|
||
|
var i, ii, mom, llc = monthName.toLocaleLowerCase();
|
||
|
if (!this._monthsParse) {
|
||
|
this._monthsParse = [];
|
||
|
this._longMonthsParse = [];
|
||
|
this._shortMonthsParse = [];
|
||
|
for (i = 0; i < 12; ++i) {
|
||
|
mom = createUTC([2e3, i]);
|
||
|
this._shortMonthsParse[i] = this.monthsShort(mom, "").toLocaleLowerCase();
|
||
|
this._longMonthsParse[i] = this.months(mom, "").toLocaleLowerCase();
|
||
|
}
|
||
|
}
|
||
|
if (strict) {
|
||
|
if (format2 === "MMM") {
|
||
|
ii = indexOf.call(this._shortMonthsParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else {
|
||
|
ii = indexOf.call(this._longMonthsParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
}
|
||
|
} else {
|
||
|
if (format2 === "MMM") {
|
||
|
ii = indexOf.call(this._shortMonthsParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._longMonthsParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else {
|
||
|
ii = indexOf.call(this._longMonthsParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._shortMonthsParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function localeMonthsParse(monthName, format2, strict) {
|
||
|
var i, mom, regex;
|
||
|
if (this._monthsParseExact) {
|
||
|
return handleStrictParse.call(this, monthName, format2, strict);
|
||
|
}
|
||
|
if (!this._monthsParse) {
|
||
|
this._monthsParse = [];
|
||
|
this._longMonthsParse = [];
|
||
|
this._shortMonthsParse = [];
|
||
|
}
|
||
|
for (i = 0; i < 12; i++) {
|
||
|
mom = createUTC([2e3, i]);
|
||
|
if (strict && !this._longMonthsParse[i]) {
|
||
|
this._longMonthsParse[i] = new RegExp("^" + this.months(mom, "").replace(".", "") + "$", "i");
|
||
|
this._shortMonthsParse[i] = new RegExp("^" + this.monthsShort(mom, "").replace(".", "") + "$", "i");
|
||
|
}
|
||
|
if (!strict && !this._monthsParse[i]) {
|
||
|
regex = "^" + this.months(mom, "") + "|^" + this.monthsShort(mom, "");
|
||
|
this._monthsParse[i] = new RegExp(regex.replace(".", ""), "i");
|
||
|
}
|
||
|
if (strict && format2 === "MMMM" && this._longMonthsParse[i].test(monthName)) {
|
||
|
return i;
|
||
|
} else if (strict && format2 === "MMM" && this._shortMonthsParse[i].test(monthName)) {
|
||
|
return i;
|
||
|
} else if (!strict && this._monthsParse[i].test(monthName)) {
|
||
|
return i;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function setMonth(mom, value) {
|
||
|
if (!mom.isValid()) {
|
||
|
return mom;
|
||
|
}
|
||
|
if (typeof value === "string") {
|
||
|
if (/^\d+$/.test(value)) {
|
||
|
value = toInt(value);
|
||
|
} else {
|
||
|
value = mom.localeData().monthsParse(value);
|
||
|
if (!isNumber(value)) {
|
||
|
return mom;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
var month = value, date = mom.date();
|
||
|
date = date < 29 ? date : Math.min(date, daysInMonth(mom.year(), month));
|
||
|
void (mom._isUTC ? mom._d.setUTCMonth(month, date) : mom._d.setMonth(month, date));
|
||
|
return mom;
|
||
|
}
|
||
|
function getSetMonth(value) {
|
||
|
if (value != null) {
|
||
|
setMonth(this, value);
|
||
|
hooks.updateOffset(this, true);
|
||
|
return this;
|
||
|
} else {
|
||
|
return get(this, "Month");
|
||
|
}
|
||
|
}
|
||
|
function getDaysInMonth() {
|
||
|
return daysInMonth(this.year(), this.month());
|
||
|
}
|
||
|
function monthsShortRegex(isStrict) {
|
||
|
if (this._monthsParseExact) {
|
||
|
if (!hasOwnProp(this, "_monthsRegex")) {
|
||
|
computeMonthsParse.call(this);
|
||
|
}
|
||
|
if (isStrict) {
|
||
|
return this._monthsShortStrictRegex;
|
||
|
} else {
|
||
|
return this._monthsShortRegex;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwnProp(this, "_monthsShortRegex")) {
|
||
|
this._monthsShortRegex = defaultMonthsShortRegex;
|
||
|
}
|
||
|
return this._monthsShortStrictRegex && isStrict ? this._monthsShortStrictRegex : this._monthsShortRegex;
|
||
|
}
|
||
|
}
|
||
|
function monthsRegex(isStrict) {
|
||
|
if (this._monthsParseExact) {
|
||
|
if (!hasOwnProp(this, "_monthsRegex")) {
|
||
|
computeMonthsParse.call(this);
|
||
|
}
|
||
|
if (isStrict) {
|
||
|
return this._monthsStrictRegex;
|
||
|
} else {
|
||
|
return this._monthsRegex;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwnProp(this, "_monthsRegex")) {
|
||
|
this._monthsRegex = defaultMonthsRegex;
|
||
|
}
|
||
|
return this._monthsStrictRegex && isStrict ? this._monthsStrictRegex : this._monthsRegex;
|
||
|
}
|
||
|
}
|
||
|
function computeMonthsParse() {
|
||
|
function cmpLenRev(a, b) {
|
||
|
return b.length - a.length;
|
||
|
}
|
||
|
var shortPieces = [], longPieces = [], mixedPieces = [], i, mom, shortP, longP;
|
||
|
for (i = 0; i < 12; i++) {
|
||
|
mom = createUTC([2e3, i]);
|
||
|
shortP = regexEscape(this.monthsShort(mom, ""));
|
||
|
longP = regexEscape(this.months(mom, ""));
|
||
|
shortPieces.push(shortP);
|
||
|
longPieces.push(longP);
|
||
|
mixedPieces.push(longP);
|
||
|
mixedPieces.push(shortP);
|
||
|
}
|
||
|
shortPieces.sort(cmpLenRev);
|
||
|
longPieces.sort(cmpLenRev);
|
||
|
mixedPieces.sort(cmpLenRev);
|
||
|
this._monthsRegex = new RegExp("^(" + mixedPieces.join("|") + ")", "i");
|
||
|
this._monthsShortRegex = this._monthsRegex;
|
||
|
this._monthsStrictRegex = new RegExp("^(" + longPieces.join("|") + ")", "i");
|
||
|
this._monthsShortStrictRegex = new RegExp("^(" + shortPieces.join("|") + ")", "i");
|
||
|
}
|
||
|
function createDate(y, m, d, h, M, s, ms) {
|
||
|
var date;
|
||
|
if (y < 100 && y >= 0) {
|
||
|
date = new Date(y + 400, m, d, h, M, s, ms);
|
||
|
if (isFinite(date.getFullYear())) {
|
||
|
date.setFullYear(y);
|
||
|
}
|
||
|
} else {
|
||
|
date = new Date(y, m, d, h, M, s, ms);
|
||
|
}
|
||
|
return date;
|
||
|
}
|
||
|
function createUTCDate(y) {
|
||
|
var date, args;
|
||
|
if (y < 100 && y >= 0) {
|
||
|
args = Array.prototype.slice.call(arguments);
|
||
|
args[0] = y + 400;
|
||
|
date = new Date(Date.UTC.apply(null, args));
|
||
|
if (isFinite(date.getUTCFullYear())) {
|
||
|
date.setUTCFullYear(y);
|
||
|
}
|
||
|
} else {
|
||
|
date = new Date(Date.UTC.apply(null, arguments));
|
||
|
}
|
||
|
return date;
|
||
|
}
|
||
|
function firstWeekOffset(year, dow, doy) {
|
||
|
var fwd = 7 + dow - doy, fwdlw = (7 + createUTCDate(year, 0, fwd).getUTCDay() - dow) % 7;
|
||
|
return -fwdlw + fwd - 1;
|
||
|
}
|
||
|
function dayOfYearFromWeeks(year, week, weekday, dow, doy) {
|
||
|
var localWeekday = (7 + weekday - dow) % 7, weekOffset = firstWeekOffset(year, dow, doy), dayOfYear = 1 + 7 * (week - 1) + localWeekday + weekOffset, resYear, resDayOfYear;
|
||
|
if (dayOfYear <= 0) {
|
||
|
resYear = year - 1;
|
||
|
resDayOfYear = daysInYear(resYear) + dayOfYear;
|
||
|
} else if (dayOfYear > daysInYear(year)) {
|
||
|
resYear = year + 1;
|
||
|
resDayOfYear = dayOfYear - daysInYear(year);
|
||
|
} else {
|
||
|
resYear = year;
|
||
|
resDayOfYear = dayOfYear;
|
||
|
}
|
||
|
return {
|
||
|
year: resYear,
|
||
|
dayOfYear: resDayOfYear
|
||
|
};
|
||
|
}
|
||
|
function weekOfYear(mom, dow, doy) {
|
||
|
var weekOffset = firstWeekOffset(mom.year(), dow, doy), week = Math.floor((mom.dayOfYear() - weekOffset - 1) / 7) + 1, resWeek, resYear;
|
||
|
if (week < 1) {
|
||
|
resYear = mom.year() - 1;
|
||
|
resWeek = week + weeksInYear(resYear, dow, doy);
|
||
|
} else if (week > weeksInYear(mom.year(), dow, doy)) {
|
||
|
resWeek = week - weeksInYear(mom.year(), dow, doy);
|
||
|
resYear = mom.year() + 1;
|
||
|
} else {
|
||
|
resYear = mom.year();
|
||
|
resWeek = week;
|
||
|
}
|
||
|
return {
|
||
|
week: resWeek,
|
||
|
year: resYear
|
||
|
};
|
||
|
}
|
||
|
function weeksInYear(year, dow, doy) {
|
||
|
var weekOffset = firstWeekOffset(year, dow, doy), weekOffsetNext = firstWeekOffset(year + 1, dow, doy);
|
||
|
return (daysInYear(year) - weekOffset + weekOffsetNext) / 7;
|
||
|
}
|
||
|
addFormatToken("w", ["ww", 2], "wo", "week");
|
||
|
addFormatToken("W", ["WW", 2], "Wo", "isoWeek");
|
||
|
addRegexToken("w", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("ww", match1to2, match2);
|
||
|
addRegexToken("W", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("WW", match1to2, match2);
|
||
|
addWeekParseToken(["w", "ww", "W", "WW"], function(input, week, config, token2) {
|
||
|
week[token2.substr(0, 1)] = toInt(input);
|
||
|
});
|
||
|
function localeWeek(mom) {
|
||
|
return weekOfYear(mom, this._week.dow, this._week.doy).week;
|
||
|
}
|
||
|
var defaultLocaleWeek = {
|
||
|
dow: 0,
|
||
|
doy: 6
|
||
|
};
|
||
|
function localeFirstDayOfWeek() {
|
||
|
return this._week.dow;
|
||
|
}
|
||
|
function localeFirstDayOfYear() {
|
||
|
return this._week.doy;
|
||
|
}
|
||
|
function getSetWeek(input) {
|
||
|
var week = this.localeData().week(this);
|
||
|
return input == null ? week : this.add((input - week) * 7, "d");
|
||
|
}
|
||
|
function getSetISOWeek(input) {
|
||
|
var week = weekOfYear(this, 1, 4).week;
|
||
|
return input == null ? week : this.add((input - week) * 7, "d");
|
||
|
}
|
||
|
addFormatToken("d", 0, "do", "day");
|
||
|
addFormatToken("dd", 0, 0, function(format2) {
|
||
|
return this.localeData().weekdaysMin(this, format2);
|
||
|
});
|
||
|
addFormatToken("ddd", 0, 0, function(format2) {
|
||
|
return this.localeData().weekdaysShort(this, format2);
|
||
|
});
|
||
|
addFormatToken("dddd", 0, 0, function(format2) {
|
||
|
return this.localeData().weekdays(this, format2);
|
||
|
});
|
||
|
addFormatToken("e", 0, 0, "weekday");
|
||
|
addFormatToken("E", 0, 0, "isoWeekday");
|
||
|
addRegexToken("d", match1to2);
|
||
|
addRegexToken("e", match1to2);
|
||
|
addRegexToken("E", match1to2);
|
||
|
addRegexToken("dd", function(isStrict, locale2) {
|
||
|
return locale2.weekdaysMinRegex(isStrict);
|
||
|
});
|
||
|
addRegexToken("ddd", function(isStrict, locale2) {
|
||
|
return locale2.weekdaysShortRegex(isStrict);
|
||
|
});
|
||
|
addRegexToken("dddd", function(isStrict, locale2) {
|
||
|
return locale2.weekdaysRegex(isStrict);
|
||
|
});
|
||
|
addWeekParseToken(["dd", "ddd", "dddd"], function(input, week, config, token2) {
|
||
|
var weekday = config._locale.weekdaysParse(input, token2, config._strict);
|
||
|
if (weekday != null) {
|
||
|
week.d = weekday;
|
||
|
} else {
|
||
|
getParsingFlags(config).invalidWeekday = input;
|
||
|
}
|
||
|
});
|
||
|
addWeekParseToken(["d", "e", "E"], function(input, week, config, token2) {
|
||
|
week[token2] = toInt(input);
|
||
|
});
|
||
|
function parseWeekday(input, locale2) {
|
||
|
if (typeof input !== "string") {
|
||
|
return input;
|
||
|
}
|
||
|
if (!isNaN(input)) {
|
||
|
return parseInt(input, 10);
|
||
|
}
|
||
|
input = locale2.weekdaysParse(input);
|
||
|
if (typeof input === "number") {
|
||
|
return input;
|
||
|
}
|
||
|
return null;
|
||
|
}
|
||
|
function parseIsoWeekday(input, locale2) {
|
||
|
if (typeof input === "string") {
|
||
|
return locale2.weekdaysParse(input) % 7 || 7;
|
||
|
}
|
||
|
return isNaN(input) ? null : input;
|
||
|
}
|
||
|
function shiftWeekdays(ws, n2) {
|
||
|
return ws.slice(n2, 7).concat(ws.slice(0, n2));
|
||
|
}
|
||
|
var defaultLocaleWeekdays = "Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"), defaultLocaleWeekdaysShort = "Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"), defaultLocaleWeekdaysMin = "Su_Mo_Tu_We_Th_Fr_Sa".split("_"), defaultWeekdaysRegex = matchWord, defaultWeekdaysShortRegex = matchWord, defaultWeekdaysMinRegex = matchWord;
|
||
|
function localeWeekdays(m, format2) {
|
||
|
var weekdays = isArray(this._weekdays) ? this._weekdays : this._weekdays[m && m !== true && this._weekdays.isFormat.test(format2) ? "format" : "standalone"];
|
||
|
return m === true ? shiftWeekdays(weekdays, this._week.dow) : m ? weekdays[m.day()] : weekdays;
|
||
|
}
|
||
|
function localeWeekdaysShort(m) {
|
||
|
return m === true ? shiftWeekdays(this._weekdaysShort, this._week.dow) : m ? this._weekdaysShort[m.day()] : this._weekdaysShort;
|
||
|
}
|
||
|
function localeWeekdaysMin(m) {
|
||
|
return m === true ? shiftWeekdays(this._weekdaysMin, this._week.dow) : m ? this._weekdaysMin[m.day()] : this._weekdaysMin;
|
||
|
}
|
||
|
function handleStrictParse$1(weekdayName, format2, strict) {
|
||
|
var i, ii, mom, llc = weekdayName.toLocaleLowerCase();
|
||
|
if (!this._weekdaysParse) {
|
||
|
this._weekdaysParse = [];
|
||
|
this._shortWeekdaysParse = [];
|
||
|
this._minWeekdaysParse = [];
|
||
|
for (i = 0; i < 7; ++i) {
|
||
|
mom = createUTC([2e3, 1]).day(i);
|
||
|
this._minWeekdaysParse[i] = this.weekdaysMin(mom, "").toLocaleLowerCase();
|
||
|
this._shortWeekdaysParse[i] = this.weekdaysShort(mom, "").toLocaleLowerCase();
|
||
|
this._weekdaysParse[i] = this.weekdays(mom, "").toLocaleLowerCase();
|
||
|
}
|
||
|
}
|
||
|
if (strict) {
|
||
|
if (format2 === "dddd") {
|
||
|
ii = indexOf.call(this._weekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else if (format2 === "ddd") {
|
||
|
ii = indexOf.call(this._shortWeekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else {
|
||
|
ii = indexOf.call(this._minWeekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
}
|
||
|
} else {
|
||
|
if (format2 === "dddd") {
|
||
|
ii = indexOf.call(this._weekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._shortWeekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._minWeekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else if (format2 === "ddd") {
|
||
|
ii = indexOf.call(this._shortWeekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._weekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._minWeekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
} else {
|
||
|
ii = indexOf.call(this._minWeekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._weekdaysParse, llc);
|
||
|
if (ii !== -1) {
|
||
|
return ii;
|
||
|
}
|
||
|
ii = indexOf.call(this._shortWeekdaysParse, llc);
|
||
|
return ii !== -1 ? ii : null;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function localeWeekdaysParse(weekdayName, format2, strict) {
|
||
|
var i, mom, regex;
|
||
|
if (this._weekdaysParseExact) {
|
||
|
return handleStrictParse$1.call(this, weekdayName, format2, strict);
|
||
|
}
|
||
|
if (!this._weekdaysParse) {
|
||
|
this._weekdaysParse = [];
|
||
|
this._minWeekdaysParse = [];
|
||
|
this._shortWeekdaysParse = [];
|
||
|
this._fullWeekdaysParse = [];
|
||
|
}
|
||
|
for (i = 0; i < 7; i++) {
|
||
|
mom = createUTC([2e3, 1]).day(i);
|
||
|
if (strict && !this._fullWeekdaysParse[i]) {
|
||
|
this._fullWeekdaysParse[i] = new RegExp("^" + this.weekdays(mom, "").replace(".", "\\.?") + "$", "i");
|
||
|
this._shortWeekdaysParse[i] = new RegExp("^" + this.weekdaysShort(mom, "").replace(".", "\\.?") + "$", "i");
|
||
|
this._minWeekdaysParse[i] = new RegExp("^" + this.weekdaysMin(mom, "").replace(".", "\\.?") + "$", "i");
|
||
|
}
|
||
|
if (!this._weekdaysParse[i]) {
|
||
|
regex = "^" + this.weekdays(mom, "") + "|^" + this.weekdaysShort(mom, "") + "|^" + this.weekdaysMin(mom, "");
|
||
|
this._weekdaysParse[i] = new RegExp(regex.replace(".", ""), "i");
|
||
|
}
|
||
|
if (strict && format2 === "dddd" && this._fullWeekdaysParse[i].test(weekdayName)) {
|
||
|
return i;
|
||
|
} else if (strict && format2 === "ddd" && this._shortWeekdaysParse[i].test(weekdayName)) {
|
||
|
return i;
|
||
|
} else if (strict && format2 === "dd" && this._minWeekdaysParse[i].test(weekdayName)) {
|
||
|
return i;
|
||
|
} else if (!strict && this._weekdaysParse[i].test(weekdayName)) {
|
||
|
return i;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function getSetDayOfWeek(input) {
|
||
|
if (!this.isValid()) {
|
||
|
return input != null ? this : NaN;
|
||
|
}
|
||
|
var day = get(this, "Day");
|
||
|
if (input != null) {
|
||
|
input = parseWeekday(input, this.localeData());
|
||
|
return this.add(input - day, "d");
|
||
|
} else {
|
||
|
return day;
|
||
|
}
|
||
|
}
|
||
|
function getSetLocaleDayOfWeek(input) {
|
||
|
if (!this.isValid()) {
|
||
|
return input != null ? this : NaN;
|
||
|
}
|
||
|
var weekday = (this.day() + 7 - this.localeData()._week.dow) % 7;
|
||
|
return input == null ? weekday : this.add(input - weekday, "d");
|
||
|
}
|
||
|
function getSetISODayOfWeek(input) {
|
||
|
if (!this.isValid()) {
|
||
|
return input != null ? this : NaN;
|
||
|
}
|
||
|
if (input != null) {
|
||
|
var weekday = parseIsoWeekday(input, this.localeData());
|
||
|
return this.day(this.day() % 7 ? weekday : weekday - 7);
|
||
|
} else {
|
||
|
return this.day() || 7;
|
||
|
}
|
||
|
}
|
||
|
function weekdaysRegex(isStrict) {
|
||
|
if (this._weekdaysParseExact) {
|
||
|
if (!hasOwnProp(this, "_weekdaysRegex")) {
|
||
|
computeWeekdaysParse.call(this);
|
||
|
}
|
||
|
if (isStrict) {
|
||
|
return this._weekdaysStrictRegex;
|
||
|
} else {
|
||
|
return this._weekdaysRegex;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwnProp(this, "_weekdaysRegex")) {
|
||
|
this._weekdaysRegex = defaultWeekdaysRegex;
|
||
|
}
|
||
|
return this._weekdaysStrictRegex && isStrict ? this._weekdaysStrictRegex : this._weekdaysRegex;
|
||
|
}
|
||
|
}
|
||
|
function weekdaysShortRegex(isStrict) {
|
||
|
if (this._weekdaysParseExact) {
|
||
|
if (!hasOwnProp(this, "_weekdaysRegex")) {
|
||
|
computeWeekdaysParse.call(this);
|
||
|
}
|
||
|
if (isStrict) {
|
||
|
return this._weekdaysShortStrictRegex;
|
||
|
} else {
|
||
|
return this._weekdaysShortRegex;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwnProp(this, "_weekdaysShortRegex")) {
|
||
|
this._weekdaysShortRegex = defaultWeekdaysShortRegex;
|
||
|
}
|
||
|
return this._weekdaysShortStrictRegex && isStrict ? this._weekdaysShortStrictRegex : this._weekdaysShortRegex;
|
||
|
}
|
||
|
}
|
||
|
function weekdaysMinRegex(isStrict) {
|
||
|
if (this._weekdaysParseExact) {
|
||
|
if (!hasOwnProp(this, "_weekdaysRegex")) {
|
||
|
computeWeekdaysParse.call(this);
|
||
|
}
|
||
|
if (isStrict) {
|
||
|
return this._weekdaysMinStrictRegex;
|
||
|
} else {
|
||
|
return this._weekdaysMinRegex;
|
||
|
}
|
||
|
} else {
|
||
|
if (!hasOwnProp(this, "_weekdaysMinRegex")) {
|
||
|
this._weekdaysMinRegex = defaultWeekdaysMinRegex;
|
||
|
}
|
||
|
return this._weekdaysMinStrictRegex && isStrict ? this._weekdaysMinStrictRegex : this._weekdaysMinRegex;
|
||
|
}
|
||
|
}
|
||
|
function computeWeekdaysParse() {
|
||
|
function cmpLenRev(a, b) {
|
||
|
return b.length - a.length;
|
||
|
}
|
||
|
var minPieces = [], shortPieces = [], longPieces = [], mixedPieces = [], i, mom, minp, shortp, longp;
|
||
|
for (i = 0; i < 7; i++) {
|
||
|
mom = createUTC([2e3, 1]).day(i);
|
||
|
minp = regexEscape(this.weekdaysMin(mom, ""));
|
||
|
shortp = regexEscape(this.weekdaysShort(mom, ""));
|
||
|
longp = regexEscape(this.weekdays(mom, ""));
|
||
|
minPieces.push(minp);
|
||
|
shortPieces.push(shortp);
|
||
|
longPieces.push(longp);
|
||
|
mixedPieces.push(minp);
|
||
|
mixedPieces.push(shortp);
|
||
|
mixedPieces.push(longp);
|
||
|
}
|
||
|
minPieces.sort(cmpLenRev);
|
||
|
shortPieces.sort(cmpLenRev);
|
||
|
longPieces.sort(cmpLenRev);
|
||
|
mixedPieces.sort(cmpLenRev);
|
||
|
this._weekdaysRegex = new RegExp("^(" + mixedPieces.join("|") + ")", "i");
|
||
|
this._weekdaysShortRegex = this._weekdaysRegex;
|
||
|
this._weekdaysMinRegex = this._weekdaysRegex;
|
||
|
this._weekdaysStrictRegex = new RegExp("^(" + longPieces.join("|") + ")", "i");
|
||
|
this._weekdaysShortStrictRegex = new RegExp("^(" + shortPieces.join("|") + ")", "i");
|
||
|
this._weekdaysMinStrictRegex = new RegExp("^(" + minPieces.join("|") + ")", "i");
|
||
|
}
|
||
|
function hFormat() {
|
||
|
return this.hours() % 12 || 12;
|
||
|
}
|
||
|
function kFormat() {
|
||
|
return this.hours() || 24;
|
||
|
}
|
||
|
addFormatToken("H", ["HH", 2], 0, "hour");
|
||
|
addFormatToken("h", ["hh", 2], 0, hFormat);
|
||
|
addFormatToken("k", ["kk", 2], 0, kFormat);
|
||
|
addFormatToken("hmm", 0, 0, function() {
|
||
|
return "" + hFormat.apply(this) + zeroFill(this.minutes(), 2);
|
||
|
});
|
||
|
addFormatToken("hmmss", 0, 0, function() {
|
||
|
return "" + hFormat.apply(this) + zeroFill(this.minutes(), 2) + zeroFill(this.seconds(), 2);
|
||
|
});
|
||
|
addFormatToken("Hmm", 0, 0, function() {
|
||
|
return "" + this.hours() + zeroFill(this.minutes(), 2);
|
||
|
});
|
||
|
addFormatToken("Hmmss", 0, 0, function() {
|
||
|
return "" + this.hours() + zeroFill(this.minutes(), 2) + zeroFill(this.seconds(), 2);
|
||
|
});
|
||
|
function meridiem(token2, lowercase) {
|
||
|
addFormatToken(token2, 0, 0, function() {
|
||
|
return this.localeData().meridiem(this.hours(), this.minutes(), lowercase);
|
||
|
});
|
||
|
}
|
||
|
meridiem("a", true);
|
||
|
meridiem("A", false);
|
||
|
function matchMeridiem(isStrict, locale2) {
|
||
|
return locale2._meridiemParse;
|
||
|
}
|
||
|
addRegexToken("a", matchMeridiem);
|
||
|
addRegexToken("A", matchMeridiem);
|
||
|
addRegexToken("H", match1to2, match1to2HasZero);
|
||
|
addRegexToken("h", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("k", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("HH", match1to2, match2);
|
||
|
addRegexToken("hh", match1to2, match2);
|
||
|
addRegexToken("kk", match1to2, match2);
|
||
|
addRegexToken("hmm", match3to4);
|
||
|
addRegexToken("hmmss", match5to6);
|
||
|
addRegexToken("Hmm", match3to4);
|
||
|
addRegexToken("Hmmss", match5to6);
|
||
|
addParseToken(["H", "HH"], HOUR);
|
||
|
addParseToken(["k", "kk"], function(input, array, config) {
|
||
|
var kInput = toInt(input);
|
||
|
array[HOUR] = kInput === 24 ? 0 : kInput;
|
||
|
});
|
||
|
addParseToken(["a", "A"], function(input, array, config) {
|
||
|
config._isPm = config._locale.isPM(input);
|
||
|
config._meridiem = input;
|
||
|
});
|
||
|
addParseToken(["h", "hh"], function(input, array, config) {
|
||
|
array[HOUR] = toInt(input);
|
||
|
getParsingFlags(config).bigHour = true;
|
||
|
});
|
||
|
addParseToken("hmm", function(input, array, config) {
|
||
|
var pos = input.length - 2;
|
||
|
array[HOUR] = toInt(input.substr(0, pos));
|
||
|
array[MINUTE] = toInt(input.substr(pos));
|
||
|
getParsingFlags(config).bigHour = true;
|
||
|
});
|
||
|
addParseToken("hmmss", function(input, array, config) {
|
||
|
var pos1 = input.length - 4, pos2 = input.length - 2;
|
||
|
array[HOUR] = toInt(input.substr(0, pos1));
|
||
|
array[MINUTE] = toInt(input.substr(pos1, 2));
|
||
|
array[SECOND] = toInt(input.substr(pos2));
|
||
|
getParsingFlags(config).bigHour = true;
|
||
|
});
|
||
|
addParseToken("Hmm", function(input, array, config) {
|
||
|
var pos = input.length - 2;
|
||
|
array[HOUR] = toInt(input.substr(0, pos));
|
||
|
array[MINUTE] = toInt(input.substr(pos));
|
||
|
});
|
||
|
addParseToken("Hmmss", function(input, array, config) {
|
||
|
var pos1 = input.length - 4, pos2 = input.length - 2;
|
||
|
array[HOUR] = toInt(input.substr(0, pos1));
|
||
|
array[MINUTE] = toInt(input.substr(pos1, 2));
|
||
|
array[SECOND] = toInt(input.substr(pos2));
|
||
|
});
|
||
|
function localeIsPM(input) {
|
||
|
return (input + "").toLowerCase().charAt(0) === "p";
|
||
|
}
|
||
|
var defaultLocaleMeridiemParse = /[ap]\.?m?\.?/i, getSetHour = makeGetSet("Hours", true);
|
||
|
function localeMeridiem(hours2, minutes2, isLower) {
|
||
|
if (hours2 > 11) {
|
||
|
return isLower ? "pm" : "PM";
|
||
|
} else {
|
||
|
return isLower ? "am" : "AM";
|
||
|
}
|
||
|
}
|
||
|
var baseConfig = {
|
||
|
calendar: defaultCalendar,
|
||
|
longDateFormat: defaultLongDateFormat,
|
||
|
invalidDate: defaultInvalidDate,
|
||
|
ordinal: defaultOrdinal,
|
||
|
dayOfMonthOrdinalParse: defaultDayOfMonthOrdinalParse,
|
||
|
relativeTime: defaultRelativeTime,
|
||
|
months: defaultLocaleMonths,
|
||
|
monthsShort: defaultLocaleMonthsShort,
|
||
|
week: defaultLocaleWeek,
|
||
|
weekdays: defaultLocaleWeekdays,
|
||
|
weekdaysMin: defaultLocaleWeekdaysMin,
|
||
|
weekdaysShort: defaultLocaleWeekdaysShort,
|
||
|
meridiemParse: defaultLocaleMeridiemParse
|
||
|
};
|
||
|
var locales = {}, localeFamilies = {}, globalLocale;
|
||
|
function commonPrefix(arr1, arr2) {
|
||
|
var i, minl = Math.min(arr1.length, arr2.length);
|
||
|
for (i = 0; i < minl; i += 1) {
|
||
|
if (arr1[i] !== arr2[i]) {
|
||
|
return i;
|
||
|
}
|
||
|
}
|
||
|
return minl;
|
||
|
}
|
||
|
function normalizeLocale(key) {
|
||
|
return key ? key.toLowerCase().replace("_", "-") : key;
|
||
|
}
|
||
|
function chooseLocale(names) {
|
||
|
var i = 0, j, next, locale2, split;
|
||
|
while (i < names.length) {
|
||
|
split = normalizeLocale(names[i]).split("-");
|
||
|
j = split.length;
|
||
|
next = normalizeLocale(names[i + 1]);
|
||
|
next = next ? next.split("-") : null;
|
||
|
while (j > 0) {
|
||
|
locale2 = loadLocale(split.slice(0, j).join("-"));
|
||
|
if (locale2) {
|
||
|
return locale2;
|
||
|
}
|
||
|
if (next && next.length >= j && commonPrefix(split, next) >= j - 1) {
|
||
|
break;
|
||
|
}
|
||
|
j--;
|
||
|
}
|
||
|
i++;
|
||
|
}
|
||
|
return globalLocale;
|
||
|
}
|
||
|
function isLocaleNameSane(name) {
|
||
|
return !!(name && name.match("^[^/\\\\]*$"));
|
||
|
}
|
||
|
function loadLocale(name) {
|
||
|
var oldLocale = null, aliasedRequire;
|
||
|
if (locales[name] === void 0 && typeof module !== "undefined" && module && module.exports && isLocaleNameSane(name)) {
|
||
|
try {
|
||
|
oldLocale = globalLocale._abbr;
|
||
|
aliasedRequire = require;
|
||
|
aliasedRequire("./locale/" + name);
|
||
|
getSetGlobalLocale(oldLocale);
|
||
|
} catch (e2) {
|
||
|
locales[name] = null;
|
||
|
}
|
||
|
}
|
||
|
return locales[name];
|
||
|
}
|
||
|
function getSetGlobalLocale(key, values) {
|
||
|
var data;
|
||
|
if (key) {
|
||
|
if (isUndefined(values)) {
|
||
|
data = getLocale(key);
|
||
|
} else {
|
||
|
data = defineLocale(key, values);
|
||
|
}
|
||
|
if (data) {
|
||
|
globalLocale = data;
|
||
|
} else {
|
||
|
if (typeof console !== "undefined" && console.warn) {
|
||
|
console.warn("Locale " + key + " not found. Did you forget to load it?");
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return globalLocale._abbr;
|
||
|
}
|
||
|
function defineLocale(name, config) {
|
||
|
if (config !== null) {
|
||
|
var locale2, parentConfig = baseConfig;
|
||
|
config.abbr = name;
|
||
|
if (locales[name] != null) {
|
||
|
deprecateSimple("defineLocaleOverride", "use moment.updateLocale(localeName, config) to change an existing locale. moment.defineLocale(localeName, config) should only be used for creating a new locale See http://momentjs.com/guides/#/warnings/define-locale/ for more info.");
|
||
|
parentConfig = locales[name]._config;
|
||
|
} else if (config.parentLocale != null) {
|
||
|
if (locales[config.parentLocale] != null) {
|
||
|
parentConfig = locales[config.parentLocale]._config;
|
||
|
} else {
|
||
|
locale2 = loadLocale(config.parentLocale);
|
||
|
if (locale2 != null) {
|
||
|
parentConfig = locale2._config;
|
||
|
} else {
|
||
|
if (!localeFamilies[config.parentLocale]) {
|
||
|
localeFamilies[config.parentLocale] = [];
|
||
|
}
|
||
|
localeFamilies[config.parentLocale].push({
|
||
|
name,
|
||
|
config
|
||
|
});
|
||
|
return null;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
locales[name] = new Locale(mergeConfigs(parentConfig, config));
|
||
|
if (localeFamilies[name]) {
|
||
|
localeFamilies[name].forEach(function(x) {
|
||
|
defineLocale(x.name, x.config);
|
||
|
});
|
||
|
}
|
||
|
getSetGlobalLocale(name);
|
||
|
return locales[name];
|
||
|
} else {
|
||
|
delete locales[name];
|
||
|
return null;
|
||
|
}
|
||
|
}
|
||
|
function updateLocale(name, config) {
|
||
|
if (config != null) {
|
||
|
var locale2, tmpLocale, parentConfig = baseConfig;
|
||
|
if (locales[name] != null && locales[name].parentLocale != null) {
|
||
|
locales[name].set(mergeConfigs(locales[name]._config, config));
|
||
|
} else {
|
||
|
tmpLocale = loadLocale(name);
|
||
|
if (tmpLocale != null) {
|
||
|
parentConfig = tmpLocale._config;
|
||
|
}
|
||
|
config = mergeConfigs(parentConfig, config);
|
||
|
if (tmpLocale == null) {
|
||
|
config.abbr = name;
|
||
|
}
|
||
|
locale2 = new Locale(config);
|
||
|
locale2.parentLocale = locales[name];
|
||
|
locales[name] = locale2;
|
||
|
}
|
||
|
getSetGlobalLocale(name);
|
||
|
} else {
|
||
|
if (locales[name] != null) {
|
||
|
if (locales[name].parentLocale != null) {
|
||
|
locales[name] = locales[name].parentLocale;
|
||
|
if (name === getSetGlobalLocale()) {
|
||
|
getSetGlobalLocale(name);
|
||
|
}
|
||
|
} else if (locales[name] != null) {
|
||
|
delete locales[name];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return locales[name];
|
||
|
}
|
||
|
function getLocale(key) {
|
||
|
var locale2;
|
||
|
if (key && key._locale && key._locale._abbr) {
|
||
|
key = key._locale._abbr;
|
||
|
}
|
||
|
if (!key) {
|
||
|
return globalLocale;
|
||
|
}
|
||
|
if (!isArray(key)) {
|
||
|
locale2 = loadLocale(key);
|
||
|
if (locale2) {
|
||
|
return locale2;
|
||
|
}
|
||
|
key = [key];
|
||
|
}
|
||
|
return chooseLocale(key);
|
||
|
}
|
||
|
function listLocales() {
|
||
|
return keys(locales);
|
||
|
}
|
||
|
function checkOverflow(m) {
|
||
|
var overflow, a = m._a;
|
||
|
if (a && getParsingFlags(m).overflow === -2) {
|
||
|
overflow = a[MONTH] < 0 || a[MONTH] > 11 ? MONTH : a[DATE] < 1 || a[DATE] > daysInMonth(a[YEAR], a[MONTH]) ? DATE : a[HOUR] < 0 || a[HOUR] > 24 || a[HOUR] === 24 && (a[MINUTE] !== 0 || a[SECOND] !== 0 || a[MILLISECOND] !== 0) ? HOUR : a[MINUTE] < 0 || a[MINUTE] > 59 ? MINUTE : a[SECOND] < 0 || a[SECOND] > 59 ? SECOND : a[MILLISECOND] < 0 || a[MILLISECOND] > 999 ? MILLISECOND : -1;
|
||
|
if (getParsingFlags(m)._overflowDayOfYear && (overflow < YEAR || overflow > DATE)) {
|
||
|
overflow = DATE;
|
||
|
}
|
||
|
if (getParsingFlags(m)._overflowWeeks && overflow === -1) {
|
||
|
overflow = WEEK;
|
||
|
}
|
||
|
if (getParsingFlags(m)._overflowWeekday && overflow === -1) {
|
||
|
overflow = WEEKDAY;
|
||
|
}
|
||
|
getParsingFlags(m).overflow = overflow;
|
||
|
}
|
||
|
return m;
|
||
|
}
|
||
|
var extendedIsoRegex = /^\s*((?:[+-]\d{6}|\d{4})-(?:\d\d-\d\d|W\d\d-\d|W\d\d|\d\d\d|\d\d))(?:(T| )(\d\d(?::\d\d(?::\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/, basicIsoRegex = /^\s*((?:[+-]\d{6}|\d{4})(?:\d\d\d\d|W\d\d\d|W\d\d|\d\d\d|\d\d|))(?:(T| )(\d\d(?:\d\d(?:\d\d(?:[.,]\d+)?)?)?)([+-]\d\d(?::?\d\d)?|\s*Z)?)?$/, tzRegex = /Z|[+-]\d\d(?::?\d\d)?/, isoDates = [
|
||
|
["YYYYYY-MM-DD", /[+-]\d{6}-\d\d-\d\d/],
|
||
|
["YYYY-MM-DD", /\d{4}-\d\d-\d\d/],
|
||
|
["GGGG-[W]WW-E", /\d{4}-W\d\d-\d/],
|
||
|
["GGGG-[W]WW", /\d{4}-W\d\d/, false],
|
||
|
["YYYY-DDD", /\d{4}-\d{3}/],
|
||
|
["YYYY-MM", /\d{4}-\d\d/, false],
|
||
|
["YYYYYYMMDD", /[+-]\d{10}/],
|
||
|
["YYYYMMDD", /\d{8}/],
|
||
|
["GGGG[W]WWE", /\d{4}W\d{3}/],
|
||
|
["GGGG[W]WW", /\d{4}W\d{2}/, false],
|
||
|
["YYYYDDD", /\d{7}/],
|
||
|
["YYYYMM", /\d{6}/, false],
|
||
|
["YYYY", /\d{4}/, false]
|
||
|
], isoTimes = [
|
||
|
["HH:mm:ss.SSSS", /\d\d:\d\d:\d\d\.\d+/],
|
||
|
["HH:mm:ss,SSSS", /\d\d:\d\d:\d\d,\d+/],
|
||
|
["HH:mm:ss", /\d\d:\d\d:\d\d/],
|
||
|
["HH:mm", /\d\d:\d\d/],
|
||
|
["HHmmss.SSSS", /\d\d\d\d\d\d\.\d+/],
|
||
|
["HHmmss,SSSS", /\d\d\d\d\d\d,\d+/],
|
||
|
["HHmmss", /\d\d\d\d\d\d/],
|
||
|
["HHmm", /\d\d\d\d/],
|
||
|
["HH", /\d\d/]
|
||
|
], aspNetJsonRegex = /^\/?Date\((-?\d+)/i, rfc2822 = /^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),?\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|([+-]\d{4}))$/, obsOffsets = {
|
||
|
UT: 0,
|
||
|
GMT: 0,
|
||
|
EDT: -4 * 60,
|
||
|
EST: -5 * 60,
|
||
|
CDT: -5 * 60,
|
||
|
CST: -6 * 60,
|
||
|
MDT: -6 * 60,
|
||
|
MST: -7 * 60,
|
||
|
PDT: -7 * 60,
|
||
|
PST: -8 * 60
|
||
|
};
|
||
|
function configFromISO(config) {
|
||
|
var i, l, string = config._i, match = extendedIsoRegex.exec(string) || basicIsoRegex.exec(string), allowTime, dateFormat, timeFormat, tzFormat, isoDatesLen = isoDates.length, isoTimesLen = isoTimes.length;
|
||
|
if (match) {
|
||
|
getParsingFlags(config).iso = true;
|
||
|
for (i = 0, l = isoDatesLen; i < l; i++) {
|
||
|
if (isoDates[i][1].exec(match[1])) {
|
||
|
dateFormat = isoDates[i][0];
|
||
|
allowTime = isoDates[i][2] !== false;
|
||
|
break;
|
||
|
}
|
||
|
}
|
||
|
if (dateFormat == null) {
|
||
|
config._isValid = false;
|
||
|
return;
|
||
|
}
|
||
|
if (match[3]) {
|
||
|
for (i = 0, l = isoTimesLen; i < l; i++) {
|
||
|
if (isoTimes[i][1].exec(match[3])) {
|
||
|
timeFormat = (match[2] || " ") + isoTimes[i][0];
|
||
|
break;
|
||
|
}
|
||
|
}
|
||
|
if (timeFormat == null) {
|
||
|
config._isValid = false;
|
||
|
return;
|
||
|
}
|
||
|
}
|
||
|
if (!allowTime && timeFormat != null) {
|
||
|
config._isValid = false;
|
||
|
return;
|
||
|
}
|
||
|
if (match[4]) {
|
||
|
if (tzRegex.exec(match[4])) {
|
||
|
tzFormat = "Z";
|
||
|
} else {
|
||
|
config._isValid = false;
|
||
|
return;
|
||
|
}
|
||
|
}
|
||
|
config._f = dateFormat + (timeFormat || "") + (tzFormat || "");
|
||
|
configFromStringAndFormat(config);
|
||
|
} else {
|
||
|
config._isValid = false;
|
||
|
}
|
||
|
}
|
||
|
function extractFromRFC2822Strings(yearStr, monthStr, dayStr, hourStr, minuteStr, secondStr) {
|
||
|
var result = [
|
||
|
untruncateYear(yearStr),
|
||
|
defaultLocaleMonthsShort.indexOf(monthStr),
|
||
|
parseInt(dayStr, 10),
|
||
|
parseInt(hourStr, 10),
|
||
|
parseInt(minuteStr, 10)
|
||
|
];
|
||
|
if (secondStr) {
|
||
|
result.push(parseInt(secondStr, 10));
|
||
|
}
|
||
|
return result;
|
||
|
}
|
||
|
function untruncateYear(yearStr) {
|
||
|
var year = parseInt(yearStr, 10);
|
||
|
if (year <= 49) {
|
||
|
return 2e3 + year;
|
||
|
} else if (year <= 999) {
|
||
|
return 1900 + year;
|
||
|
}
|
||
|
return year;
|
||
|
}
|
||
|
function preprocessRFC2822(s) {
|
||
|
return s.replace(/\([^()]*\)|[\n\t]/g, " ").replace(/(\s\s+)/g, " ").replace(/^\s\s*/, "").replace(/\s\s*$/, "");
|
||
|
}
|
||
|
function checkWeekday(weekdayStr, parsedInput, config) {
|
||
|
if (weekdayStr) {
|
||
|
var weekdayProvided = defaultLocaleWeekdaysShort.indexOf(weekdayStr), weekdayActual = new Date(parsedInput[0], parsedInput[1], parsedInput[2]).getDay();
|
||
|
if (weekdayProvided !== weekdayActual) {
|
||
|
getParsingFlags(config).weekdayMismatch = true;
|
||
|
config._isValid = false;
|
||
|
return false;
|
||
|
}
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
function calculateOffset(obsOffset, militaryOffset, numOffset) {
|
||
|
if (obsOffset) {
|
||
|
return obsOffsets[obsOffset];
|
||
|
} else if (militaryOffset) {
|
||
|
return 0;
|
||
|
} else {
|
||
|
var hm = parseInt(numOffset, 10), m = hm % 100, h = (hm - m) / 100;
|
||
|
return h * 60 + m;
|
||
|
}
|
||
|
}
|
||
|
function configFromRFC2822(config) {
|
||
|
var match = rfc2822.exec(preprocessRFC2822(config._i)), parsedArray;
|
||
|
if (match) {
|
||
|
parsedArray = extractFromRFC2822Strings(match[4], match[3], match[2], match[5], match[6], match[7]);
|
||
|
if (!checkWeekday(match[1], parsedArray, config)) {
|
||
|
return;
|
||
|
}
|
||
|
config._a = parsedArray;
|
||
|
config._tzm = calculateOffset(match[8], match[9], match[10]);
|
||
|
config._d = createUTCDate.apply(null, config._a);
|
||
|
config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);
|
||
|
getParsingFlags(config).rfc2822 = true;
|
||
|
} else {
|
||
|
config._isValid = false;
|
||
|
}
|
||
|
}
|
||
|
function configFromString(config) {
|
||
|
var matched = aspNetJsonRegex.exec(config._i);
|
||
|
if (matched !== null) {
|
||
|
config._d = new Date(+matched[1]);
|
||
|
return;
|
||
|
}
|
||
|
configFromISO(config);
|
||
|
if (config._isValid === false) {
|
||
|
delete config._isValid;
|
||
|
} else {
|
||
|
return;
|
||
|
}
|
||
|
configFromRFC2822(config);
|
||
|
if (config._isValid === false) {
|
||
|
delete config._isValid;
|
||
|
} else {
|
||
|
return;
|
||
|
}
|
||
|
if (config._strict) {
|
||
|
config._isValid = false;
|
||
|
} else {
|
||
|
hooks.createFromInputFallback(config);
|
||
|
}
|
||
|
}
|
||
|
hooks.createFromInputFallback = deprecate("value provided is not in a recognized RFC2822 or ISO format. moment construction falls back to js Date(), which is not reliable across all browsers and versions. Non RFC2822/ISO date formats are discouraged. Please refer to http://momentjs.com/guides/#/warnings/js-date/ for more info.", function(config) {
|
||
|
config._d = new Date(config._i + (config._useUTC ? " UTC" : ""));
|
||
|
});
|
||
|
function defaults(a, b, c) {
|
||
|
if (a != null) {
|
||
|
return a;
|
||
|
}
|
||
|
if (b != null) {
|
||
|
return b;
|
||
|
}
|
||
|
return c;
|
||
|
}
|
||
|
function currentDateArray(config) {
|
||
|
var nowValue = new Date(hooks.now());
|
||
|
if (config._useUTC) {
|
||
|
return [
|
||
|
nowValue.getUTCFullYear(),
|
||
|
nowValue.getUTCMonth(),
|
||
|
nowValue.getUTCDate()
|
||
|
];
|
||
|
}
|
||
|
return [nowValue.getFullYear(), nowValue.getMonth(), nowValue.getDate()];
|
||
|
}
|
||
|
function configFromArray(config) {
|
||
|
var i, date, input = [], currentDate, expectedWeekday, yearToUse;
|
||
|
if (config._d) {
|
||
|
return;
|
||
|
}
|
||
|
currentDate = currentDateArray(config);
|
||
|
if (config._w && config._a[DATE] == null && config._a[MONTH] == null) {
|
||
|
dayOfYearFromWeekInfo(config);
|
||
|
}
|
||
|
if (config._dayOfYear != null) {
|
||
|
yearToUse = defaults(config._a[YEAR], currentDate[YEAR]);
|
||
|
if (config._dayOfYear > daysInYear(yearToUse) || config._dayOfYear === 0) {
|
||
|
getParsingFlags(config)._overflowDayOfYear = true;
|
||
|
}
|
||
|
date = createUTCDate(yearToUse, 0, config._dayOfYear);
|
||
|
config._a[MONTH] = date.getUTCMonth();
|
||
|
config._a[DATE] = date.getUTCDate();
|
||
|
}
|
||
|
for (i = 0; i < 3 && config._a[i] == null; ++i) {
|
||
|
config._a[i] = input[i] = currentDate[i];
|
||
|
}
|
||
|
for (; i < 7; i++) {
|
||
|
config._a[i] = input[i] = config._a[i] == null ? i === 2 ? 1 : 0 : config._a[i];
|
||
|
}
|
||
|
if (config._a[HOUR] === 24 && config._a[MINUTE] === 0 && config._a[SECOND] === 0 && config._a[MILLISECOND] === 0) {
|
||
|
config._nextDay = true;
|
||
|
config._a[HOUR] = 0;
|
||
|
}
|
||
|
config._d = (config._useUTC ? createUTCDate : createDate).apply(null, input);
|
||
|
expectedWeekday = config._useUTC ? config._d.getUTCDay() : config._d.getDay();
|
||
|
if (config._tzm != null) {
|
||
|
config._d.setUTCMinutes(config._d.getUTCMinutes() - config._tzm);
|
||
|
}
|
||
|
if (config._nextDay) {
|
||
|
config._a[HOUR] = 24;
|
||
|
}
|
||
|
if (config._w && typeof config._w.d !== "undefined" && config._w.d !== expectedWeekday) {
|
||
|
getParsingFlags(config).weekdayMismatch = true;
|
||
|
}
|
||
|
}
|
||
|
function dayOfYearFromWeekInfo(config) {
|
||
|
var w, weekYear, week, weekday, dow, doy, temp, weekdayOverflow, curWeek;
|
||
|
w = config._w;
|
||
|
if (w.GG != null || w.W != null || w.E != null) {
|
||
|
dow = 1;
|
||
|
doy = 4;
|
||
|
weekYear = defaults(w.GG, config._a[YEAR], weekOfYear(createLocal(), 1, 4).year);
|
||
|
week = defaults(w.W, 1);
|
||
|
weekday = defaults(w.E, 1);
|
||
|
if (weekday < 1 || weekday > 7) {
|
||
|
weekdayOverflow = true;
|
||
|
}
|
||
|
} else {
|
||
|
dow = config._locale._week.dow;
|
||
|
doy = config._locale._week.doy;
|
||
|
curWeek = weekOfYear(createLocal(), dow, doy);
|
||
|
weekYear = defaults(w.gg, config._a[YEAR], curWeek.year);
|
||
|
week = defaults(w.w, curWeek.week);
|
||
|
if (w.d != null) {
|
||
|
weekday = w.d;
|
||
|
if (weekday < 0 || weekday > 6) {
|
||
|
weekdayOverflow = true;
|
||
|
}
|
||
|
} else if (w.e != null) {
|
||
|
weekday = w.e + dow;
|
||
|
if (w.e < 0 || w.e > 6) {
|
||
|
weekdayOverflow = true;
|
||
|
}
|
||
|
} else {
|
||
|
weekday = dow;
|
||
|
}
|
||
|
}
|
||
|
if (week < 1 || week > weeksInYear(weekYear, dow, doy)) {
|
||
|
getParsingFlags(config)._overflowWeeks = true;
|
||
|
} else if (weekdayOverflow != null) {
|
||
|
getParsingFlags(config)._overflowWeekday = true;
|
||
|
} else {
|
||
|
temp = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy);
|
||
|
config._a[YEAR] = temp.year;
|
||
|
config._dayOfYear = temp.dayOfYear;
|
||
|
}
|
||
|
}
|
||
|
hooks.ISO_8601 = function() {
|
||
|
};
|
||
|
hooks.RFC_2822 = function() {
|
||
|
};
|
||
|
function configFromStringAndFormat(config) {
|
||
|
if (config._f === hooks.ISO_8601) {
|
||
|
configFromISO(config);
|
||
|
return;
|
||
|
}
|
||
|
if (config._f === hooks.RFC_2822) {
|
||
|
configFromRFC2822(config);
|
||
|
return;
|
||
|
}
|
||
|
config._a = [];
|
||
|
getParsingFlags(config).empty = true;
|
||
|
var string = "" + config._i, i, parsedInput, tokens2, token2, skipped, stringLength = string.length, totalParsedInputLength = 0, era, tokenLen;
|
||
|
tokens2 = expandFormat(config._f, config._locale).match(formattingTokens) || [];
|
||
|
tokenLen = tokens2.length;
|
||
|
for (i = 0; i < tokenLen; i++) {
|
||
|
token2 = tokens2[i];
|
||
|
parsedInput = (string.match(getParseRegexForToken(token2, config)) || [])[0];
|
||
|
if (parsedInput) {
|
||
|
skipped = string.substr(0, string.indexOf(parsedInput));
|
||
|
if (skipped.length > 0) {
|
||
|
getParsingFlags(config).unusedInput.push(skipped);
|
||
|
}
|
||
|
string = string.slice(string.indexOf(parsedInput) + parsedInput.length);
|
||
|
totalParsedInputLength += parsedInput.length;
|
||
|
}
|
||
|
if (formatTokenFunctions[token2]) {
|
||
|
if (parsedInput) {
|
||
|
getParsingFlags(config).empty = false;
|
||
|
} else {
|
||
|
getParsingFlags(config).unusedTokens.push(token2);
|
||
|
}
|
||
|
addTimeToArrayFromToken(token2, parsedInput, config);
|
||
|
} else if (config._strict && !parsedInput) {
|
||
|
getParsingFlags(config).unusedTokens.push(token2);
|
||
|
}
|
||
|
}
|
||
|
getParsingFlags(config).charsLeftOver = stringLength - totalParsedInputLength;
|
||
|
if (string.length > 0) {
|
||
|
getParsingFlags(config).unusedInput.push(string);
|
||
|
}
|
||
|
if (config._a[HOUR] <= 12 && getParsingFlags(config).bigHour === true && config._a[HOUR] > 0) {
|
||
|
getParsingFlags(config).bigHour = void 0;
|
||
|
}
|
||
|
getParsingFlags(config).parsedDateParts = config._a.slice(0);
|
||
|
getParsingFlags(config).meridiem = config._meridiem;
|
||
|
config._a[HOUR] = meridiemFixWrap(config._locale, config._a[HOUR], config._meridiem);
|
||
|
era = getParsingFlags(config).era;
|
||
|
if (era !== null) {
|
||
|
config._a[YEAR] = config._locale.erasConvertYear(era, config._a[YEAR]);
|
||
|
}
|
||
|
configFromArray(config);
|
||
|
checkOverflow(config);
|
||
|
}
|
||
|
function meridiemFixWrap(locale2, hour, meridiem2) {
|
||
|
var isPm;
|
||
|
if (meridiem2 == null) {
|
||
|
return hour;
|
||
|
}
|
||
|
if (locale2.meridiemHour != null) {
|
||
|
return locale2.meridiemHour(hour, meridiem2);
|
||
|
} else if (locale2.isPM != null) {
|
||
|
isPm = locale2.isPM(meridiem2);
|
||
|
if (isPm && hour < 12) {
|
||
|
hour += 12;
|
||
|
}
|
||
|
if (!isPm && hour === 12) {
|
||
|
hour = 0;
|
||
|
}
|
||
|
return hour;
|
||
|
} else {
|
||
|
return hour;
|
||
|
}
|
||
|
}
|
||
|
function configFromStringAndArray(config) {
|
||
|
var tempConfig, bestMoment, scoreToBeat, i, currentScore, validFormatFound, bestFormatIsValid = false, configfLen = config._f.length;
|
||
|
if (configfLen === 0) {
|
||
|
getParsingFlags(config).invalidFormat = true;
|
||
|
config._d = new Date(NaN);
|
||
|
return;
|
||
|
}
|
||
|
for (i = 0; i < configfLen; i++) {
|
||
|
currentScore = 0;
|
||
|
validFormatFound = false;
|
||
|
tempConfig = copyConfig({}, config);
|
||
|
if (config._useUTC != null) {
|
||
|
tempConfig._useUTC = config._useUTC;
|
||
|
}
|
||
|
tempConfig._f = config._f[i];
|
||
|
configFromStringAndFormat(tempConfig);
|
||
|
if (isValid(tempConfig)) {
|
||
|
validFormatFound = true;
|
||
|
}
|
||
|
currentScore += getParsingFlags(tempConfig).charsLeftOver;
|
||
|
currentScore += getParsingFlags(tempConfig).unusedTokens.length * 10;
|
||
|
getParsingFlags(tempConfig).score = currentScore;
|
||
|
if (!bestFormatIsValid) {
|
||
|
if (scoreToBeat == null || currentScore < scoreToBeat || validFormatFound) {
|
||
|
scoreToBeat = currentScore;
|
||
|
bestMoment = tempConfig;
|
||
|
if (validFormatFound) {
|
||
|
bestFormatIsValid = true;
|
||
|
}
|
||
|
}
|
||
|
} else {
|
||
|
if (currentScore < scoreToBeat) {
|
||
|
scoreToBeat = currentScore;
|
||
|
bestMoment = tempConfig;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
extend(config, bestMoment || tempConfig);
|
||
|
}
|
||
|
function configFromObject(config) {
|
||
|
if (config._d) {
|
||
|
return;
|
||
|
}
|
||
|
var i = normalizeObjectUnits(config._i), dayOrDate = i.day === void 0 ? i.date : i.day;
|
||
|
config._a = map([i.year, i.month, dayOrDate, i.hour, i.minute, i.second, i.millisecond], function(obj) {
|
||
|
return obj && parseInt(obj, 10);
|
||
|
});
|
||
|
configFromArray(config);
|
||
|
}
|
||
|
function createFromConfig(config) {
|
||
|
var res = new Moment(checkOverflow(prepareConfig(config)));
|
||
|
if (res._nextDay) {
|
||
|
res.add(1, "d");
|
||
|
res._nextDay = void 0;
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function prepareConfig(config) {
|
||
|
var input = config._i, format2 = config._f;
|
||
|
config._locale = config._locale || getLocale(config._l);
|
||
|
if (input === null || format2 === void 0 && input === "") {
|
||
|
return createInvalid({ nullInput: true });
|
||
|
}
|
||
|
if (typeof input === "string") {
|
||
|
config._i = input = config._locale.preparse(input);
|
||
|
}
|
||
|
if (isMoment(input)) {
|
||
|
return new Moment(checkOverflow(input));
|
||
|
} else if (isDate(input)) {
|
||
|
config._d = input;
|
||
|
} else if (isArray(format2)) {
|
||
|
configFromStringAndArray(config);
|
||
|
} else if (format2) {
|
||
|
configFromStringAndFormat(config);
|
||
|
} else {
|
||
|
configFromInput(config);
|
||
|
}
|
||
|
if (!isValid(config)) {
|
||
|
config._d = null;
|
||
|
}
|
||
|
return config;
|
||
|
}
|
||
|
function configFromInput(config) {
|
||
|
var input = config._i;
|
||
|
if (isUndefined(input)) {
|
||
|
config._d = new Date(hooks.now());
|
||
|
} else if (isDate(input)) {
|
||
|
config._d = new Date(input.valueOf());
|
||
|
} else if (typeof input === "string") {
|
||
|
configFromString(config);
|
||
|
} else if (isArray(input)) {
|
||
|
config._a = map(input.slice(0), function(obj) {
|
||
|
return parseInt(obj, 10);
|
||
|
});
|
||
|
configFromArray(config);
|
||
|
} else if (isObject(input)) {
|
||
|
configFromObject(config);
|
||
|
} else if (isNumber(input)) {
|
||
|
config._d = new Date(input);
|
||
|
} else {
|
||
|
hooks.createFromInputFallback(config);
|
||
|
}
|
||
|
}
|
||
|
function createLocalOrUTC(input, format2, locale2, strict, isUTC) {
|
||
|
var c = {};
|
||
|
if (format2 === true || format2 === false) {
|
||
|
strict = format2;
|
||
|
format2 = void 0;
|
||
|
}
|
||
|
if (locale2 === true || locale2 === false) {
|
||
|
strict = locale2;
|
||
|
locale2 = void 0;
|
||
|
}
|
||
|
if (isObject(input) && isObjectEmpty(input) || isArray(input) && input.length === 0) {
|
||
|
input = void 0;
|
||
|
}
|
||
|
c._isAMomentObject = true;
|
||
|
c._useUTC = c._isUTC = isUTC;
|
||
|
c._l = locale2;
|
||
|
c._i = input;
|
||
|
c._f = format2;
|
||
|
c._strict = strict;
|
||
|
return createFromConfig(c);
|
||
|
}
|
||
|
function createLocal(input, format2, locale2, strict) {
|
||
|
return createLocalOrUTC(input, format2, locale2, strict, false);
|
||
|
}
|
||
|
var prototypeMin = deprecate("moment().min is deprecated, use moment.max instead. http://momentjs.com/guides/#/warnings/min-max/", function() {
|
||
|
var other = createLocal.apply(null, arguments);
|
||
|
if (this.isValid() && other.isValid()) {
|
||
|
return other < this ? this : other;
|
||
|
} else {
|
||
|
return createInvalid();
|
||
|
}
|
||
|
}), prototypeMax = deprecate("moment().max is deprecated, use moment.min instead. http://momentjs.com/guides/#/warnings/min-max/", function() {
|
||
|
var other = createLocal.apply(null, arguments);
|
||
|
if (this.isValid() && other.isValid()) {
|
||
|
return other > this ? this : other;
|
||
|
} else {
|
||
|
return createInvalid();
|
||
|
}
|
||
|
});
|
||
|
function pickBy(fn, moments) {
|
||
|
var res, i;
|
||
|
if (moments.length === 1 && isArray(moments[0])) {
|
||
|
moments = moments[0];
|
||
|
}
|
||
|
if (!moments.length) {
|
||
|
return createLocal();
|
||
|
}
|
||
|
res = moments[0];
|
||
|
for (i = 1; i < moments.length; ++i) {
|
||
|
if (!moments[i].isValid() || moments[i][fn](res)) {
|
||
|
res = moments[i];
|
||
|
}
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function min() {
|
||
|
var args = [].slice.call(arguments, 0);
|
||
|
return pickBy("isBefore", args);
|
||
|
}
|
||
|
function max() {
|
||
|
var args = [].slice.call(arguments, 0);
|
||
|
return pickBy("isAfter", args);
|
||
|
}
|
||
|
var now = function() {
|
||
|
return Date.now ? Date.now() : +new Date();
|
||
|
};
|
||
|
var ordering = [
|
||
|
"year",
|
||
|
"quarter",
|
||
|
"month",
|
||
|
"week",
|
||
|
"day",
|
||
|
"hour",
|
||
|
"minute",
|
||
|
"second",
|
||
|
"millisecond"
|
||
|
];
|
||
|
function isDurationValid(m) {
|
||
|
var key, unitHasDecimal = false, i, orderLen = ordering.length;
|
||
|
for (key in m) {
|
||
|
if (hasOwnProp(m, key) && !(indexOf.call(ordering, key) !== -1 && (m[key] == null || !isNaN(m[key])))) {
|
||
|
return false;
|
||
|
}
|
||
|
}
|
||
|
for (i = 0; i < orderLen; ++i) {
|
||
|
if (m[ordering[i]]) {
|
||
|
if (unitHasDecimal) {
|
||
|
return false;
|
||
|
}
|
||
|
if (parseFloat(m[ordering[i]]) !== toInt(m[ordering[i]])) {
|
||
|
unitHasDecimal = true;
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
function isValid$1() {
|
||
|
return this._isValid;
|
||
|
}
|
||
|
function createInvalid$1() {
|
||
|
return createDuration(NaN);
|
||
|
}
|
||
|
function Duration(duration) {
|
||
|
var normalizedInput = normalizeObjectUnits(duration), years2 = normalizedInput.year || 0, quarters = normalizedInput.quarter || 0, months2 = normalizedInput.month || 0, weeks2 = normalizedInput.week || normalizedInput.isoWeek || 0, days2 = normalizedInput.day || 0, hours2 = normalizedInput.hour || 0, minutes2 = normalizedInput.minute || 0, seconds2 = normalizedInput.second || 0, milliseconds2 = normalizedInput.millisecond || 0;
|
||
|
this._isValid = isDurationValid(normalizedInput);
|
||
|
this._milliseconds = +milliseconds2 + seconds2 * 1e3 + minutes2 * 6e4 + hours2 * 1e3 * 60 * 60;
|
||
|
this._days = +days2 + weeks2 * 7;
|
||
|
this._months = +months2 + quarters * 3 + years2 * 12;
|
||
|
this._data = {};
|
||
|
this._locale = getLocale();
|
||
|
this._bubble();
|
||
|
}
|
||
|
function isDuration(obj) {
|
||
|
return obj instanceof Duration;
|
||
|
}
|
||
|
function absRound(number) {
|
||
|
if (number < 0) {
|
||
|
return Math.round(-1 * number) * -1;
|
||
|
} else {
|
||
|
return Math.round(number);
|
||
|
}
|
||
|
}
|
||
|
function compareArrays(array1, array2, dontConvert) {
|
||
|
var len = Math.min(array1.length, array2.length), lengthDiff = Math.abs(array1.length - array2.length), diffs = 0, i;
|
||
|
for (i = 0; i < len; i++) {
|
||
|
if (dontConvert && array1[i] !== array2[i] || !dontConvert && toInt(array1[i]) !== toInt(array2[i])) {
|
||
|
diffs++;
|
||
|
}
|
||
|
}
|
||
|
return diffs + lengthDiff;
|
||
|
}
|
||
|
function offset(token2, separator) {
|
||
|
addFormatToken(token2, 0, 0, function() {
|
||
|
var offset2 = this.utcOffset(), sign2 = "+";
|
||
|
if (offset2 < 0) {
|
||
|
offset2 = -offset2;
|
||
|
sign2 = "-";
|
||
|
}
|
||
|
return sign2 + zeroFill(~~(offset2 / 60), 2) + separator + zeroFill(~~offset2 % 60, 2);
|
||
|
});
|
||
|
}
|
||
|
offset("Z", ":");
|
||
|
offset("ZZ", "");
|
||
|
addRegexToken("Z", matchShortOffset);
|
||
|
addRegexToken("ZZ", matchShortOffset);
|
||
|
addParseToken(["Z", "ZZ"], function(input, array, config) {
|
||
|
config._useUTC = true;
|
||
|
config._tzm = offsetFromString(matchShortOffset, input);
|
||
|
});
|
||
|
var chunkOffset = /([\+\-]|\d\d)/gi;
|
||
|
function offsetFromString(matcher, string) {
|
||
|
var matches = (string || "").match(matcher), chunk, parts, minutes2;
|
||
|
if (matches === null) {
|
||
|
return null;
|
||
|
}
|
||
|
chunk = matches[matches.length - 1] || [];
|
||
|
parts = (chunk + "").match(chunkOffset) || ["-", 0, 0];
|
||
|
minutes2 = +(parts[1] * 60) + toInt(parts[2]);
|
||
|
return minutes2 === 0 ? 0 : parts[0] === "+" ? minutes2 : -minutes2;
|
||
|
}
|
||
|
function cloneWithOffset(input, model) {
|
||
|
var res, diff2;
|
||
|
if (model._isUTC) {
|
||
|
res = model.clone();
|
||
|
diff2 = (isMoment(input) || isDate(input) ? input.valueOf() : createLocal(input).valueOf()) - res.valueOf();
|
||
|
res._d.setTime(res._d.valueOf() + diff2);
|
||
|
hooks.updateOffset(res, false);
|
||
|
return res;
|
||
|
} else {
|
||
|
return createLocal(input).local();
|
||
|
}
|
||
|
}
|
||
|
function getDateOffset(m) {
|
||
|
return -Math.round(m._d.getTimezoneOffset());
|
||
|
}
|
||
|
hooks.updateOffset = function() {
|
||
|
};
|
||
|
function getSetOffset(input, keepLocalTime, keepMinutes) {
|
||
|
var offset2 = this._offset || 0, localAdjust;
|
||
|
if (!this.isValid()) {
|
||
|
return input != null ? this : NaN;
|
||
|
}
|
||
|
if (input != null) {
|
||
|
if (typeof input === "string") {
|
||
|
input = offsetFromString(matchShortOffset, input);
|
||
|
if (input === null) {
|
||
|
return this;
|
||
|
}
|
||
|
} else if (Math.abs(input) < 16 && !keepMinutes) {
|
||
|
input = input * 60;
|
||
|
}
|
||
|
if (!this._isUTC && keepLocalTime) {
|
||
|
localAdjust = getDateOffset(this);
|
||
|
}
|
||
|
this._offset = input;
|
||
|
this._isUTC = true;
|
||
|
if (localAdjust != null) {
|
||
|
this.add(localAdjust, "m");
|
||
|
}
|
||
|
if (offset2 !== input) {
|
||
|
if (!keepLocalTime || this._changeInProgress) {
|
||
|
addSubtract(this, createDuration(input - offset2, "m"), 1, false);
|
||
|
} else if (!this._changeInProgress) {
|
||
|
this._changeInProgress = true;
|
||
|
hooks.updateOffset(this, true);
|
||
|
this._changeInProgress = null;
|
||
|
}
|
||
|
}
|
||
|
return this;
|
||
|
} else {
|
||
|
return this._isUTC ? offset2 : getDateOffset(this);
|
||
|
}
|
||
|
}
|
||
|
function getSetZone(input, keepLocalTime) {
|
||
|
if (input != null) {
|
||
|
if (typeof input !== "string") {
|
||
|
input = -input;
|
||
|
}
|
||
|
this.utcOffset(input, keepLocalTime);
|
||
|
return this;
|
||
|
} else {
|
||
|
return -this.utcOffset();
|
||
|
}
|
||
|
}
|
||
|
function setOffsetToUTC(keepLocalTime) {
|
||
|
return this.utcOffset(0, keepLocalTime);
|
||
|
}
|
||
|
function setOffsetToLocal(keepLocalTime) {
|
||
|
if (this._isUTC) {
|
||
|
this.utcOffset(0, keepLocalTime);
|
||
|
this._isUTC = false;
|
||
|
if (keepLocalTime) {
|
||
|
this.subtract(getDateOffset(this), "m");
|
||
|
}
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function setOffsetToParsedOffset() {
|
||
|
if (this._tzm != null) {
|
||
|
this.utcOffset(this._tzm, false, true);
|
||
|
} else if (typeof this._i === "string") {
|
||
|
var tZone = offsetFromString(matchOffset, this._i);
|
||
|
if (tZone != null) {
|
||
|
this.utcOffset(tZone);
|
||
|
} else {
|
||
|
this.utcOffset(0, true);
|
||
|
}
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
function hasAlignedHourOffset(input) {
|
||
|
if (!this.isValid()) {
|
||
|
return false;
|
||
|
}
|
||
|
input = input ? createLocal(input).utcOffset() : 0;
|
||
|
return (this.utcOffset() - input) % 60 === 0;
|
||
|
}
|
||
|
function isDaylightSavingTime() {
|
||
|
return this.utcOffset() > this.clone().month(0).utcOffset() || this.utcOffset() > this.clone().month(5).utcOffset();
|
||
|
}
|
||
|
function isDaylightSavingTimeShifted() {
|
||
|
if (!isUndefined(this._isDSTShifted)) {
|
||
|
return this._isDSTShifted;
|
||
|
}
|
||
|
var c = {}, other;
|
||
|
copyConfig(c, this);
|
||
|
c = prepareConfig(c);
|
||
|
if (c._a) {
|
||
|
other = c._isUTC ? createUTC(c._a) : createLocal(c._a);
|
||
|
this._isDSTShifted = this.isValid() && compareArrays(c._a, other.toArray()) > 0;
|
||
|
} else {
|
||
|
this._isDSTShifted = false;
|
||
|
}
|
||
|
return this._isDSTShifted;
|
||
|
}
|
||
|
function isLocal() {
|
||
|
return this.isValid() ? !this._isUTC : false;
|
||
|
}
|
||
|
function isUtcOffset() {
|
||
|
return this.isValid() ? this._isUTC : false;
|
||
|
}
|
||
|
function isUtc() {
|
||
|
return this.isValid() ? this._isUTC && this._offset === 0 : false;
|
||
|
}
|
||
|
var aspNetRegex = /^(-|\+)?(?:(\d*)[. ])?(\d+):(\d+)(?::(\d+)(\.\d*)?)?$/, isoRegex = /^(-|\+)?P(?:([-+]?[0-9,.]*)Y)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)W)?(?:([-+]?[0-9,.]*)D)?(?:T(?:([-+]?[0-9,.]*)H)?(?:([-+]?[0-9,.]*)M)?(?:([-+]?[0-9,.]*)S)?)?$/;
|
||
|
function createDuration(input, key) {
|
||
|
var duration = input, match = null, sign2, ret, diffRes;
|
||
|
if (isDuration(input)) {
|
||
|
duration = {
|
||
|
ms: input._milliseconds,
|
||
|
d: input._days,
|
||
|
M: input._months
|
||
|
};
|
||
|
} else if (isNumber(input) || !isNaN(+input)) {
|
||
|
duration = {};
|
||
|
if (key) {
|
||
|
duration[key] = +input;
|
||
|
} else {
|
||
|
duration.milliseconds = +input;
|
||
|
}
|
||
|
} else if (match = aspNetRegex.exec(input)) {
|
||
|
sign2 = match[1] === "-" ? -1 : 1;
|
||
|
duration = {
|
||
|
y: 0,
|
||
|
d: toInt(match[DATE]) * sign2,
|
||
|
h: toInt(match[HOUR]) * sign2,
|
||
|
m: toInt(match[MINUTE]) * sign2,
|
||
|
s: toInt(match[SECOND]) * sign2,
|
||
|
ms: toInt(absRound(match[MILLISECOND] * 1e3)) * sign2
|
||
|
};
|
||
|
} else if (match = isoRegex.exec(input)) {
|
||
|
sign2 = match[1] === "-" ? -1 : 1;
|
||
|
duration = {
|
||
|
y: parseIso(match[2], sign2),
|
||
|
M: parseIso(match[3], sign2),
|
||
|
w: parseIso(match[4], sign2),
|
||
|
d: parseIso(match[5], sign2),
|
||
|
h: parseIso(match[6], sign2),
|
||
|
m: parseIso(match[7], sign2),
|
||
|
s: parseIso(match[8], sign2)
|
||
|
};
|
||
|
} else if (duration == null) {
|
||
|
duration = {};
|
||
|
} else if (typeof duration === "object" && ("from" in duration || "to" in duration)) {
|
||
|
diffRes = momentsDifference(createLocal(duration.from), createLocal(duration.to));
|
||
|
duration = {};
|
||
|
duration.ms = diffRes.milliseconds;
|
||
|
duration.M = diffRes.months;
|
||
|
}
|
||
|
ret = new Duration(duration);
|
||
|
if (isDuration(input) && hasOwnProp(input, "_locale")) {
|
||
|
ret._locale = input._locale;
|
||
|
}
|
||
|
if (isDuration(input) && hasOwnProp(input, "_isValid")) {
|
||
|
ret._isValid = input._isValid;
|
||
|
}
|
||
|
return ret;
|
||
|
}
|
||
|
createDuration.fn = Duration.prototype;
|
||
|
createDuration.invalid = createInvalid$1;
|
||
|
function parseIso(inp, sign2) {
|
||
|
var res = inp && parseFloat(inp.replace(",", "."));
|
||
|
return (isNaN(res) ? 0 : res) * sign2;
|
||
|
}
|
||
|
function positiveMomentsDifference(base, other) {
|
||
|
var res = {};
|
||
|
res.months = other.month() - base.month() + (other.year() - base.year()) * 12;
|
||
|
if (base.clone().add(res.months, "M").isAfter(other)) {
|
||
|
--res.months;
|
||
|
}
|
||
|
res.milliseconds = +other - +base.clone().add(res.months, "M");
|
||
|
return res;
|
||
|
}
|
||
|
function momentsDifference(base, other) {
|
||
|
var res;
|
||
|
if (!(base.isValid() && other.isValid())) {
|
||
|
return { milliseconds: 0, months: 0 };
|
||
|
}
|
||
|
other = cloneWithOffset(other, base);
|
||
|
if (base.isBefore(other)) {
|
||
|
res = positiveMomentsDifference(base, other);
|
||
|
} else {
|
||
|
res = positiveMomentsDifference(other, base);
|
||
|
res.milliseconds = -res.milliseconds;
|
||
|
res.months = -res.months;
|
||
|
}
|
||
|
return res;
|
||
|
}
|
||
|
function createAdder(direction, name) {
|
||
|
return function(val, period) {
|
||
|
var dur, tmp;
|
||
|
if (period !== null && !isNaN(+period)) {
|
||
|
deprecateSimple(name, "moment()." + name + "(period, number) is deprecated. Please use moment()." + name + "(number, period). See http://momentjs.com/guides/#/warnings/add-inverted-param/ for more info.");
|
||
|
tmp = val;
|
||
|
val = period;
|
||
|
period = tmp;
|
||
|
}
|
||
|
dur = createDuration(val, period);
|
||
|
addSubtract(this, dur, direction);
|
||
|
return this;
|
||
|
};
|
||
|
}
|
||
|
function addSubtract(mom, duration, isAdding, updateOffset) {
|
||
|
var milliseconds2 = duration._milliseconds, days2 = absRound(duration._days), months2 = absRound(duration._months);
|
||
|
if (!mom.isValid()) {
|
||
|
return;
|
||
|
}
|
||
|
updateOffset = updateOffset == null ? true : updateOffset;
|
||
|
if (months2) {
|
||
|
setMonth(mom, get(mom, "Month") + months2 * isAdding);
|
||
|
}
|
||
|
if (days2) {
|
||
|
set$1(mom, "Date", get(mom, "Date") + days2 * isAdding);
|
||
|
}
|
||
|
if (milliseconds2) {
|
||
|
mom._d.setTime(mom._d.valueOf() + milliseconds2 * isAdding);
|
||
|
}
|
||
|
if (updateOffset) {
|
||
|
hooks.updateOffset(mom, days2 || months2);
|
||
|
}
|
||
|
}
|
||
|
var add = createAdder(1, "add"), subtract = createAdder(-1, "subtract");
|
||
|
function isString(input) {
|
||
|
return typeof input === "string" || input instanceof String;
|
||
|
}
|
||
|
function isMomentInput(input) {
|
||
|
return isMoment(input) || isDate(input) || isString(input) || isNumber(input) || isNumberOrStringArray(input) || isMomentInputObject(input) || input === null || input === void 0;
|
||
|
}
|
||
|
function isMomentInputObject(input) {
|
||
|
var objectTest = isObject(input) && !isObjectEmpty(input), propertyTest = false, properties = [
|
||
|
"years",
|
||
|
"year",
|
||
|
"y",
|
||
|
"months",
|
||
|
"month",
|
||
|
"M",
|
||
|
"days",
|
||
|
"day",
|
||
|
"d",
|
||
|
"dates",
|
||
|
"date",
|
||
|
"D",
|
||
|
"hours",
|
||
|
"hour",
|
||
|
"h",
|
||
|
"minutes",
|
||
|
"minute",
|
||
|
"m",
|
||
|
"seconds",
|
||
|
"second",
|
||
|
"s",
|
||
|
"milliseconds",
|
||
|
"millisecond",
|
||
|
"ms"
|
||
|
], i, property, propertyLen = properties.length;
|
||
|
for (i = 0; i < propertyLen; i += 1) {
|
||
|
property = properties[i];
|
||
|
propertyTest = propertyTest || hasOwnProp(input, property);
|
||
|
}
|
||
|
return objectTest && propertyTest;
|
||
|
}
|
||
|
function isNumberOrStringArray(input) {
|
||
|
var arrayTest = isArray(input), dataTypeTest = false;
|
||
|
if (arrayTest) {
|
||
|
dataTypeTest = input.filter(function(item) {
|
||
|
return !isNumber(item) && isString(input);
|
||
|
}).length === 0;
|
||
|
}
|
||
|
return arrayTest && dataTypeTest;
|
||
|
}
|
||
|
function isCalendarSpec(input) {
|
||
|
var objectTest = isObject(input) && !isObjectEmpty(input), propertyTest = false, properties = [
|
||
|
"sameDay",
|
||
|
"nextDay",
|
||
|
"lastDay",
|
||
|
"nextWeek",
|
||
|
"lastWeek",
|
||
|
"sameElse"
|
||
|
], i, property;
|
||
|
for (i = 0; i < properties.length; i += 1) {
|
||
|
property = properties[i];
|
||
|
propertyTest = propertyTest || hasOwnProp(input, property);
|
||
|
}
|
||
|
return objectTest && propertyTest;
|
||
|
}
|
||
|
function getCalendarFormat(myMoment, now2) {
|
||
|
var diff2 = myMoment.diff(now2, "days", true);
|
||
|
return diff2 < -6 ? "sameElse" : diff2 < -1 ? "lastWeek" : diff2 < 0 ? "lastDay" : diff2 < 1 ? "sameDay" : diff2 < 2 ? "nextDay" : diff2 < 7 ? "nextWeek" : "sameElse";
|
||
|
}
|
||
|
function calendar$1(time, formats) {
|
||
|
if (arguments.length === 1) {
|
||
|
if (!arguments[0]) {
|
||
|
time = void 0;
|
||
|
formats = void 0;
|
||
|
} else if (isMomentInput(arguments[0])) {
|
||
|
time = arguments[0];
|
||
|
formats = void 0;
|
||
|
} else if (isCalendarSpec(arguments[0])) {
|
||
|
formats = arguments[0];
|
||
|
time = void 0;
|
||
|
}
|
||
|
}
|
||
|
var now2 = time || createLocal(), sod = cloneWithOffset(now2, this).startOf("day"), format2 = hooks.calendarFormat(this, sod) || "sameElse", output = formats && (isFunction(formats[format2]) ? formats[format2].call(this, now2) : formats[format2]);
|
||
|
return this.format(output || this.localeData().calendar(format2, this, createLocal(now2)));
|
||
|
}
|
||
|
function clone() {
|
||
|
return new Moment(this);
|
||
|
}
|
||
|
function isAfter(input, units) {
|
||
|
var localInput = isMoment(input) ? input : createLocal(input);
|
||
|
if (!(this.isValid() && localInput.isValid())) {
|
||
|
return false;
|
||
|
}
|
||
|
units = normalizeUnits(units) || "millisecond";
|
||
|
if (units === "millisecond") {
|
||
|
return this.valueOf() > localInput.valueOf();
|
||
|
} else {
|
||
|
return localInput.valueOf() < this.clone().startOf(units).valueOf();
|
||
|
}
|
||
|
}
|
||
|
function isBefore(input, units) {
|
||
|
var localInput = isMoment(input) ? input : createLocal(input);
|
||
|
if (!(this.isValid() && localInput.isValid())) {
|
||
|
return false;
|
||
|
}
|
||
|
units = normalizeUnits(units) || "millisecond";
|
||
|
if (units === "millisecond") {
|
||
|
return this.valueOf() < localInput.valueOf();
|
||
|
} else {
|
||
|
return this.clone().endOf(units).valueOf() < localInput.valueOf();
|
||
|
}
|
||
|
}
|
||
|
function isBetween(from2, to2, units, inclusivity) {
|
||
|
var localFrom = isMoment(from2) ? from2 : createLocal(from2), localTo = isMoment(to2) ? to2 : createLocal(to2);
|
||
|
if (!(this.isValid() && localFrom.isValid() && localTo.isValid())) {
|
||
|
return false;
|
||
|
}
|
||
|
inclusivity = inclusivity || "()";
|
||
|
return (inclusivity[0] === "(" ? this.isAfter(localFrom, units) : !this.isBefore(localFrom, units)) && (inclusivity[1] === ")" ? this.isBefore(localTo, units) : !this.isAfter(localTo, units));
|
||
|
}
|
||
|
function isSame(input, units) {
|
||
|
var localInput = isMoment(input) ? input : createLocal(input), inputMs;
|
||
|
if (!(this.isValid() && localInput.isValid())) {
|
||
|
return false;
|
||
|
}
|
||
|
units = normalizeUnits(units) || "millisecond";
|
||
|
if (units === "millisecond") {
|
||
|
return this.valueOf() === localInput.valueOf();
|
||
|
} else {
|
||
|
inputMs = localInput.valueOf();
|
||
|
return this.clone().startOf(units).valueOf() <= inputMs && inputMs <= this.clone().endOf(units).valueOf();
|
||
|
}
|
||
|
}
|
||
|
function isSameOrAfter(input, units) {
|
||
|
return this.isSame(input, units) || this.isAfter(input, units);
|
||
|
}
|
||
|
function isSameOrBefore(input, units) {
|
||
|
return this.isSame(input, units) || this.isBefore(input, units);
|
||
|
}
|
||
|
function diff(input, units, asFloat) {
|
||
|
var that, zoneDelta, output;
|
||
|
if (!this.isValid()) {
|
||
|
return NaN;
|
||
|
}
|
||
|
that = cloneWithOffset(input, this);
|
||
|
if (!that.isValid()) {
|
||
|
return NaN;
|
||
|
}
|
||
|
zoneDelta = (that.utcOffset() - this.utcOffset()) * 6e4;
|
||
|
units = normalizeUnits(units);
|
||
|
switch (units) {
|
||
|
case "year":
|
||
|
output = monthDiff(this, that) / 12;
|
||
|
break;
|
||
|
case "month":
|
||
|
output = monthDiff(this, that);
|
||
|
break;
|
||
|
case "quarter":
|
||
|
output = monthDiff(this, that) / 3;
|
||
|
break;
|
||
|
case "second":
|
||
|
output = (this - that) / 1e3;
|
||
|
break;
|
||
|
case "minute":
|
||
|
output = (this - that) / 6e4;
|
||
|
break;
|
||
|
case "hour":
|
||
|
output = (this - that) / 36e5;
|
||
|
break;
|
||
|
case "day":
|
||
|
output = (this - that - zoneDelta) / 864e5;
|
||
|
break;
|
||
|
case "week":
|
||
|
output = (this - that - zoneDelta) / 6048e5;
|
||
|
break;
|
||
|
default:
|
||
|
output = this - that;
|
||
|
}
|
||
|
return asFloat ? output : absFloor(output);
|
||
|
}
|
||
|
function monthDiff(a, b) {
|
||
|
if (a.date() < b.date()) {
|
||
|
return -monthDiff(b, a);
|
||
|
}
|
||
|
var wholeMonthDiff = (b.year() - a.year()) * 12 + (b.month() - a.month()), anchor = a.clone().add(wholeMonthDiff, "months"), anchor2, adjust;
|
||
|
if (b - anchor < 0) {
|
||
|
anchor2 = a.clone().add(wholeMonthDiff - 1, "months");
|
||
|
adjust = (b - anchor) / (anchor - anchor2);
|
||
|
} else {
|
||
|
anchor2 = a.clone().add(wholeMonthDiff + 1, "months");
|
||
|
adjust = (b - anchor) / (anchor2 - anchor);
|
||
|
}
|
||
|
return -(wholeMonthDiff + adjust) || 0;
|
||
|
}
|
||
|
hooks.defaultFormat = "YYYY-MM-DDTHH:mm:ssZ";
|
||
|
hooks.defaultFormatUtc = "YYYY-MM-DDTHH:mm:ss[Z]";
|
||
|
function toString() {
|
||
|
return this.clone().locale("en").format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ");
|
||
|
}
|
||
|
function toISOString(keepOffset) {
|
||
|
if (!this.isValid()) {
|
||
|
return null;
|
||
|
}
|
||
|
var utc = keepOffset !== true, m = utc ? this.clone().utc() : this;
|
||
|
if (m.year() < 0 || m.year() > 9999) {
|
||
|
return formatMoment(m, utc ? "YYYYYY-MM-DD[T]HH:mm:ss.SSS[Z]" : "YYYYYY-MM-DD[T]HH:mm:ss.SSSZ");
|
||
|
}
|
||
|
if (isFunction(Date.prototype.toISOString)) {
|
||
|
if (utc) {
|
||
|
return this.toDate().toISOString();
|
||
|
} else {
|
||
|
return new Date(this.valueOf() + this.utcOffset() * 60 * 1e3).toISOString().replace("Z", formatMoment(m, "Z"));
|
||
|
}
|
||
|
}
|
||
|
return formatMoment(m, utc ? "YYYY-MM-DD[T]HH:mm:ss.SSS[Z]" : "YYYY-MM-DD[T]HH:mm:ss.SSSZ");
|
||
|
}
|
||
|
function inspect() {
|
||
|
if (!this.isValid()) {
|
||
|
return "moment.invalid(/* " + this._i + " */)";
|
||
|
}
|
||
|
var func = "moment", zone = "", prefix, year, datetime, suffix;
|
||
|
if (!this.isLocal()) {
|
||
|
func = this.utcOffset() === 0 ? "moment.utc" : "moment.parseZone";
|
||
|
zone = "Z";
|
||
|
}
|
||
|
prefix = "[" + func + '("]';
|
||
|
year = 0 <= this.year() && this.year() <= 9999 ? "YYYY" : "YYYYYY";
|
||
|
datetime = "-MM-DD[T]HH:mm:ss.SSS";
|
||
|
suffix = zone + '[")]';
|
||
|
return this.format(prefix + year + datetime + suffix);
|
||
|
}
|
||
|
function format(inputString) {
|
||
|
if (!inputString) {
|
||
|
inputString = this.isUtc() ? hooks.defaultFormatUtc : hooks.defaultFormat;
|
||
|
}
|
||
|
var output = formatMoment(this, inputString);
|
||
|
return this.localeData().postformat(output);
|
||
|
}
|
||
|
function from(time, withoutSuffix) {
|
||
|
if (this.isValid() && (isMoment(time) && time.isValid() || createLocal(time).isValid())) {
|
||
|
return createDuration({ to: this, from: time }).locale(this.locale()).humanize(!withoutSuffix);
|
||
|
} else {
|
||
|
return this.localeData().invalidDate();
|
||
|
}
|
||
|
}
|
||
|
function fromNow(withoutSuffix) {
|
||
|
return this.from(createLocal(), withoutSuffix);
|
||
|
}
|
||
|
function to(time, withoutSuffix) {
|
||
|
if (this.isValid() && (isMoment(time) && time.isValid() || createLocal(time).isValid())) {
|
||
|
return createDuration({ from: this, to: time }).locale(this.locale()).humanize(!withoutSuffix);
|
||
|
} else {
|
||
|
return this.localeData().invalidDate();
|
||
|
}
|
||
|
}
|
||
|
function toNow(withoutSuffix) {
|
||
|
return this.to(createLocal(), withoutSuffix);
|
||
|
}
|
||
|
function locale(key) {
|
||
|
var newLocaleData;
|
||
|
if (key === void 0) {
|
||
|
return this._locale._abbr;
|
||
|
} else {
|
||
|
newLocaleData = getLocale(key);
|
||
|
if (newLocaleData != null) {
|
||
|
this._locale = newLocaleData;
|
||
|
}
|
||
|
return this;
|
||
|
}
|
||
|
}
|
||
|
var lang = deprecate("moment().lang() is deprecated. Instead, use moment().localeData() to get the language configuration. Use moment().locale() to change languages.", function(key) {
|
||
|
if (key === void 0) {
|
||
|
return this.localeData();
|
||
|
} else {
|
||
|
return this.locale(key);
|
||
|
}
|
||
|
});
|
||
|
function localeData() {
|
||
|
return this._locale;
|
||
|
}
|
||
|
var MS_PER_SECOND = 1e3, MS_PER_MINUTE = 60 * MS_PER_SECOND, MS_PER_HOUR = 60 * MS_PER_MINUTE, MS_PER_400_YEARS = (365 * 400 + 97) * 24 * MS_PER_HOUR;
|
||
|
function mod$1(dividend, divisor) {
|
||
|
return (dividend % divisor + divisor) % divisor;
|
||
|
}
|
||
|
function localStartOfDate(y, m, d) {
|
||
|
if (y < 100 && y >= 0) {
|
||
|
return new Date(y + 400, m, d) - MS_PER_400_YEARS;
|
||
|
} else {
|
||
|
return new Date(y, m, d).valueOf();
|
||
|
}
|
||
|
}
|
||
|
function utcStartOfDate(y, m, d) {
|
||
|
if (y < 100 && y >= 0) {
|
||
|
return Date.UTC(y + 400, m, d) - MS_PER_400_YEARS;
|
||
|
} else {
|
||
|
return Date.UTC(y, m, d);
|
||
|
}
|
||
|
}
|
||
|
function startOf(units) {
|
||
|
var time, startOfDate;
|
||
|
units = normalizeUnits(units);
|
||
|
if (units === void 0 || units === "millisecond" || !this.isValid()) {
|
||
|
return this;
|
||
|
}
|
||
|
startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;
|
||
|
switch (units) {
|
||
|
case "year":
|
||
|
time = startOfDate(this.year(), 0, 1);
|
||
|
break;
|
||
|
case "quarter":
|
||
|
time = startOfDate(this.year(), this.month() - this.month() % 3, 1);
|
||
|
break;
|
||
|
case "month":
|
||
|
time = startOfDate(this.year(), this.month(), 1);
|
||
|
break;
|
||
|
case "week":
|
||
|
time = startOfDate(this.year(), this.month(), this.date() - this.weekday());
|
||
|
break;
|
||
|
case "isoWeek":
|
||
|
time = startOfDate(this.year(), this.month(), this.date() - (this.isoWeekday() - 1));
|
||
|
break;
|
||
|
case "day":
|
||
|
case "date":
|
||
|
time = startOfDate(this.year(), this.month(), this.date());
|
||
|
break;
|
||
|
case "hour":
|
||
|
time = this._d.valueOf();
|
||
|
time -= mod$1(time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE), MS_PER_HOUR);
|
||
|
break;
|
||
|
case "minute":
|
||
|
time = this._d.valueOf();
|
||
|
time -= mod$1(time, MS_PER_MINUTE);
|
||
|
break;
|
||
|
case "second":
|
||
|
time = this._d.valueOf();
|
||
|
time -= mod$1(time, MS_PER_SECOND);
|
||
|
break;
|
||
|
}
|
||
|
this._d.setTime(time);
|
||
|
hooks.updateOffset(this, true);
|
||
|
return this;
|
||
|
}
|
||
|
function endOf(units) {
|
||
|
var time, startOfDate;
|
||
|
units = normalizeUnits(units);
|
||
|
if (units === void 0 || units === "millisecond" || !this.isValid()) {
|
||
|
return this;
|
||
|
}
|
||
|
startOfDate = this._isUTC ? utcStartOfDate : localStartOfDate;
|
||
|
switch (units) {
|
||
|
case "year":
|
||
|
time = startOfDate(this.year() + 1, 0, 1) - 1;
|
||
|
break;
|
||
|
case "quarter":
|
||
|
time = startOfDate(this.year(), this.month() - this.month() % 3 + 3, 1) - 1;
|
||
|
break;
|
||
|
case "month":
|
||
|
time = startOfDate(this.year(), this.month() + 1, 1) - 1;
|
||
|
break;
|
||
|
case "week":
|
||
|
time = startOfDate(this.year(), this.month(), this.date() - this.weekday() + 7) - 1;
|
||
|
break;
|
||
|
case "isoWeek":
|
||
|
time = startOfDate(this.year(), this.month(), this.date() - (this.isoWeekday() - 1) + 7) - 1;
|
||
|
break;
|
||
|
case "day":
|
||
|
case "date":
|
||
|
time = startOfDate(this.year(), this.month(), this.date() + 1) - 1;
|
||
|
break;
|
||
|
case "hour":
|
||
|
time = this._d.valueOf();
|
||
|
time += MS_PER_HOUR - mod$1(time + (this._isUTC ? 0 : this.utcOffset() * MS_PER_MINUTE), MS_PER_HOUR) - 1;
|
||
|
break;
|
||
|
case "minute":
|
||
|
time = this._d.valueOf();
|
||
|
time += MS_PER_MINUTE - mod$1(time, MS_PER_MINUTE) - 1;
|
||
|
break;
|
||
|
case "second":
|
||
|
time = this._d.valueOf();
|
||
|
time += MS_PER_SECOND - mod$1(time, MS_PER_SECOND) - 1;
|
||
|
break;
|
||
|
}
|
||
|
this._d.setTime(time);
|
||
|
hooks.updateOffset(this, true);
|
||
|
return this;
|
||
|
}
|
||
|
function valueOf() {
|
||
|
return this._d.valueOf() - (this._offset || 0) * 6e4;
|
||
|
}
|
||
|
function unix() {
|
||
|
return Math.floor(this.valueOf() / 1e3);
|
||
|
}
|
||
|
function toDate() {
|
||
|
return new Date(this.valueOf());
|
||
|
}
|
||
|
function toArray() {
|
||
|
var m = this;
|
||
|
return [
|
||
|
m.year(),
|
||
|
m.month(),
|
||
|
m.date(),
|
||
|
m.hour(),
|
||
|
m.minute(),
|
||
|
m.second(),
|
||
|
m.millisecond()
|
||
|
];
|
||
|
}
|
||
|
function toObject() {
|
||
|
var m = this;
|
||
|
return {
|
||
|
years: m.year(),
|
||
|
months: m.month(),
|
||
|
date: m.date(),
|
||
|
hours: m.hours(),
|
||
|
minutes: m.minutes(),
|
||
|
seconds: m.seconds(),
|
||
|
milliseconds: m.milliseconds()
|
||
|
};
|
||
|
}
|
||
|
function toJSON() {
|
||
|
return this.isValid() ? this.toISOString() : null;
|
||
|
}
|
||
|
function isValid$2() {
|
||
|
return isValid(this);
|
||
|
}
|
||
|
function parsingFlags() {
|
||
|
return extend({}, getParsingFlags(this));
|
||
|
}
|
||
|
function invalidAt() {
|
||
|
return getParsingFlags(this).overflow;
|
||
|
}
|
||
|
function creationData() {
|
||
|
return {
|
||
|
input: this._i,
|
||
|
format: this._f,
|
||
|
locale: this._locale,
|
||
|
isUTC: this._isUTC,
|
||
|
strict: this._strict
|
||
|
};
|
||
|
}
|
||
|
addFormatToken("N", 0, 0, "eraAbbr");
|
||
|
addFormatToken("NN", 0, 0, "eraAbbr");
|
||
|
addFormatToken("NNN", 0, 0, "eraAbbr");
|
||
|
addFormatToken("NNNN", 0, 0, "eraName");
|
||
|
addFormatToken("NNNNN", 0, 0, "eraNarrow");
|
||
|
addFormatToken("y", ["y", 1], "yo", "eraYear");
|
||
|
addFormatToken("y", ["yy", 2], 0, "eraYear");
|
||
|
addFormatToken("y", ["yyy", 3], 0, "eraYear");
|
||
|
addFormatToken("y", ["yyyy", 4], 0, "eraYear");
|
||
|
addRegexToken("N", matchEraAbbr);
|
||
|
addRegexToken("NN", matchEraAbbr);
|
||
|
addRegexToken("NNN", matchEraAbbr);
|
||
|
addRegexToken("NNNN", matchEraName);
|
||
|
addRegexToken("NNNNN", matchEraNarrow);
|
||
|
addParseToken(["N", "NN", "NNN", "NNNN", "NNNNN"], function(input, array, config, token2) {
|
||
|
var era = config._locale.erasParse(input, token2, config._strict);
|
||
|
if (era) {
|
||
|
getParsingFlags(config).era = era;
|
||
|
} else {
|
||
|
getParsingFlags(config).invalidEra = input;
|
||
|
}
|
||
|
});
|
||
|
addRegexToken("y", matchUnsigned);
|
||
|
addRegexToken("yy", matchUnsigned);
|
||
|
addRegexToken("yyy", matchUnsigned);
|
||
|
addRegexToken("yyyy", matchUnsigned);
|
||
|
addRegexToken("yo", matchEraYearOrdinal);
|
||
|
addParseToken(["y", "yy", "yyy", "yyyy"], YEAR);
|
||
|
addParseToken(["yo"], function(input, array, config, token2) {
|
||
|
var match;
|
||
|
if (config._locale._eraYearOrdinalRegex) {
|
||
|
match = input.match(config._locale._eraYearOrdinalRegex);
|
||
|
}
|
||
|
if (config._locale.eraYearOrdinalParse) {
|
||
|
array[YEAR] = config._locale.eraYearOrdinalParse(input, match);
|
||
|
} else {
|
||
|
array[YEAR] = parseInt(input, 10);
|
||
|
}
|
||
|
});
|
||
|
function localeEras(m, format2) {
|
||
|
var i, l, date, eras = this._eras || getLocale("en")._eras;
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
switch (typeof eras[i].since) {
|
||
|
case "string":
|
||
|
date = hooks(eras[i].since).startOf("day");
|
||
|
eras[i].since = date.valueOf();
|
||
|
break;
|
||
|
}
|
||
|
switch (typeof eras[i].until) {
|
||
|
case "undefined":
|
||
|
eras[i].until = Infinity;
|
||
|
break;
|
||
|
case "string":
|
||
|
date = hooks(eras[i].until).startOf("day").valueOf();
|
||
|
eras[i].until = date.valueOf();
|
||
|
break;
|
||
|
}
|
||
|
}
|
||
|
return eras;
|
||
|
}
|
||
|
function localeErasParse(eraName, format2, strict) {
|
||
|
var i, l, eras = this.eras(), name, abbr, narrow;
|
||
|
eraName = eraName.toUpperCase();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
name = eras[i].name.toUpperCase();
|
||
|
abbr = eras[i].abbr.toUpperCase();
|
||
|
narrow = eras[i].narrow.toUpperCase();
|
||
|
if (strict) {
|
||
|
switch (format2) {
|
||
|
case "N":
|
||
|
case "NN":
|
||
|
case "NNN":
|
||
|
if (abbr === eraName) {
|
||
|
return eras[i];
|
||
|
}
|
||
|
break;
|
||
|
case "NNNN":
|
||
|
if (name === eraName) {
|
||
|
return eras[i];
|
||
|
}
|
||
|
break;
|
||
|
case "NNNNN":
|
||
|
if (narrow === eraName) {
|
||
|
return eras[i];
|
||
|
}
|
||
|
break;
|
||
|
}
|
||
|
} else if ([name, abbr, narrow].indexOf(eraName) >= 0) {
|
||
|
return eras[i];
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function localeErasConvertYear(era, year) {
|
||
|
var dir = era.since <= era.until ? 1 : -1;
|
||
|
if (year === void 0) {
|
||
|
return hooks(era.since).year();
|
||
|
} else {
|
||
|
return hooks(era.since).year() + (year - era.offset) * dir;
|
||
|
}
|
||
|
}
|
||
|
function getEraName() {
|
||
|
var i, l, val, eras = this.localeData().eras();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
val = this.clone().startOf("day").valueOf();
|
||
|
if (eras[i].since <= val && val <= eras[i].until) {
|
||
|
return eras[i].name;
|
||
|
}
|
||
|
if (eras[i].until <= val && val <= eras[i].since) {
|
||
|
return eras[i].name;
|
||
|
}
|
||
|
}
|
||
|
return "";
|
||
|
}
|
||
|
function getEraNarrow() {
|
||
|
var i, l, val, eras = this.localeData().eras();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
val = this.clone().startOf("day").valueOf();
|
||
|
if (eras[i].since <= val && val <= eras[i].until) {
|
||
|
return eras[i].narrow;
|
||
|
}
|
||
|
if (eras[i].until <= val && val <= eras[i].since) {
|
||
|
return eras[i].narrow;
|
||
|
}
|
||
|
}
|
||
|
return "";
|
||
|
}
|
||
|
function getEraAbbr() {
|
||
|
var i, l, val, eras = this.localeData().eras();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
val = this.clone().startOf("day").valueOf();
|
||
|
if (eras[i].since <= val && val <= eras[i].until) {
|
||
|
return eras[i].abbr;
|
||
|
}
|
||
|
if (eras[i].until <= val && val <= eras[i].since) {
|
||
|
return eras[i].abbr;
|
||
|
}
|
||
|
}
|
||
|
return "";
|
||
|
}
|
||
|
function getEraYear() {
|
||
|
var i, l, dir, val, eras = this.localeData().eras();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
dir = eras[i].since <= eras[i].until ? 1 : -1;
|
||
|
val = this.clone().startOf("day").valueOf();
|
||
|
if (eras[i].since <= val && val <= eras[i].until || eras[i].until <= val && val <= eras[i].since) {
|
||
|
return (this.year() - hooks(eras[i].since).year()) * dir + eras[i].offset;
|
||
|
}
|
||
|
}
|
||
|
return this.year();
|
||
|
}
|
||
|
function erasNameRegex(isStrict) {
|
||
|
if (!hasOwnProp(this, "_erasNameRegex")) {
|
||
|
computeErasParse.call(this);
|
||
|
}
|
||
|
return isStrict ? this._erasNameRegex : this._erasRegex;
|
||
|
}
|
||
|
function erasAbbrRegex(isStrict) {
|
||
|
if (!hasOwnProp(this, "_erasAbbrRegex")) {
|
||
|
computeErasParse.call(this);
|
||
|
}
|
||
|
return isStrict ? this._erasAbbrRegex : this._erasRegex;
|
||
|
}
|
||
|
function erasNarrowRegex(isStrict) {
|
||
|
if (!hasOwnProp(this, "_erasNarrowRegex")) {
|
||
|
computeErasParse.call(this);
|
||
|
}
|
||
|
return isStrict ? this._erasNarrowRegex : this._erasRegex;
|
||
|
}
|
||
|
function matchEraAbbr(isStrict, locale2) {
|
||
|
return locale2.erasAbbrRegex(isStrict);
|
||
|
}
|
||
|
function matchEraName(isStrict, locale2) {
|
||
|
return locale2.erasNameRegex(isStrict);
|
||
|
}
|
||
|
function matchEraNarrow(isStrict, locale2) {
|
||
|
return locale2.erasNarrowRegex(isStrict);
|
||
|
}
|
||
|
function matchEraYearOrdinal(isStrict, locale2) {
|
||
|
return locale2._eraYearOrdinalRegex || matchUnsigned;
|
||
|
}
|
||
|
function computeErasParse() {
|
||
|
var abbrPieces = [], namePieces = [], narrowPieces = [], mixedPieces = [], i, l, erasName, erasAbbr, erasNarrow, eras = this.eras();
|
||
|
for (i = 0, l = eras.length; i < l; ++i) {
|
||
|
erasName = regexEscape(eras[i].name);
|
||
|
erasAbbr = regexEscape(eras[i].abbr);
|
||
|
erasNarrow = regexEscape(eras[i].narrow);
|
||
|
namePieces.push(erasName);
|
||
|
abbrPieces.push(erasAbbr);
|
||
|
narrowPieces.push(erasNarrow);
|
||
|
mixedPieces.push(erasName);
|
||
|
mixedPieces.push(erasAbbr);
|
||
|
mixedPieces.push(erasNarrow);
|
||
|
}
|
||
|
this._erasRegex = new RegExp("^(" + mixedPieces.join("|") + ")", "i");
|
||
|
this._erasNameRegex = new RegExp("^(" + namePieces.join("|") + ")", "i");
|
||
|
this._erasAbbrRegex = new RegExp("^(" + abbrPieces.join("|") + ")", "i");
|
||
|
this._erasNarrowRegex = new RegExp("^(" + narrowPieces.join("|") + ")", "i");
|
||
|
}
|
||
|
addFormatToken(0, ["gg", 2], 0, function() {
|
||
|
return this.weekYear() % 100;
|
||
|
});
|
||
|
addFormatToken(0, ["GG", 2], 0, function() {
|
||
|
return this.isoWeekYear() % 100;
|
||
|
});
|
||
|
function addWeekYearFormatToken(token2, getter) {
|
||
|
addFormatToken(0, [token2, token2.length], 0, getter);
|
||
|
}
|
||
|
addWeekYearFormatToken("gggg", "weekYear");
|
||
|
addWeekYearFormatToken("ggggg", "weekYear");
|
||
|
addWeekYearFormatToken("GGGG", "isoWeekYear");
|
||
|
addWeekYearFormatToken("GGGGG", "isoWeekYear");
|
||
|
addRegexToken("G", matchSigned);
|
||
|
addRegexToken("g", matchSigned);
|
||
|
addRegexToken("GG", match1to2, match2);
|
||
|
addRegexToken("gg", match1to2, match2);
|
||
|
addRegexToken("GGGG", match1to4, match4);
|
||
|
addRegexToken("gggg", match1to4, match4);
|
||
|
addRegexToken("GGGGG", match1to6, match6);
|
||
|
addRegexToken("ggggg", match1to6, match6);
|
||
|
addWeekParseToken(["gggg", "ggggg", "GGGG", "GGGGG"], function(input, week, config, token2) {
|
||
|
week[token2.substr(0, 2)] = toInt(input);
|
||
|
});
|
||
|
addWeekParseToken(["gg", "GG"], function(input, week, config, token2) {
|
||
|
week[token2] = hooks.parseTwoDigitYear(input);
|
||
|
});
|
||
|
function getSetWeekYear(input) {
|
||
|
return getSetWeekYearHelper.call(this, input, this.week(), this.weekday() + this.localeData()._week.dow, this.localeData()._week.dow, this.localeData()._week.doy);
|
||
|
}
|
||
|
function getSetISOWeekYear(input) {
|
||
|
return getSetWeekYearHelper.call(this, input, this.isoWeek(), this.isoWeekday(), 1, 4);
|
||
|
}
|
||
|
function getISOWeeksInYear() {
|
||
|
return weeksInYear(this.year(), 1, 4);
|
||
|
}
|
||
|
function getISOWeeksInISOWeekYear() {
|
||
|
return weeksInYear(this.isoWeekYear(), 1, 4);
|
||
|
}
|
||
|
function getWeeksInYear() {
|
||
|
var weekInfo = this.localeData()._week;
|
||
|
return weeksInYear(this.year(), weekInfo.dow, weekInfo.doy);
|
||
|
}
|
||
|
function getWeeksInWeekYear() {
|
||
|
var weekInfo = this.localeData()._week;
|
||
|
return weeksInYear(this.weekYear(), weekInfo.dow, weekInfo.doy);
|
||
|
}
|
||
|
function getSetWeekYearHelper(input, week, weekday, dow, doy) {
|
||
|
var weeksTarget;
|
||
|
if (input == null) {
|
||
|
return weekOfYear(this, dow, doy).year;
|
||
|
} else {
|
||
|
weeksTarget = weeksInYear(input, dow, doy);
|
||
|
if (week > weeksTarget) {
|
||
|
week = weeksTarget;
|
||
|
}
|
||
|
return setWeekAll.call(this, input, week, weekday, dow, doy);
|
||
|
}
|
||
|
}
|
||
|
function setWeekAll(weekYear, week, weekday, dow, doy) {
|
||
|
var dayOfYearData = dayOfYearFromWeeks(weekYear, week, weekday, dow, doy), date = createUTCDate(dayOfYearData.year, 0, dayOfYearData.dayOfYear);
|
||
|
this.year(date.getUTCFullYear());
|
||
|
this.month(date.getUTCMonth());
|
||
|
this.date(date.getUTCDate());
|
||
|
return this;
|
||
|
}
|
||
|
addFormatToken("Q", 0, "Qo", "quarter");
|
||
|
addRegexToken("Q", match1);
|
||
|
addParseToken("Q", function(input, array) {
|
||
|
array[MONTH] = (toInt(input) - 1) * 3;
|
||
|
});
|
||
|
function getSetQuarter(input) {
|
||
|
return input == null ? Math.ceil((this.month() + 1) / 3) : this.month((input - 1) * 3 + this.month() % 3);
|
||
|
}
|
||
|
addFormatToken("D", ["DD", 2], "Do", "date");
|
||
|
addRegexToken("D", match1to2, match1to2NoLeadingZero);
|
||
|
addRegexToken("DD", match1to2, match2);
|
||
|
addRegexToken("Do", function(isStrict, locale2) {
|
||
|
return isStrict ? locale2._dayOfMonthOrdinalParse || locale2._ordinalParse : locale2._dayOfMonthOrdinalParseLenient;
|
||
|
});
|
||
|
addParseToken(["D", "DD"], DATE);
|
||
|
addParseToken("Do", function(input, array) {
|
||
|
array[DATE] = toInt(input.match(match1to2)[0]);
|
||
|
});
|
||
|
var getSetDayOfMonth = makeGetSet("Date", true);
|
||
|
addFormatToken("DDD", ["DDDD", 3], "DDDo", "dayOfYear");
|
||
|
addRegexToken("DDD", match1to3);
|
||
|
addRegexToken("DDDD", match3);
|
||
|
addParseToken(["DDD", "DDDD"], function(input, array, config) {
|
||
|
config._dayOfYear = toInt(input);
|
||
|
});
|
||
|
function getSetDayOfYear(input) {
|
||
|
var dayOfYear = Math.round((this.clone().startOf("day") - this.clone().startOf("year")) / 864e5) + 1;
|
||
|
return input == null ? dayOfYear : this.add(input - dayOfYear, "d");
|
||
|
}
|
||
|
addFormatToken("m", ["mm", 2], 0, "minute");
|
||
|
addRegexToken("m", match1to2, match1to2HasZero);
|
||
|
addRegexToken("mm", match1to2, match2);
|
||
|
addParseToken(["m", "mm"], MINUTE);
|
||
|
var getSetMinute = makeGetSet("Minutes", false);
|
||
|
addFormatToken("s", ["ss", 2], 0, "second");
|
||
|
addRegexToken("s", match1to2, match1to2HasZero);
|
||
|
addRegexToken("ss", match1to2, match2);
|
||
|
addParseToken(["s", "ss"], SECOND);
|
||
|
var getSetSecond = makeGetSet("Seconds", false);
|
||
|
addFormatToken("S", 0, 0, function() {
|
||
|
return ~~(this.millisecond() / 100);
|
||
|
});
|
||
|
addFormatToken(0, ["SS", 2], 0, function() {
|
||
|
return ~~(this.millisecond() / 10);
|
||
|
});
|
||
|
addFormatToken(0, ["SSS", 3], 0, "millisecond");
|
||
|
addFormatToken(0, ["SSSS", 4], 0, function() {
|
||
|
return this.millisecond() * 10;
|
||
|
});
|
||
|
addFormatToken(0, ["SSSSS", 5], 0, function() {
|
||
|
return this.millisecond() * 100;
|
||
|
});
|
||
|
addFormatToken(0, ["SSSSSS", 6], 0, function() {
|
||
|
return this.millisecond() * 1e3;
|
||
|
});
|
||
|
addFormatToken(0, ["SSSSSSS", 7], 0, function() {
|
||
|
return this.millisecond() * 1e4;
|
||
|
});
|
||
|
addFormatToken(0, ["SSSSSSSS", 8], 0, function() {
|
||
|
return this.millisecond() * 1e5;
|
||
|
});
|
||
|
addFormatToken(0, ["SSSSSSSSS", 9], 0, function() {
|
||
|
return this.millisecond() * 1e6;
|
||
|
});
|
||
|
addRegexToken("S", match1to3, match1);
|
||
|
addRegexToken("SS", match1to3, match2);
|
||
|
addRegexToken("SSS", match1to3, match3);
|
||
|
var token, getSetMillisecond;
|
||
|
for (token = "SSSS"; token.length <= 9; token += "S") {
|
||
|
addRegexToken(token, matchUnsigned);
|
||
|
}
|
||
|
function parseMs(input, array) {
|
||
|
array[MILLISECOND] = toInt(("0." + input) * 1e3);
|
||
|
}
|
||
|
for (token = "S"; token.length <= 9; token += "S") {
|
||
|
addParseToken(token, parseMs);
|
||
|
}
|
||
|
getSetMillisecond = makeGetSet("Milliseconds", false);
|
||
|
addFormatToken("z", 0, 0, "zoneAbbr");
|
||
|
addFormatToken("zz", 0, 0, "zoneName");
|
||
|
function getZoneAbbr() {
|
||
|
return this._isUTC ? "UTC" : "";
|
||
|
}
|
||
|
function getZoneName() {
|
||
|
return this._isUTC ? "Coordinated Universal Time" : "";
|
||
|
}
|
||
|
var proto = Moment.prototype;
|
||
|
proto.add = add;
|
||
|
proto.calendar = calendar$1;
|
||
|
proto.clone = clone;
|
||
|
proto.diff = diff;
|
||
|
proto.endOf = endOf;
|
||
|
proto.format = format;
|
||
|
proto.from = from;
|
||
|
proto.fromNow = fromNow;
|
||
|
proto.to = to;
|
||
|
proto.toNow = toNow;
|
||
|
proto.get = stringGet;
|
||
|
proto.invalidAt = invalidAt;
|
||
|
proto.isAfter = isAfter;
|
||
|
proto.isBefore = isBefore;
|
||
|
proto.isBetween = isBetween;
|
||
|
proto.isSame = isSame;
|
||
|
proto.isSameOrAfter = isSameOrAfter;
|
||
|
proto.isSameOrBefore = isSameOrBefore;
|
||
|
proto.isValid = isValid$2;
|
||
|
proto.lang = lang;
|
||
|
proto.locale = locale;
|
||
|
proto.localeData = localeData;
|
||
|
proto.max = prototypeMax;
|
||
|
proto.min = prototypeMin;
|
||
|
proto.parsingFlags = parsingFlags;
|
||
|
proto.set = stringSet;
|
||
|
proto.startOf = startOf;
|
||
|
proto.subtract = subtract;
|
||
|
proto.toArray = toArray;
|
||
|
proto.toObject = toObject;
|
||
|
proto.toDate = toDate;
|
||
|
proto.toISOString = toISOString;
|
||
|
proto.inspect = inspect;
|
||
|
if (typeof Symbol !== "undefined" && Symbol.for != null) {
|
||
|
proto[Symbol.for("nodejs.util.inspect.custom")] = function() {
|
||
|
return "Moment<" + this.format() + ">";
|
||
|
};
|
||
|
}
|
||
|
proto.toJSON = toJSON;
|
||
|
proto.toString = toString;
|
||
|
proto.unix = unix;
|
||
|
proto.valueOf = valueOf;
|
||
|
proto.creationData = creationData;
|
||
|
proto.eraName = getEraName;
|
||
|
proto.eraNarrow = getEraNarrow;
|
||
|
proto.eraAbbr = getEraAbbr;
|
||
|
proto.eraYear = getEraYear;
|
||
|
proto.year = getSetYear;
|
||
|
proto.isLeapYear = getIsLeapYear;
|
||
|
proto.weekYear = getSetWeekYear;
|
||
|
proto.isoWeekYear = getSetISOWeekYear;
|
||
|
proto.quarter = proto.quarters = getSetQuarter;
|
||
|
proto.month = getSetMonth;
|
||
|
proto.daysInMonth = getDaysInMonth;
|
||
|
proto.week = proto.weeks = getSetWeek;
|
||
|
proto.isoWeek = proto.isoWeeks = getSetISOWeek;
|
||
|
proto.weeksInYear = getWeeksInYear;
|
||
|
proto.weeksInWeekYear = getWeeksInWeekYear;
|
||
|
proto.isoWeeksInYear = getISOWeeksInYear;
|
||
|
proto.isoWeeksInISOWeekYear = getISOWeeksInISOWeekYear;
|
||
|
proto.date = getSetDayOfMonth;
|
||
|
proto.day = proto.days = getSetDayOfWeek;
|
||
|
proto.weekday = getSetLocaleDayOfWeek;
|
||
|
proto.isoWeekday = getSetISODayOfWeek;
|
||
|
proto.dayOfYear = getSetDayOfYear;
|
||
|
proto.hour = proto.hours = getSetHour;
|
||
|
proto.minute = proto.minutes = getSetMinute;
|
||
|
proto.second = proto.seconds = getSetSecond;
|
||
|
proto.millisecond = proto.milliseconds = getSetMillisecond;
|
||
|
proto.utcOffset = getSetOffset;
|
||
|
proto.utc = setOffsetToUTC;
|
||
|
proto.local = setOffsetToLocal;
|
||
|
proto.parseZone = setOffsetToParsedOffset;
|
||
|
proto.hasAlignedHourOffset = hasAlignedHourOffset;
|
||
|
proto.isDST = isDaylightSavingTime;
|
||
|
proto.isLocal = isLocal;
|
||
|
proto.isUtcOffset = isUtcOffset;
|
||
|
proto.isUtc = isUtc;
|
||
|
proto.isUTC = isUtc;
|
||
|
proto.zoneAbbr = getZoneAbbr;
|
||
|
proto.zoneName = getZoneName;
|
||
|
proto.dates = deprecate("dates accessor is deprecated. Use date instead.", getSetDayOfMonth);
|
||
|
proto.months = deprecate("months accessor is deprecated. Use month instead", getSetMonth);
|
||
|
proto.years = deprecate("years accessor is deprecated. Use year instead", getSetYear);
|
||
|
proto.zone = deprecate("moment().zone is deprecated, use moment().utcOffset instead. http://momentjs.com/guides/#/warnings/zone/", getSetZone);
|
||
|
proto.isDSTShifted = deprecate("isDSTShifted is deprecated. See http://momentjs.com/guides/#/warnings/dst-shifted/ for more information", isDaylightSavingTimeShifted);
|
||
|
function createUnix(input) {
|
||
|
return createLocal(input * 1e3);
|
||
|
}
|
||
|
function createInZone() {
|
||
|
return createLocal.apply(null, arguments).parseZone();
|
||
|
}
|
||
|
function preParsePostFormat(string) {
|
||
|
return string;
|
||
|
}
|
||
|
var proto$1 = Locale.prototype;
|
||
|
proto$1.calendar = calendar;
|
||
|
proto$1.longDateFormat = longDateFormat;
|
||
|
proto$1.invalidDate = invalidDate;
|
||
|
proto$1.ordinal = ordinal;
|
||
|
proto$1.preparse = preParsePostFormat;
|
||
|
proto$1.postformat = preParsePostFormat;
|
||
|
proto$1.relativeTime = relativeTime;
|
||
|
proto$1.pastFuture = pastFuture;
|
||
|
proto$1.set = set;
|
||
|
proto$1.eras = localeEras;
|
||
|
proto$1.erasParse = localeErasParse;
|
||
|
proto$1.erasConvertYear = localeErasConvertYear;
|
||
|
proto$1.erasAbbrRegex = erasAbbrRegex;
|
||
|
proto$1.erasNameRegex = erasNameRegex;
|
||
|
proto$1.erasNarrowRegex = erasNarrowRegex;
|
||
|
proto$1.months = localeMonths;
|
||
|
proto$1.monthsShort = localeMonthsShort;
|
||
|
proto$1.monthsParse = localeMonthsParse;
|
||
|
proto$1.monthsRegex = monthsRegex;
|
||
|
proto$1.monthsShortRegex = monthsShortRegex;
|
||
|
proto$1.week = localeWeek;
|
||
|
proto$1.firstDayOfYear = localeFirstDayOfYear;
|
||
|
proto$1.firstDayOfWeek = localeFirstDayOfWeek;
|
||
|
proto$1.weekdays = localeWeekdays;
|
||
|
proto$1.weekdaysMin = localeWeekdaysMin;
|
||
|
proto$1.weekdaysShort = localeWeekdaysShort;
|
||
|
proto$1.weekdaysParse = localeWeekdaysParse;
|
||
|
proto$1.weekdaysRegex = weekdaysRegex;
|
||
|
proto$1.weekdaysShortRegex = weekdaysShortRegex;
|
||
|
proto$1.weekdaysMinRegex = weekdaysMinRegex;
|
||
|
proto$1.isPM = localeIsPM;
|
||
|
proto$1.meridiem = localeMeridiem;
|
||
|
function get$1(format2, index2, field, setter) {
|
||
|
var locale2 = getLocale(), utc = createUTC().set(setter, index2);
|
||
|
return locale2[field](utc, format2);
|
||
|
}
|
||
|
function listMonthsImpl(format2, index2, field) {
|
||
|
if (isNumber(format2)) {
|
||
|
index2 = format2;
|
||
|
format2 = void 0;
|
||
|
}
|
||
|
format2 = format2 || "";
|
||
|
if (index2 != null) {
|
||
|
return get$1(format2, index2, field, "month");
|
||
|
}
|
||
|
var i, out = [];
|
||
|
for (i = 0; i < 12; i++) {
|
||
|
out[i] = get$1(format2, i, field, "month");
|
||
|
}
|
||
|
return out;
|
||
|
}
|
||
|
function listWeekdaysImpl(localeSorted, format2, index2, field) {
|
||
|
if (typeof localeSorted === "boolean") {
|
||
|
if (isNumber(format2)) {
|
||
|
index2 = format2;
|
||
|
format2 = void 0;
|
||
|
}
|
||
|
format2 = format2 || "";
|
||
|
} else {
|
||
|
format2 = localeSorted;
|
||
|
index2 = format2;
|
||
|
localeSorted = false;
|
||
|
if (isNumber(format2)) {
|
||
|
index2 = format2;
|
||
|
format2 = void 0;
|
||
|
}
|
||
|
format2 = format2 || "";
|
||
|
}
|
||
|
var locale2 = getLocale(), shift = localeSorted ? locale2._week.dow : 0, i, out = [];
|
||
|
if (index2 != null) {
|
||
|
return get$1(format2, (index2 + shift) % 7, field, "day");
|
||
|
}
|
||
|
for (i = 0; i < 7; i++) {
|
||
|
out[i] = get$1(format2, (i + shift) % 7, field, "day");
|
||
|
}
|
||
|
return out;
|
||
|
}
|
||
|
function listMonths(format2, index2) {
|
||
|
return listMonthsImpl(format2, index2, "months");
|
||
|
}
|
||
|
function listMonthsShort(format2, index2) {
|
||
|
return listMonthsImpl(format2, index2, "monthsShort");
|
||
|
}
|
||
|
function listWeekdays(localeSorted, format2, index2) {
|
||
|
return listWeekdaysImpl(localeSorted, format2, index2, "weekdays");
|
||
|
}
|
||
|
function listWeekdaysShort(localeSorted, format2, index2) {
|
||
|
return listWeekdaysImpl(localeSorted, format2, index2, "weekdaysShort");
|
||
|
}
|
||
|
function listWeekdaysMin(localeSorted, format2, index2) {
|
||
|
return listWeekdaysImpl(localeSorted, format2, index2, "weekdaysMin");
|
||
|
}
|
||
|
getSetGlobalLocale("en", {
|
||
|
eras: [
|
||
|
{
|
||
|
since: "0001-01-01",
|
||
|
until: Infinity,
|
||
|
offset: 1,
|
||
|
name: "Anno Domini",
|
||
|
narrow: "AD",
|
||
|
abbr: "AD"
|
||
|
},
|
||
|
{
|
||
|
since: "0000-12-31",
|
||
|
until: -Infinity,
|
||
|
offset: 1,
|
||
|
name: "Before Christ",
|
||
|
narrow: "BC",
|
||
|
abbr: "BC"
|
||
|
}
|
||
|
],
|
||
|
dayOfMonthOrdinalParse: /\d{1,2}(th|st|nd|rd)/,
|
||
|
ordinal: function(number) {
|
||
|
var b = number % 10, output = toInt(number % 100 / 10) === 1 ? "th" : b === 1 ? "st" : b === 2 ? "nd" : b === 3 ? "rd" : "th";
|
||
|
return number + output;
|
||
|
}
|
||
|
});
|
||
|
hooks.lang = deprecate("moment.lang is deprecated. Use moment.locale instead.", getSetGlobalLocale);
|
||
|
hooks.langData = deprecate("moment.langData is deprecated. Use moment.localeData instead.", getLocale);
|
||
|
var mathAbs = Math.abs;
|
||
|
function abs() {
|
||
|
var data = this._data;
|
||
|
this._milliseconds = mathAbs(this._milliseconds);
|
||
|
this._days = mathAbs(this._days);
|
||
|
this._months = mathAbs(this._months);
|
||
|
data.milliseconds = mathAbs(data.milliseconds);
|
||
|
data.seconds = mathAbs(data.seconds);
|
||
|
data.minutes = mathAbs(data.minutes);
|
||
|
data.hours = mathAbs(data.hours);
|
||
|
data.months = mathAbs(data.months);
|
||
|
data.years = mathAbs(data.years);
|
||
|
return this;
|
||
|
}
|
||
|
function addSubtract$1(duration, input, value, direction) {
|
||
|
var other = createDuration(input, value);
|
||
|
duration._milliseconds += direction * other._milliseconds;
|
||
|
duration._days += direction * other._days;
|
||
|
duration._months += direction * other._months;
|
||
|
return duration._bubble();
|
||
|
}
|
||
|
function add$1(input, value) {
|
||
|
return addSubtract$1(this, input, value, 1);
|
||
|
}
|
||
|
function subtract$1(input, value) {
|
||
|
return addSubtract$1(this, input, value, -1);
|
||
|
}
|
||
|
function absCeil(number) {
|
||
|
if (number < 0) {
|
||
|
return Math.floor(number);
|
||
|
} else {
|
||
|
return Math.ceil(number);
|
||
|
}
|
||
|
}
|
||
|
function bubble() {
|
||
|
var milliseconds2 = this._milliseconds, days2 = this._days, months2 = this._months, data = this._data, seconds2, minutes2, hours2, years2, monthsFromDays;
|
||
|
if (!(milliseconds2 >= 0 && days2 >= 0 && months2 >= 0 || milliseconds2 <= 0 && days2 <= 0 && months2 <= 0)) {
|
||
|
milliseconds2 += absCeil(monthsToDays(months2) + days2) * 864e5;
|
||
|
days2 = 0;
|
||
|
months2 = 0;
|
||
|
}
|
||
|
data.milliseconds = milliseconds2 % 1e3;
|
||
|
seconds2 = absFloor(milliseconds2 / 1e3);
|
||
|
data.seconds = seconds2 % 60;
|
||
|
minutes2 = absFloor(seconds2 / 60);
|
||
|
data.minutes = minutes2 % 60;
|
||
|
hours2 = absFloor(minutes2 / 60);
|
||
|
data.hours = hours2 % 24;
|
||
|
days2 += absFloor(hours2 / 24);
|
||
|
monthsFromDays = absFloor(daysToMonths(days2));
|
||
|
months2 += monthsFromDays;
|
||
|
days2 -= absCeil(monthsToDays(monthsFromDays));
|
||
|
years2 = absFloor(months2 / 12);
|
||
|
months2 %= 12;
|
||
|
data.days = days2;
|
||
|
data.months = months2;
|
||
|
data.years = years2;
|
||
|
return this;
|
||
|
}
|
||
|
function daysToMonths(days2) {
|
||
|
return days2 * 4800 / 146097;
|
||
|
}
|
||
|
function monthsToDays(months2) {
|
||
|
return months2 * 146097 / 4800;
|
||
|
}
|
||
|
function as(units) {
|
||
|
if (!this.isValid()) {
|
||
|
return NaN;
|
||
|
}
|
||
|
var days2, months2, milliseconds2 = this._milliseconds;
|
||
|
units = normalizeUnits(units);
|
||
|
if (units === "month" || units === "quarter" || units === "year") {
|
||
|
days2 = this._days + milliseconds2 / 864e5;
|
||
|
months2 = this._months + daysToMonths(days2);
|
||
|
switch (units) {
|
||
|
case "month":
|
||
|
return months2;
|
||
|
case "quarter":
|
||
|
return months2 / 3;
|
||
|
case "year":
|
||
|
return months2 / 12;
|
||
|
}
|
||
|
} else {
|
||
|
days2 = this._days + Math.round(monthsToDays(this._months));
|
||
|
switch (units) {
|
||
|
case "week":
|
||
|
return days2 / 7 + milliseconds2 / 6048e5;
|
||
|
case "day":
|
||
|
return days2 + milliseconds2 / 864e5;
|
||
|
case "hour":
|
||
|
return days2 * 24 + milliseconds2 / 36e5;
|
||
|
case "minute":
|
||
|
return days2 * 1440 + milliseconds2 / 6e4;
|
||
|
case "second":
|
||
|
return days2 * 86400 + milliseconds2 / 1e3;
|
||
|
case "millisecond":
|
||
|
return Math.floor(days2 * 864e5) + milliseconds2;
|
||
|
default:
|
||
|
throw new Error("Unknown unit " + units);
|
||
|
}
|
||
|
}
|
||
|
}
|
||
|
function makeAs(alias) {
|
||
|
return function() {
|
||
|
return this.as(alias);
|
||
|
};
|
||
|
}
|
||
|
var asMilliseconds = makeAs("ms"), asSeconds = makeAs("s"), asMinutes = makeAs("m"), asHours = makeAs("h"), asDays = makeAs("d"), asWeeks = makeAs("w"), asMonths = makeAs("M"), asQuarters = makeAs("Q"), asYears = makeAs("y"), valueOf$1 = asMilliseconds;
|
||
|
function clone$1() {
|
||
|
return createDuration(this);
|
||
|
}
|
||
|
function get$2(units) {
|
||
|
units = normalizeUnits(units);
|
||
|
return this.isValid() ? this[units + "s"]() : NaN;
|
||
|
}
|
||
|
function makeGetter(name) {
|
||
|
return function() {
|
||
|
return this.isValid() ? this._data[name] : NaN;
|
||
|
};
|
||
|
}
|
||
|
var milliseconds = makeGetter("milliseconds"), seconds = makeGetter("seconds"), minutes = makeGetter("minutes"), hours = makeGetter("hours"), days = makeGetter("days"), months = makeGetter("months"), years = makeGetter("years");
|
||
|
function weeks() {
|
||
|
return absFloor(this.days() / 7);
|
||
|
}
|
||
|
var round = Math.round, thresholds = {
|
||
|
ss: 44,
|
||
|
s: 45,
|
||
|
m: 45,
|
||
|
h: 22,
|
||
|
d: 26,
|
||
|
w: null,
|
||
|
M: 11
|
||
|
};
|
||
|
function substituteTimeAgo(string, number, withoutSuffix, isFuture, locale2) {
|
||
|
return locale2.relativeTime(number || 1, !!withoutSuffix, string, isFuture);
|
||
|
}
|
||
|
function relativeTime$1(posNegDuration, withoutSuffix, thresholds2, locale2) {
|
||
|
var duration = createDuration(posNegDuration).abs(), seconds2 = round(duration.as("s")), minutes2 = round(duration.as("m")), hours2 = round(duration.as("h")), days2 = round(duration.as("d")), months2 = round(duration.as("M")), weeks2 = round(duration.as("w")), years2 = round(duration.as("y")), a = seconds2 <= thresholds2.ss && ["s", seconds2] || seconds2 < thresholds2.s && ["ss", seconds2] || minutes2 <= 1 && ["m"] || minutes2 < thresholds2.m && ["mm", minutes2] || hours2 <= 1 && ["h"] || hours2 < thresholds2.h && ["hh", hours2] || days2 <= 1 && ["d"] || days2 < thresholds2.d && ["dd", days2];
|
||
|
if (thresholds2.w != null) {
|
||
|
a = a || weeks2 <= 1 && ["w"] || weeks2 < thresholds2.w && ["ww", weeks2];
|
||
|
}
|
||
|
a = a || months2 <= 1 && ["M"] || months2 < thresholds2.M && ["MM", months2] || years2 <= 1 && ["y"] || ["yy", years2];
|
||
|
a[2] = withoutSuffix;
|
||
|
a[3] = +posNegDuration > 0;
|
||
|
a[4] = locale2;
|
||
|
return substituteTimeAgo.apply(null, a);
|
||
|
}
|
||
|
function getSetRelativeTimeRounding(roundingFunction) {
|
||
|
if (roundingFunction === void 0) {
|
||
|
return round;
|
||
|
}
|
||
|
if (typeof roundingFunction === "function") {
|
||
|
round = roundingFunction;
|
||
|
return true;
|
||
|
}
|
||
|
return false;
|
||
|
}
|
||
|
function getSetRelativeTimeThreshold(threshold, limit) {
|
||
|
if (thresholds[threshold] === void 0) {
|
||
|
return false;
|
||
|
}
|
||
|
if (limit === void 0) {
|
||
|
return thresholds[threshold];
|
||
|
}
|
||
|
thresholds[threshold] = limit;
|
||
|
if (threshold === "s") {
|
||
|
thresholds.ss = limit - 1;
|
||
|
}
|
||
|
return true;
|
||
|
}
|
||
|
function humanize(argWithSuffix, argThresholds) {
|
||
|
if (!this.isValid()) {
|
||
|
return this.localeData().invalidDate();
|
||
|
}
|
||
|
var withSuffix = false, th = thresholds, locale2, output;
|
||
|
if (typeof argWithSuffix === "object") {
|
||
|
argThresholds = argWithSuffix;
|
||
|
argWithSuffix = false;
|
||
|
}
|
||
|
if (typeof argWithSuffix === "boolean") {
|
||
|
withSuffix = argWithSuffix;
|
||
|
}
|
||
|
if (typeof argThresholds === "object") {
|
||
|
th = Object.assign({}, thresholds, argThresholds);
|
||
|
if (argThresholds.s != null && argThresholds.ss == null) {
|
||
|
th.ss = argThresholds.s - 1;
|
||
|
}
|
||
|
}
|
||
|
locale2 = this.localeData();
|
||
|
output = relativeTime$1(this, !withSuffix, th, locale2);
|
||
|
if (withSuffix) {
|
||
|
output = locale2.pastFuture(+this, output);
|
||
|
}
|
||
|
return locale2.postformat(output);
|
||
|
}
|
||
|
var abs$1 = Math.abs;
|
||
|
function sign(x) {
|
||
|
return (x > 0) - (x < 0) || +x;
|
||
|
}
|
||
|
function toISOString$1() {
|
||
|
if (!this.isValid()) {
|
||
|
return this.localeData().invalidDate();
|
||
|
}
|
||
|
var seconds2 = abs$1(this._milliseconds) / 1e3, days2 = abs$1(this._days), months2 = abs$1(this._months), minutes2, hours2, years2, s, total = this.asSeconds(), totalSign, ymSign, daysSign, hmsSign;
|
||
|
if (!total) {
|
||
|
return "P0D";
|
||
|
}
|
||
|
minutes2 = absFloor(seconds2 / 60);
|
||
|
hours2 = absFloor(minutes2 / 60);
|
||
|
seconds2 %= 60;
|
||
|
minutes2 %= 60;
|
||
|
years2 = absFloor(months2 / 12);
|
||
|
months2 %= 12;
|
||
|
s = seconds2 ? seconds2.toFixed(3).replace(/\.?0+$/, "") : "";
|
||
|
totalSign = total < 0 ? "-" : "";
|
||
|
ymSign = sign(this._months) !== sign(total) ? "-" : "";
|
||
|
daysSign = sign(this._days) !== sign(total) ? "-" : "";
|
||
|
hmsSign = sign(this._milliseconds) !== sign(total) ? "-" : "";
|
||
|
return totalSign + "P" + (years2 ? ymSign + years2 + "Y" : "") + (months2 ? ymSign + months2 + "M" : "") + (days2 ? daysSign + days2 + "D" : "") + (hours2 || minutes2 || seconds2 ? "T" : "") + (hours2 ? hmsSign + hours2 + "H" : "") + (minutes2 ? hmsSign + minutes2 + "M" : "") + (seconds2 ? hmsSign + s + "S" : "");
|
||
|
}
|
||
|
var proto$2 = Duration.prototype;
|
||
|
proto$2.isValid = isValid$1;
|
||
|
proto$2.abs = abs;
|
||
|
proto$2.add = add$1;
|
||
|
proto$2.subtract = subtract$1;
|
||
|
proto$2.as = as;
|
||
|
proto$2.asMilliseconds = asMilliseconds;
|
||
|
proto$2.asSeconds = asSeconds;
|
||
|
proto$2.asMinutes = asMinutes;
|
||
|
proto$2.asHours = asHours;
|
||
|
proto$2.asDays = asDays;
|
||
|
proto$2.asWeeks = asWeeks;
|
||
|
proto$2.asMonths = asMonths;
|
||
|
proto$2.asQuarters = asQuarters;
|
||
|
proto$2.asYears = asYears;
|
||
|
proto$2.valueOf = valueOf$1;
|
||
|
proto$2._bubble = bubble;
|
||
|
proto$2.clone = clone$1;
|
||
|
proto$2.get = get$2;
|
||
|
proto$2.milliseconds = milliseconds;
|
||
|
proto$2.seconds = seconds;
|
||
|
proto$2.minutes = minutes;
|
||
|
proto$2.hours = hours;
|
||
|
proto$2.days = days;
|
||
|
proto$2.weeks = weeks;
|
||
|
proto$2.months = months;
|
||
|
proto$2.years = years;
|
||
|
proto$2.humanize = humanize;
|
||
|
proto$2.toISOString = toISOString$1;
|
||
|
proto$2.toString = toISOString$1;
|
||
|
proto$2.toJSON = toISOString$1;
|
||
|
proto$2.locale = locale;
|
||
|
proto$2.localeData = localeData;
|
||
|
proto$2.toIsoString = deprecate("toIsoString() is deprecated. Please use toISOString() instead (notice the capitals)", toISOString$1);
|
||
|
proto$2.lang = lang;
|
||
|
addFormatToken("X", 0, 0, "unix");
|
||
|
addFormatToken("x", 0, 0, "valueOf");
|
||
|
addRegexToken("x", matchSigned);
|
||
|
addRegexToken("X", matchTimestamp);
|
||
|
addParseToken("X", function(input, array, config) {
|
||
|
config._d = new Date(parseFloat(input) * 1e3);
|
||
|
});
|
||
|
addParseToken("x", function(input, array, config) {
|
||
|
config._d = new Date(toInt(input));
|
||
|
});
|
||
|
//! moment.js
|
||
|
hooks.version = "2.30.1";
|
||
|
setHookCallback(createLocal);
|
||
|
hooks.fn = proto;
|
||
|
hooks.min = min;
|
||
|
hooks.max = max;
|
||
|
hooks.now = now;
|
||
|
hooks.utc = createUTC;
|
||
|
hooks.unix = createUnix;
|
||
|
hooks.months = listMonths;
|
||
|
hooks.isDate = isDate;
|
||
|
hooks.locale = getSetGlobalLocale;
|
||
|
hooks.invalid = createInvalid;
|
||
|
hooks.duration = createDuration;
|
||
|
hooks.isMoment = isMoment;
|
||
|
hooks.weekdays = listWeekdays;
|
||
|
hooks.parseZone = createInZone;
|
||
|
hooks.localeData = getLocale;
|
||
|
hooks.isDuration = isDuration;
|
||
|
hooks.monthsShort = listMonthsShort;
|
||
|
hooks.weekdaysMin = listWeekdaysMin;
|
||
|
hooks.defineLocale = defineLocale;
|
||
|
hooks.updateLocale = updateLocale;
|
||
|
hooks.locales = listLocales;
|
||
|
hooks.weekdaysShort = listWeekdaysShort;
|
||
|
hooks.normalizeUnits = normalizeUnits;
|
||
|
hooks.relativeTimeRounding = getSetRelativeTimeRounding;
|
||
|
hooks.relativeTimeThreshold = getSetRelativeTimeThreshold;
|
||
|
hooks.calendarFormat = getCalendarFormat;
|
||
|
hooks.prototype = proto;
|
||
|
hooks.HTML5_FMT = {
|
||
|
DATETIME_LOCAL: "YYYY-MM-DDTHH:mm",
|
||
|
DATETIME_LOCAL_SECONDS: "YYYY-MM-DDTHH:mm:ss",
|
||
|
DATETIME_LOCAL_MS: "YYYY-MM-DDTHH:mm:ss.SSS",
|
||
|
DATE: "YYYY-MM-DD",
|
||
|
TIME: "HH:mm",
|
||
|
TIME_SECONDS: "HH:mm:ss",
|
||
|
TIME_MS: "HH:mm:ss.SSS",
|
||
|
WEEK: "GGGG-[W]WW",
|
||
|
MONTH: "YYYY-MM"
|
||
|
};
|
||
|
exports._export_sfc = _export_sfc;
|
||
|
exports.computed$1 = computed$1;
|
||
|
exports.createSSRApp = createSSRApp;
|
||
|
exports.e = e;
|
||
|
exports.f = f;
|
||
|
exports.hooks = hooks;
|
||
|
exports.index = index;
|
||
|
exports.n = n;
|
||
|
exports.nextTick = nextTick;
|
||
|
exports.o = o;
|
||
|
exports.onLoad = onLoad;
|
||
|
exports.onMounted = onMounted;
|
||
|
exports.onShow = onShow;
|
||
|
exports.onUnmounted = onUnmounted;
|
||
|
exports.reactive = reactive;
|
||
|
exports.ref = ref;
|
||
|
exports.t = t;
|
||
|
exports.toRefs = toRefs;
|
||
|
exports.unref = unref;
|