Property '****' is not writable on type

在使用seam+jsf开发过程中遇到属性'a'不可写的问题,原因是model中属性a的setter方法参数类型与属性a定义类型不一致。

再用seam+jsf开发的时候冒出:***Edit.xhtml @32,66 value="#{***Home.instance.time}": Property 'a' is not writable on type: **.model.*** 这里说属性a不可写的,结果排查原来model里面属性a的setter方法参数类型与定义的属性a类型不一致造成的。

 

将下面reflect-metadata源码改成好理解的代码,并且在文件上方屏蔽eslint校验:let Reflect; (function (Reflect) { // Metadata Proposal // https://rbuckton.github.io/reflect-metadata/ (function (factory) { let root = typeof globalThis === 'object' ? globalThis : typeof global === 'object' ? global : typeof self === 'object' ? self : typeof this === 'object' ? this : sloppyModeThis(); let exporter = makeExporter(Reflect); if (typeof root.Reflect !== 'undefined') { exporter = makeExporter(root.Reflect, exporter); } factory(exporter, root); if (typeof root.Reflect === 'undefined') { root.Reflect = Reflect; } function makeExporter(target, previous) { return function (key, value) { Object.defineProperty(target, key, { configurable: true, writable: true, value }); if (previous) { previous(key, value); } }; } function functionThis() { try { return Function('return this;')(); } catch (_) { } } function indirectEvalThis() { try { return (void 0, eval)('(function() { return this; })()'); } catch (_) { } } function sloppyModeThis() { return functionThis() || indirectEvalThis(); } })((exporter, root) => { let hasOwn = Object.prototype.hasOwnProperty; // feature test for Symbol support let supportsSymbol = typeof Symbol === 'function'; let toPrimitiveSymbol = supportsSymbol && typeof Symbol.toPrimitive !== 'undefined' ? Symbol.toPrimitive : '@@toPrimitive'; let iteratorSymbol = supportsSymbol && typeof Symbol.iterator !== 'undefined' ? Symbol.iterator : '@@iterator'; let supportsCreate = typeof Object.create === 'function'; // feature test for Object.create support let supportsProto = { __proto__: [] } instanceof Array; // feature test for __proto__ support let downLevel = !supportsCreate && !supportsProto; let HashMap = { // create an object in dictionary mode (a.k.a. "slow" mode in v8) create: supportsCreate ? function () { return MakeDictionary(Object.create(null)); } : supportsProto ? function () { return MakeDictionary({ __proto__: null }); } : function () { return MakeDictionary({}); }, has: downLevel ? function (map, key) { return hasOwn.call(map, key); } : function (map, key) { return key in map; }, get: downLevel ? function (map, key) { return hasOwn.call(map, key) ? map[key] : undefined; } : function (map, key) { return map[key]; }, }; // Load global or shim versions of Map, Set, and WeakMap let functionPrototype = Object.getPrototypeOf(Function); let _Map = typeof Map === 'function' && typeof Map.prototype.entries === 'function' ? Map : CreateMapPolyfill(); let _Set = typeof Set === 'function' && typeof Set.prototype.entries === 'function' ? Set : CreateSetPolyfill(); let _WeakMap = typeof WeakMap === 'function' ? WeakMap : CreateWeakMapPolyfill(); let registrySymbol = supportsSymbol ? Symbol.for('@reflect-metadata:registry') : undefined; let metadataRegistry = GetOrCreateMetadataRegistry(); let metadataProvider = CreateMetadataProvider(metadataRegistry); /** * Applies a set of decorators to a property of a target object. * @param decorators An array of decorators. * @param target The target object. * @param propertyKey (Optional) The property key to decorate. * @param attributes (Optional) The property descriptor for the target key. * @remarks Decorators are applied in reverse order. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * Example = Reflect.decorate(decoratorsArray, Example); * * // property (on constructor) * Reflect.decorate(decoratorsArray, Example, "staticProperty"); * * // property (on prototype) * Reflect.decorate(decoratorsArray, Example.prototype, "property"); * * // method (on constructor) * Object.defineProperty(Example, "staticMethod", * Reflect.decorate(decoratorsArray, Example, "staticMethod", * Object.getOwnPropertyDescriptor(Example, "staticMethod"))); * * // method (on prototype) * Object.defineProperty(Example.prototype, "method", * Reflect.decorate(decoratorsArray, Example.prototype, "method", * Object.getOwnPropertyDescriptor(Example.prototype, "method"))); * */ function decorate(decorators, target, propertyKey, attributes) { if (!IsUndefined(propertyKey)) { if (!IsArray(decorators)) { throw new TypeError(); } if (!IsObject(target)) { throw new TypeError(); } if (!IsObject(attributes) && !IsUndefined(attributes) && !IsNull(attributes)) { throw new TypeError(); } if (IsNull(attributes)) { attributes = undefined; } propertyKey = ToPropertyKey(propertyKey); return DecorateProperty(decorators, target, propertyKey, attributes); } else { if (!IsArray(decorators)) { throw new TypeError(); } if (!IsConstructor(target)) { throw new TypeError(); } return DecorateConstructor(decorators, target); } } exporter('decorate', decorate); // 4.1.2 Reflect.metadata(metadataKey, metadataValue) // https://rbuckton.github.io/reflect-metadata/#reflect.metadata /** * A default metadata decorator factory that can be used on a class, class member, or parameter. * @param metadataKey The key for the metadata entry. * @param metadataValue The value for the metadata entry. * @returns A decorator function. * @remarks * If `metadataKey` is already defined for the target and target key, the * metadataValue for that key will be overwritten. * @example * * // constructor * @Reflect.metadata(key, value) * class Example { * } * * // property (on constructor, TypeScript only) * class Example { * @Reflect.metadata(key, value) * static staticProperty; * } * * // property (on prototype, TypeScript only) * class Example { * @Reflect.metadata(key, value) * property; * } * * // method (on constructor) * class Example { * @Reflect.metadata(key, value) * static staticMethod() { } * } * * // method (on prototype) * class Example { * @Reflect.metadata(key, value) * method() { } * } * */ function metadata(metadataKey, metadataValue) { function decorator(target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey) && !IsPropertyKey(propertyKey)) { throw new TypeError(); } OrdinaryDefineOwnMetadata(metadataKey, metadataValue, target, propertyKey); } return decorator; } exporter('metadata', metadata); /** * Define a unique metadata entry on the target. * @param metadataKey A key used to store and retrieve metadata. * @param metadataValue A value that contains attached metadata. * @param target The target object on which to define metadata. * @param propertyKey (Optional) The property key for the target. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * Reflect.defineMetadata("custom:annotation", options, Example); * * // property (on constructor) * Reflect.defineMetadata("custom:annotation", options, Example, "staticProperty"); * * // property (on prototype) * Reflect.defineMetadata("custom:annotation", options, Example.prototype, "property"); * * // method (on constructor) * Reflect.defineMetadata("custom:annotation", options, Example, "staticMethod"); * * // method (on prototype) * Reflect.defineMetadata("custom:annotation", options, Example.prototype, "method"); * * // decorator factory as metadata-producing annotation. * function MyAnnotation(options): Decorator { * return (target, key?) => Reflect.defineMetadata("custom:annotation", options, target, key); * } * */ function defineMetadata(metadataKey, metadataValue, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryDefineOwnMetadata(metadataKey, metadataValue, target, propertyKey); } exporter('defineMetadata', defineMetadata); /** * Gets a value indicating whether the target object or its prototype chain has the provided metadata key defined. * @param metadataKey A key used to store and retrieve metadata. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns `true` if the metadata key was defined on the target object or its prototype chain; otherwise, `false`. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.hasMetadata("custom:annotation", Example); * * // property (on constructor) * result = Reflect.hasMetadata("custom:annotation", Example, "staticProperty"); * * // property (on prototype) * result = Reflect.hasMetadata("custom:annotation", Example.prototype, "property"); * * // method (on constructor) * result = Reflect.hasMetadata("custom:annotation", Example, "staticMethod"); * * // method (on prototype) * result = Reflect.hasMetadata("custom:annotation", Example.prototype, "method"); * */ function hasMetadata(metadataKey, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryHasMetadata(metadataKey, target, propertyKey); } exporter('hasMetadata', hasMetadata); /** * Gets a value indicating whether the target object has the provided metadata key defined. * @param metadataKey A key used to store and retrieve metadata. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns `true` if the metadata key was defined on the target object; otherwise, `false`. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.hasOwnMetadata("custom:annotation", Example); * * // property (on constructor) * result = Reflect.hasOwnMetadata("custom:annotation", Example, "staticProperty"); * * // property (on prototype) * result = Reflect.hasOwnMetadata("custom:annotation", Example.prototype, "property"); * * // method (on constructor) * result = Reflect.hasOwnMetadata("custom:annotation", Example, "staticMethod"); * * // method (on prototype) * result = Reflect.hasOwnMetadata("custom:annotation", Example.prototype, "method"); * */ function hasOwnMetadata(metadataKey, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryHasOwnMetadata(metadataKey, target, propertyKey); } exporter('hasOwnMetadata', hasOwnMetadata); /** * Gets the metadata value for the provided metadata key on the target object or its prototype chain. * @param metadataKey A key used to store and retrieve metadata. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns The metadata value for the metadata key if found; otherwise, `undefined`. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.getMetadata("custom:annotation", Example); * * // property (on constructor) * result = Reflect.getMetadata("custom:annotation", Example, "staticProperty"); * * // property (on prototype) * result = Reflect.getMetadata("custom:annotation", Example.prototype, "property"); * * // method (on constructor) * result = Reflect.getMetadata("custom:annotation", Example, "staticMethod"); * * // method (on prototype) * result = Reflect.getMetadata("custom:annotation", Example.prototype, "method"); * */ function getMetadata(metadataKey, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryGetMetadata(metadataKey, target, propertyKey); } exporter('getMetadata', getMetadata); /** * Gets the metadata value for the provided metadata key on the target object. * @param metadataKey A key used to store and retrieve metadata. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns The metadata value for the metadata key if found; otherwise, `undefined`. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.getOwnMetadata("custom:annotation", Example); * * // property (on constructor) * result = Reflect.getOwnMetadata("custom:annotation", Example, "staticProperty"); * * // property (on prototype) * result = Reflect.getOwnMetadata("custom:annotation", Example.prototype, "property"); * * // method (on constructor) * result = Reflect.getOwnMetadata("custom:annotation", Example, "staticMethod"); * * // method (on prototype) * result = Reflect.getOwnMetadata("custom:annotation", Example.prototype, "method"); * */ function getOwnMetadata(metadataKey, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryGetOwnMetadata(metadataKey, target, propertyKey); } exporter('getOwnMetadata', getOwnMetadata); /** * Gets the metadata keys defined on the target object or its prototype chain. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns An array of unique metadata keys. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.getMetadataKeys(Example); * * // property (on constructor) * result = Reflect.getMetadataKeys(Example, "staticProperty"); * * // property (on prototype) * result = Reflect.getMetadataKeys(Example.prototype, "property"); * * // method (on constructor) * result = Reflect.getMetadataKeys(Example, "staticMethod"); * * // method (on prototype) * result = Reflect.getMetadataKeys(Example.prototype, "method"); * */ function getMetadataKeys(target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryMetadataKeys(target, propertyKey); } exporter('getMetadataKeys', getMetadataKeys); /** * Gets the unique metadata keys defined on the target object. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns An array of unique metadata keys. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.getOwnMetadataKeys(Example); * * // property (on constructor) * result = Reflect.getOwnMetadataKeys(Example, "staticProperty"); * * // property (on prototype) * result = Reflect.getOwnMetadataKeys(Example.prototype, "property"); * * // method (on constructor) * result = Reflect.getOwnMetadataKeys(Example, "staticMethod"); * * // method (on prototype) * result = Reflect.getOwnMetadataKeys(Example.prototype, "method"); * */ function getOwnMetadataKeys(target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } return OrdinaryOwnMetadataKeys(target, propertyKey); } exporter('getOwnMetadataKeys', getOwnMetadataKeys); /** * Deletes the metadata entry from the target object with the provided key. * @param metadataKey A key used to store and retrieve metadata. * @param target The target object on which the metadata is defined. * @param propertyKey (Optional) The property key for the target. * @returns `true` if the metadata entry was found and deleted; otherwise, false. * @example * * class Example { * // property declarations are not part of ES6, though they are valid in TypeScript: * // static staticProperty; * // property; * * constructor(p) { } * static staticMethod(p) { } * method(p) { } * } * * // constructor * result = Reflect.deleteMetadata("custom:annotation", Example); * * // property (on constructor) * result = Reflect.deleteMetadata("custom:annotation", Example, "staticProperty"); * * // property (on prototype) * result = Reflect.deleteMetadata("custom:annotation", Example.prototype, "property"); * * // method (on constructor) * result = Reflect.deleteMetadata("custom:annotation", Example, "staticMethod"); * * // method (on prototype) * result = Reflect.deleteMetadata("custom:annotation", Example.prototype, "method"); * */ function deleteMetadata(metadataKey, target, propertyKey) { if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } if (!IsObject(target)) { throw new TypeError(); } if (!IsUndefined(propertyKey)) { propertyKey = ToPropertyKey(propertyKey); } let provider = GetMetadataProvider(target, propertyKey, /* Create*/ false); if (IsUndefined(provider)) { return false; } return provider.OrdinaryDeleteMetadata(metadataKey, target, propertyKey); } exporter('deleteMetadata', deleteMetadata); function DecorateConstructor(decorators, target) { for (let i = decorators.length - 1; i >= 0; --i) { let decorator = decorators[i]; let decorated = decorator(target); if (!IsUndefined(decorated) && !IsNull(decorated)) { if (!IsConstructor(decorated)) { throw new TypeError(); } target = decorated; } } return target; } function DecorateProperty(decorators, target, propertyKey, descriptor) { for (let i = decorators.length - 1; i >= 0; --i) { let decorator = decorators[i]; let decorated = decorator(target, propertyKey, descriptor); if (!IsUndefined(decorated) && !IsNull(decorated)) { if (!IsObject(decorated)) { throw new TypeError(); } descriptor = decorated; } } return descriptor; } // 3.1.1.1 OrdinaryHasMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinaryhasmetadata function OrdinaryHasMetadata(MetadataKey, O, P) { let hasOwn = OrdinaryHasOwnMetadata(MetadataKey, O, P); if (hasOwn) { return true; } let parent = OrdinaryGetPrototypeOf(O); if (!IsNull(parent)) { return OrdinaryHasMetadata(MetadataKey, parent, P); } return false; } // 3.1.2.1 OrdinaryHasOwnMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinaryhasownmetadata function OrdinaryHasOwnMetadata(MetadataKey, O, P) { let provider = GetMetadataProvider(O, P, /* Create*/ false); if (IsUndefined(provider)) { return false; } return ToBoolean(provider.OrdinaryHasOwnMetadata(MetadataKey, O, P)); } // 3.1.3.1 OrdinaryGetMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarygetmetadata function OrdinaryGetMetadata(MetadataKey, O, P) { let hasOwn = OrdinaryHasOwnMetadata(MetadataKey, O, P); if (hasOwn) { return OrdinaryGetOwnMetadata(MetadataKey, O, P); } let parent = OrdinaryGetPrototypeOf(O); if (!IsNull(parent)) { return OrdinaryGetMetadata(MetadataKey, parent, P); } return undefined; } // 3.1.4.1 OrdinaryGetOwnMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarygetownmetadata function OrdinaryGetOwnMetadata(MetadataKey, O, P) { let provider = GetMetadataProvider(O, P, /* Create*/ false); if (IsUndefined(provider)) { return; } return provider.OrdinaryGetOwnMetadata(MetadataKey, O, P); } // 3.1.5.1 OrdinaryDefineOwnMetadata(MetadataKey, MetadataValue, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarydefineownmetadata function OrdinaryDefineOwnMetadata(MetadataKey, MetadataValue, O, P) { let provider = GetMetadataProvider(O, P, /* Create*/ true); provider.OrdinaryDefineOwnMetadata(MetadataKey, MetadataValue, O, P); } // 3.1.6.1 OrdinaryMetadataKeys(O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarymetadatakeys function OrdinaryMetadataKeys(O, P) { let ownKeys = OrdinaryOwnMetadataKeys(O, P); let parent = OrdinaryGetPrototypeOf(O); if (parent === null) { return ownKeys; } let parentKeys = OrdinaryMetadataKeys(parent, P); if (parentKeys.length <= 0) { return ownKeys; } if (ownKeys.length <= 0) { return parentKeys; } let set = new _Set(); let keys = []; for (let _i = 0, ownKeys_1 = ownKeys; _i < ownKeys_1.length; _i++) { var key = ownKeys_1[_i]; var hasKey = set.has(key); if (!hasKey) { set.add(key); keys.push(key); } } for (let _a = 0, parentKeys_1 = parentKeys; _a < parentKeys_1.length; _a++) { var key = parentKeys_1[_a]; var hasKey = set.has(key); if (!hasKey) { set.add(key); keys.push(key); } } return keys; } // 3.1.7.1 OrdinaryOwnMetadataKeys(O, P) // https://rbuckton.github.io/reflect-metadata/#ordinaryownmetadatakeys function OrdinaryOwnMetadataKeys(O, P) { let provider = GetMetadataProvider(O, P, /* create*/ false); if (!provider) { return []; } return provider.OrdinaryOwnMetadataKeys(O, P); } // 6 ECMAScript Data Types and Values // https://tc39.github.io/ecma262/#sec-ecmascript-data-types-and-values function Type(x) { if (x === null) { return 1 /* Null */; } switch (typeof x) { case 'undefined': return 0 /* Undefined */; case 'boolean': return 2 /* Boolean */; case 'string': return 3 /* String */; case 'symbol': return 4 /* Symbol */; case 'number': return 5 /* Number */; case 'object': return x === null ? 1 /* Null */ : 6 /* Object */; default: return 6 /* Object */; } } // 6.1.1 The Undefined Type // https://tc39.github.io/ecma262/#sec-ecmascript-language-types-undefined-type function IsUndefined(x) { return x === undefined; } // 6.1.2 The Null Type // https://tc39.github.io/ecma262/#sec-ecmascript-language-types-null-type function IsNull(x) { return x === null; } // 6.1.5 The Symbol Type // https://tc39.github.io/ecma262/#sec-ecmascript-language-types-symbol-type function IsSymbol(x) { return typeof x === 'symbol'; } // 6.1.7 The Object Type // https://tc39.github.io/ecma262/#sec-object-type function IsObject(x) { return typeof x === 'object' ? x !== null : typeof x === 'function'; } // 7.1 Type Conversion // https://tc39.github.io/ecma262/#sec-type-conversion // 7.1.1 ToPrimitive(input [, PreferredType]) // https://tc39.github.io/ecma262/#sec-toprimitive function ToPrimitive(input, PreferredType) { switch (Type(input)) { case 0 /* Undefined */: return input; case 1 /* Null */: return input; case 2 /* Boolean */: return input; case 3 /* String */: return input; case 4 /* Symbol */: return input; case 5 /* Number */: return input; } let hint = PreferredType === 3 /* String */ ? 'string' : PreferredType === 5 /* Number */ ? 'number' : 'default'; let exoticToPrim = GetMethod(input, toPrimitiveSymbol); if (exoticToPrim !== undefined) { let result = exoticToPrim.call(input, hint); if (IsObject(result)) { throw new TypeError(); } return result; } return OrdinaryToPrimitive(input, hint === 'default' ? 'number' : hint); } // 7.1.1.1 OrdinaryToPrimitive(O, hint) // https://tc39.github.io/ecma262/#sec-ordinarytoprimitive function OrdinaryToPrimitive(O, hint) { if (hint === 'string') { let toString_1 = O.toString; if (IsCallable(toString_1)) { var result = toString_1.call(O); if (!IsObject(result)) { return result; } } var { valueOf } = O; if (IsCallable(valueOf)) { var result = valueOf.call(O); if (!IsObject(result)) { return result; } } } else { var { valueOf } = O; if (IsCallable(valueOf)) { var result = valueOf.call(O); if (!IsObject(result)) { return result; } } let toString_2 = O.toString; if (IsCallable(toString_2)) { var result = toString_2.call(O); if (!IsObject(result)) { return result; } } } throw new TypeError(); } // 7.1.2 ToBoolean(argument) // https://tc39.github.io/ecma262/2016/#sec-toboolean function ToBoolean(argument) { return Boolean(argument); } // 7.1.12 ToString(argument) // https://tc39.github.io/ecma262/#sec-tostring function ToString(argument) { return `${argument}`; } // 7.1.14 ToPropertyKey(argument) // https://tc39.github.io/ecma262/#sec-topropertykey function ToPropertyKey(argument) { let key = ToPrimitive(argument, 3 /* String */); if (IsSymbol(key)) { return key; } return ToString(key); } // 7.2 Testing and Comparison Operations // https://tc39.github.io/ecma262/#sec-testing-and-comparison-operations // 7.2.2 IsArray(argument) // https://tc39.github.io/ecma262/#sec-isarray function IsArray(argument) { return Array.isArray ? Array.isArray(argument) : argument instanceof Object ? argument instanceof Array : Object.prototype.toString.call(argument) === '[object Array]'; } // 7.2.3 IsCallable(argument) // https://tc39.github.io/ecma262/#sec-iscallable function IsCallable(argument) { // NOTE: This is an approximation as we cannot check for [[Call]] internal method. return typeof argument === 'function'; } // 7.2.4 IsConstructor(argument) // https://tc39.github.io/ecma262/#sec-isconstructor function IsConstructor(argument) { // NOTE: This is an approximation as we cannot check for [[Construct]] internal method. return typeof argument === 'function'; } // 7.2.7 IsPropertyKey(argument) // https://tc39.github.io/ecma262/#sec-ispropertykey function IsPropertyKey(argument) { switch (Type(argument)) { case 3 /* String */: return true; case 4 /* Symbol */: return true; default: return false; } } function SameValueZero(x, y) { return x === y || x !== x && y !== y; } // 7.3 Operations on Objects // https://tc39.github.io/ecma262/#sec-operations-on-objects // 7.3.9 GetMethod(V, P) // https://tc39.github.io/ecma262/#sec-getmethod function GetMethod(V, P) { let func = V[P]; if (func === undefined || func === null) { return undefined; } if (!IsCallable(func)) { throw new TypeError(); } return func; } // 7.4 Operations on Iterator Objects // https://tc39.github.io/ecma262/#sec-operations-on-iterator-objects function GetIterator(obj) { let method = GetMethod(obj, iteratorSymbol); if (!IsCallable(method)) { throw new TypeError(); } // from Call let iterator = method.call(obj); if (!IsObject(iterator)) { throw new TypeError(); } return iterator; } // 7.4.4 IteratorValue(iterResult) // https://tc39.github.io/ecma262/2016/#sec-iteratorvalue function IteratorValue(iterResult) { return iterResult.value; } // 7.4.5 IteratorStep(iterator) // https://tc39.github.io/ecma262/#sec-iteratorstep function IteratorStep(iterator) { let result = iterator.next(); return result.done ? false : result; } // 7.4.6 IteratorClose(iterator, completion) // https://tc39.github.io/ecma262/#sec-iteratorclose function IteratorClose(iterator) { let f = iterator.return; if (f) { f.call(iterator); } } // 9.1 Ordinary Object Internal Methods and Internal Slots // https://tc39.github.io/ecma262/#sec-ordinary-object-internal-methods-and-internal-slots // 9.1.1.1 OrdinaryGetPrototypeOf(O) // https://tc39.github.io/ecma262/#sec-ordinarygetprototypeof function OrdinaryGetPrototypeOf(O) { let proto = Object.getPrototypeOf(O); if (typeof O !== 'function' || O === functionPrototype) { return proto; } // TypeScript doesn't set __proto__ in ES5, as it's non-standard. // Try to determine the superclass constructor. Compatible implementations // must either set __proto__ on a subclass constructor to the superclass constructor, // or ensure each class has a valid `constructor` property on its prototype that // points back to the constructor. // If this is not the same as Function.[[Prototype]], then this is definately inherited. // This is the case when in ES6 or when using __proto__ in a compatible browser. if (proto !== functionPrototype) { return proto; } // If the super prototype is Object.prototype, null, or undefined, then we cannot determine the heritage. let { prototype } = O; let prototypeProto = prototype && Object.getPrototypeOf(prototype); if (prototypeProto == null || prototypeProto === Object.prototype) { return proto; } // If the constructor was not a function, then we cannot determine the heritage. let { constructor } = prototypeProto; if (typeof constructor !== 'function') { return proto; } // If we have some kind of self-reference, then we cannot determine the heritage. if (constructor === O) { return proto; } // we have a pretty good guess at the heritage. return constructor; } // Global metadata registry // - Allows `import "reflect-metadata"` and `import "reflect-metadata/no-conflict"` to interoperate. // - Uses isolated metadata if `Reflect` is frozen before the registry can be installed. /** * Creates a registry used to allow multiple `reflect-metadata` providers. */ function CreateMetadataRegistry() { let fallback; if (!IsUndefined(registrySymbol) && typeof root.Reflect !== 'undefined' && !(registrySymbol in root.Reflect) && typeof root.Reflect.defineMetadata === 'function') { // interoperate with older version of `reflect-metadata` that did not support a registry. fallback = CreateFallbackProvider(root.Reflect); } let first; let second; let rest; let targetProviderMap = new _WeakMap(); let registry = { registerProvider, getProvider, setProvider, }; return registry; function registerProvider(provider) { if (!Object.isExtensible(registry)) { throw new Error('Cannot add provider to a frozen registry.'); } switch (true) { case fallback === provider: break; case IsUndefined(first): first = provider; break; case first === provider: break; case IsUndefined(second): second = provider; break; case second === provider: break; default: if (rest === undefined) { rest = new _Set(); } rest.add(provider); break; } } function getProviderNoCache(O, P) { if (!IsUndefined(first)) { if (first.isProviderFor(O, P)) { return first; } if (!IsUndefined(second)) { if (second.isProviderFor(O, P)) { return first; } if (!IsUndefined(rest)) { let iterator = GetIterator(rest); while (true) { let next = IteratorStep(iterator); if (!next) { return undefined; } let provider = IteratorValue(next); if (provider.isProviderFor(O, P)) { IteratorClose(iterator); return provider; } } } } } if (!IsUndefined(fallback) && fallback.isProviderFor(O, P)) { return fallback; } return undefined; } function getProvider(O, P) { let providerMap = targetProviderMap.get(O); let provider; if (!IsUndefined(providerMap)) { provider = providerMap.get(P); } if (!IsUndefined(provider)) { return provider; } provider = getProviderNoCache(O, P); if (!IsUndefined(provider)) { if (IsUndefined(providerMap)) { providerMap = new _Map(); targetProviderMap.set(O, providerMap); } providerMap.set(P, provider); } return provider; } function hasProvider(provider) { if (IsUndefined(provider)) { throw new TypeError(); } return first === provider || second === provider || !IsUndefined(rest) && rest.has(provider); } function setProvider(O, P, provider) { if (!hasProvider(provider)) { throw new Error('Metadata provider not registered.'); } let existingProvider = getProvider(O, P); if (existingProvider !== provider) { if (!IsUndefined(existingProvider)) { return false; } let providerMap = targetProviderMap.get(O); if (IsUndefined(providerMap)) { providerMap = new _Map(); targetProviderMap.set(O, providerMap); } providerMap.set(P, provider); } return true; } } /** * Gets or creates the shared registry of metadata providers. */ function GetOrCreateMetadataRegistry() { let metadataRegistry; if (!IsUndefined(registrySymbol) && IsObject(root.Reflect) && Object.isExtensible(root.Reflect)) { metadataRegistry = root.Reflect[registrySymbol]; } if (IsUndefined(metadataRegistry)) { metadataRegistry = CreateMetadataRegistry(); } if (!IsUndefined(registrySymbol) && IsObject(root.Reflect) && Object.isExtensible(root.Reflect)) { Object.defineProperty(root.Reflect, registrySymbol, { enumerable: false, configurable: false, writable: false, value: metadataRegistry, }); } return metadataRegistry; } function CreateMetadataProvider(registry) { // [[Metadata]] internal slot // https://rbuckton.github.io/reflect-metadata/#ordinary-object-internal-methods-and-internal-slots let metadata = new _WeakMap(); let provider = { isProviderFor (O, P) { let targetMetadata = metadata.get(O); if (IsUndefined(targetMetadata)) { return false; } return targetMetadata.has(P); }, OrdinaryDefineOwnMetadata, OrdinaryHasOwnMetadata, OrdinaryGetOwnMetadata, OrdinaryOwnMetadataKeys, OrdinaryDeleteMetadata, }; metadataRegistry.registerProvider(provider); return provider; function GetOrCreateMetadataMap(O, P, Create) { let targetMetadata = metadata.get(O); let createdTargetMetadata = false; if (IsUndefined(targetMetadata)) { if (!Create) { return undefined; } targetMetadata = new _Map(); metadata.set(O, targetMetadata); createdTargetMetadata = true; } let metadataMap = targetMetadata.get(P); if (IsUndefined(metadataMap)) { if (!Create) { return undefined; } metadataMap = new _Map(); targetMetadata.set(P, metadataMap); if (!registry.setProvider(O, P, provider)) { targetMetadata.delete(P); if (createdTargetMetadata) { metadata.delete(O); } throw new Error('Wrong provider for target.'); } } return metadataMap; } // 3.1.2.1 OrdinaryHasOwnMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinaryhasownmetadata function OrdinaryHasOwnMetadata(MetadataKey, O, P) { let metadataMap = GetOrCreateMetadataMap(O, P, /* Create*/ false); if (IsUndefined(metadataMap)) { return false; } return ToBoolean(metadataMap.has(MetadataKey)); } // 3.1.4.1 OrdinaryGetOwnMetadata(MetadataKey, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarygetownmetadata function OrdinaryGetOwnMetadata(MetadataKey, O, P) { let metadataMap = GetOrCreateMetadataMap(O, P, /* Create*/ false); if (IsUndefined(metadataMap)) { return undefined; } return metadataMap.get(MetadataKey); } // 3.1.5.1 OrdinaryDefineOwnMetadata(MetadataKey, MetadataValue, O, P) // https://rbuckton.github.io/reflect-metadata/#ordinarydefineownmetadata function OrdinaryDefineOwnMetadata(MetadataKey, MetadataValue, O, P) { let metadataMap = GetOrCreateMetadataMap(O, P, /* Create*/ true); metadataMap.set(MetadataKey, MetadataValue); } // 3.1.7.1 OrdinaryOwnMetadataKeys(O, P) // https://rbuckton.github.io/reflect-metadata/#ordinaryownmetadatakeys function OrdinaryOwnMetadataKeys(O, P) { let keys = []; let metadataMap = GetOrCreateMetadataMap(O, P, /* Create*/ false); if (IsUndefined(metadataMap)) { return keys; } let keysObj = metadataMap.keys(); let iterator = GetIterator(keysObj); let k = 0; while (true) { let next = IteratorStep(iterator); if (!next) { keys.length = k; return keys; } let nextValue = IteratorValue(next); try { keys[k] = nextValue; } catch (e) { try { IteratorClose(iterator); } finally { throw e; } } k++; } } function OrdinaryDeleteMetadata(MetadataKey, O, P) { let metadataMap = GetOrCreateMetadataMap(O, P, /* Create*/ false); if (IsUndefined(metadataMap)) { return false; } if (!metadataMap.delete(MetadataKey)) { return false; } if (metadataMap.size === 0) { let targetMetadata = metadata.get(O); if (!IsUndefined(targetMetadata)) { targetMetadata.delete(P); if (targetMetadata.size === 0) { metadata.delete(targetMetadata); } } } return true; } } function CreateFallbackProvider(reflect) { let { defineMetadata } = reflect, { hasOwnMetadata } = reflect, { getOwnMetadata } = reflect, { getOwnMetadataKeys } = reflect, { deleteMetadata } = reflect; let metadataOwner = new _WeakMap(); let provider = { isProviderFor (O, P) { let metadataPropertySet = metadataOwner.get(O); if (!IsUndefined(metadataPropertySet) && metadataPropertySet.has(P)) { return true; } if (getOwnMetadataKeys(O, P).length) { if (IsUndefined(metadataPropertySet)) { metadataPropertySet = new _Set(); metadataOwner.set(O, metadataPropertySet); } metadataPropertySet.add(P); return true; } return false; }, OrdinaryDefineOwnMetadata: defineMetadata, OrdinaryHasOwnMetadata: hasOwnMetadata, OrdinaryGetOwnMetadata: getOwnMetadata, OrdinaryOwnMetadataKeys: getOwnMetadataKeys, OrdinaryDeleteMetadata: deleteMetadata, }; return provider; } /** * Gets the metadata provider for an object. If the object has no metadata provider and this is for a create operation, * then this module's metadata provider is assigned to the object. */ function GetMetadataProvider(O, P, Create) { let registeredProvider = metadataRegistry.getProvider(O, P); if (!IsUndefined(registeredProvider)) { return registeredProvider; } if (Create) { if (metadataRegistry.setProvider(O, P, metadataProvider)) { return metadataProvider; } throw new Error('Illegal state.'); } return undefined; } // naive Map shim function CreateMapPolyfill() { let cacheSentinel = {}; let arraySentinel = []; let MapIterator = /** @class */ (function () { function MapIterator(keys, values, selector) { this._index = 0; this._keys = keys; this._values = values; this._selector = selector; } MapIterator.prototype['@@iterator'] = function () { return this; }; MapIterator.prototype[iteratorSymbol] = function () { return this; }; MapIterator.prototype.next = function () { let index = this._index; if (index >= 0 && index < this._keys.length) { let result = this._selector(this._keys[index], this._values[index]); if (index + 1 >= this._keys.length) { this._index = -1; this._keys = arraySentinel; this._values = arraySentinel; } else { this._index++; } return { value: result, done: false }; } return { value: undefined, done: true }; }; MapIterator.prototype.throw = function (error) { if (this._index >= 0) { this._index = -1; this._keys = arraySentinel; this._values = arraySentinel; } throw error; }; MapIterator.prototype.return = function (value) { if (this._index >= 0) { this._index = -1; this._keys = arraySentinel; this._values = arraySentinel; } return { value, done: true }; }; return MapIterator; }()); let Map = /** @class */ (function () { function Map() { this._keys = []; this._values = []; this._cacheKey = cacheSentinel; this._cacheIndex = -2; } Object.defineProperty(Map.prototype, 'size', { get () { return this._keys.length; }, enumerable: true, configurable: true, }); Map.prototype.has = function (key) { return this._find(key, /* insert*/ false) >= 0; }; Map.prototype.get = function (key) { let index = this._find(key, /* insert*/ false); return index >= 0 ? this._values[index] : undefined; }; Map.prototype.set = function (key, value) { let index = this._find(key, /* insert*/ true); this._values[index] = value; return this; }; Map.prototype.delete = function (key) { let index = this._find(key, /* insert*/ false); if (index >= 0) { let size = this._keys.length; for (let i = index + 1; i < size; i++) { this._keys[i - 1] = this._keys[i]; this._values[i - 1] = this._values[i]; } this._keys.length--; this._values.length--; if (SameValueZero(key, this._cacheKey)) { this._cacheKey = cacheSentinel; this._cacheIndex = -2; } return true; } return false; }; Map.prototype.clear = function () { this._keys.length = 0; this._values.length = 0; this._cacheKey = cacheSentinel; this._cacheIndex = -2; }; Map.prototype.keys = function () { return new MapIterator(this._keys, this._values, getKey); }; Map.prototype.values = function () { return new MapIterator(this._keys, this._values, getValue); }; Map.prototype.entries = function () { return new MapIterator(this._keys, this._values, getEntry); }; Map.prototype['@@iterator'] = function () { return this.entries(); }; Map.prototype[iteratorSymbol] = function () { return this.entries(); }; Map.prototype._find = function (key, insert) { if (!SameValueZero(this._cacheKey, key)) { this._cacheIndex = -1; for (let i = 0; i < this._keys.length; i++) { if (SameValueZero(this._keys[i], key)) { this._cacheIndex = i; break; } } } if (this._cacheIndex < 0 && insert) { this._cacheIndex = this._keys.length; this._keys.push(key); this._values.push(undefined); } return this._cacheIndex; }; return Map; }()); return Map; function getKey(key, _) { return key; } function getValue(_, value) { return value; } function getEntry(key, value) { return [key, value]; } } // naive Set shim function CreateSetPolyfill() { let Set = /** @class */ (function () { function Set() { this._map = new _Map(); } Object.defineProperty(Set.prototype, 'size', { get () { return this._map.size; }, enumerable: true, configurable: true, }); Set.prototype.has = function (value) { return this._map.has(value); }; Set.prototype.add = function (value) { return this._map.set(value, value), this; }; Set.prototype.delete = function (value) { return this._map.delete(value); }; Set.prototype.clear = function () { this._map.clear(); }; Set.prototype.keys = function () { return this._map.keys(); }; Set.prototype.values = function () { return this._map.keys(); }; Set.prototype.entries = function () { return this._map.entries(); }; Set.prototype['@@iterator'] = function () { return this.keys(); }; Set.prototype[iteratorSymbol] = function () { return this.keys(); }; return Set; }()); return Set; } // naive WeakMap shim function CreateWeakMapPolyfill() { let UUID_SIZE = 16; let keys = HashMap.create(); let rootKey = CreateUniqueKey(); return /** @class */ (function () { function WeakMap() { this._key = CreateUniqueKey(); } WeakMap.prototype.has = function (target) { let table = GetOrCreateWeakMapTable(target, /* create*/ false); return table !== undefined ? HashMap.has(table, this._key) : false; }; WeakMap.prototype.get = function (target) { let table = GetOrCreateWeakMapTable(target, /* create*/ false); return table !== undefined ? HashMap.get(table, this._key) : undefined; }; WeakMap.prototype.set = function (target, value) { let table = GetOrCreateWeakMapTable(target, /* create*/ true); table[this._key] = value; return this; }; WeakMap.prototype.delete = function (target) { let table = GetOrCreateWeakMapTable(target, /* create*/ false); return table !== undefined ? delete table[this._key] : false; }; WeakMap.prototype.clear = function () { // NOTE: not a real clear, just makes the previous data unreachable this._key = CreateUniqueKey(); }; return WeakMap; }()); function CreateUniqueKey() { let key; do { key = `@@WeakMap@@${CreateUUID()}`; } while (HashMap.has(keys, key)); keys[key] = true; return key; } function GetOrCreateWeakMapTable(target, create) { if (!hasOwn.call(target, rootKey)) { if (!create) { return undefined; } Object.defineProperty(target, rootKey, { value: HashMap.create() }); } return target[rootKey]; } function FillRandomBytes(buffer, size) { for (let i = 0; i < size; ++i) { buffer[i] = Math.random() * 0xff | 0; } return buffer; } function GenRandomBytes(size) { if (typeof Uint8Array === 'function') { let array = new Uint8Array(size); if (typeof crypto !== 'undefined') { crypto.getRandomValues(array); } else if (typeof msCrypto !== 'undefined') { msCrypto.getRandomValues(array); } else { FillRandomBytes(array, size); } return array; } return FillRandomBytes(new Array(size), size); } function CreateUUID() { let data = GenRandomBytes(UUID_SIZE); // mark as random - RFC 4122 § 4.4 data[6] = data[6] & 0x4f | 0x40; data[8] = data[8] & 0xbf | 0x80; let result = ''; for (let offset = 0; offset < UUID_SIZE; ++offset) { let byte = data[offset]; if (offset === 4 || offset === 6 || offset === 8) { result += '-'; } if (byte < 16) { result += '0'; } result += byte.toString(16).toLowerCase(); } return result; } } // uses a heuristic used by v8 and chakra to force an object into dictionary mode. function MakeDictionary(obj) { obj.__ = undefined; delete obj.__; return obj; } }); })(Reflect || (Reflect = {}));
09-29
Started by user admin Running as SYSTEM Building in workspace /var/jenkins_home/workspace/zq-web The recommended git tool is: NONE using credential jenkins-username > git rev-parse --resolve-git-dir /var/jenkins_home/workspace/zq-web/.git # timeout=10 Fetching changes from the remote Git repository > git config remote.origin.url http://39.105.179.91:30080/smart-factory/smart-web.git # timeout=10 Fetching upstream changes from http://39.105.179.91:30080/smart-factory/smart-web.git > git --version # timeout=10 > git --version # 'git version 2.39.5' using GIT_ASKPASS to set credentials > git fetch --tags --force --progress -- http://39.105.179.91:30080/smart-factory/smart-web.git +refs/heads/*:refs/remotes/origin/* # timeout=10 > git rev-parse refs/remotes/origin/main^{commit} # timeout=10 Checking out Revision 00dafb09bd552fe14c7cf270a553c497223d95b7 (refs/remotes/origin/main) > git config core.sparsecheckout # timeout=10 > git checkout -f 00dafb09bd552fe14c7cf270a553c497223d95b7 # timeout=10 Commit message: "first" > git rev-list --no-walk 00dafb09bd552fe14c7cf270a553c497223d95b7 # timeout=10 [zq-web] $ /bin/sh -xe /tmp/jenkins12597757760880265825.sh + npm config set registry https://registry.npmmirror.com -g + npm install --force npm warn using --force Recommended protections disabled. npm warn ERESOLVE overriding peer dependency npm warn While resolving: vue-echarts@7.0.3 npm warn Found: echarts@6.0.0 npm warn node_modules/echarts npm warn echarts@"^6.0.0" from the root project npm warn npm warn Could not resolve dependency: npm warn peer echarts@"^5.5.1" from vue-echarts@7.0.3 npm warn node_modules/vue-echarts npm warn vue-echarts@"^7.0.3" from the root project npm warn npm warn Conflicting peer dependency: echarts@5.6.0 npm warn node_modules/echarts npm warn peer echarts@"^5.5.1" from vue-echarts@7.0.3 npm warn node_modules/vue-echarts npm warn vue-echarts@"^7.0.3" from the root project removed 125 packages in 845ms 39 packages are looking for funding run `npm fund` for details + npm install --save-dev vite-plugin-node-polyfills crypto-browserify --force npm warn using --force Recommended protections disabled. npm warn ERESOLVE overriding peer dependency npm warn While resolving: vue-echarts@7.0.3 npm warn Found: echarts@6.0.0 npm warn node_modules/echarts npm warn echarts@"^6.0.0" from the root project npm warn npm warn Could not resolve dependency: npm warn peer echarts@"^5.5.1" from vue-echarts@7.0.3 npm warn node_modules/vue-echarts npm warn vue-echarts@"^7.0.3" from the root project npm warn npm warn Conflicting peer dependency: echarts@5.6.0 npm warn node_modules/echarts npm warn peer echarts@"^5.5.1" from vue-echarts@7.0.3 npm warn node_modules/vue-echarts npm warn vue-echarts@"^7.0.3" from the root project added 125 packages in 3s 78 packages are looking for funding run `npm fund` for details + npm run build > vite-project@0.0.0 build > vue-tsc -b && vite build src/components/Menu.vue(58,1): error TS6133: 'router' is declared but its value is never read. src/components/Menu.vue(59,1): error TS6192: All imports in import declaration are unused. src/components/Menu.vue(63,7): error TS6133: 'switchValue' is declared but its value is never read. src/components/Menu.vue(78,7): error TS6133: 'handleSwitch' is declared but its value is never read. src/request/api/record.ts(5,6): error TS1294: This syntax is not allowed when 'erasableSyntaxOnly' is enabled. src/request/api/record.ts(15,32): error TS7006: Parameter 'data' implicitly has an 'any' type. src/request/api/record.ts(18,33): error TS7006: Parameter 'id' implicitly has an 'any' type. src/request/api/user.ts(5,6): error TS1294: This syntax is not allowed when 'erasableSyntaxOnly' is enabled. src/request/api/user.ts(21,26): error TS7006: Parameter 'data' implicitly has an 'any' type. src/routes/index.ts(69,41): error TS2307: Cannot find module '@/views/MonitorView.vue' or its corresponding type declarations. src/store/modules/report.ts(13,22): error TS7006: Parameter 'data' implicitly has an 'any' type. src/store/modules/user.ts(17,21): error TS7006: Parameter 'data' implicitly has an 'any' type. src/store/modules/user.ts(34,14): error TS2339: Property 'token' does not exist on type '{ userLogin(data: any): Promise<string>; userLogout(): Promise<string>; } & { userInfo: {}; } & _StoreWithState<"User", { userInfo: {}; }, {}, { userLogin(data: any): Promise<string>; userLogout(): Promise<...>; }> & _StoreWithGetters_Readonly<...> & _StoreWithGetters_Writable<...> & PiniaCustomProperties<...>'. src/store/modules/user.ts(35,14): error TS2339: Property 'username' does not exist on type '{ userLogin(data: any): Promise<string>; userLogout(): Promise<string>; } & { userInfo: {}; } & _StoreWithState<"User", { userInfo: {}; }, {}, { userLogin(data: any): Promise<string>; userLogout(): Promise<...>; }> & _StoreWithGetters_Readonly<...> & _StoreWithGetters_Writable<...> & PiniaCustomProperties<...>'. src/store/modules/user.ts(36,14): error TS2339: Property 'avatar' does not exist on type '{ userLogin(data: any): Promise<string>; userLogout(): Promise<string>; } & { userInfo: {}; } & _StoreWithState<"User", { userInfo: {}; }, {}, { userLogin(data: any): Promise<string>; userLogout(): Promise<...>; }> & _StoreWithGetters_Readonly<...> & _StoreWithGetters_Writable<...> & PiniaCustomProperties<...>'. src/store/modules/user.ts(37,28): error TS2554: Expected 0 arguments, but got 1. src/store/modules/user.ts(41,41): error TS2304: Cannot find name 'result'. src/views/authorityManage/index.vue(144,39): error TS2551: Property 'name1' does not exist on type '{ name: string; region: string; }'. Did you mean 'name'? src/views/authorityManage/index.vue(147,39): error TS2551: Property 'name2' does not exist on type '{ name: string; region: string; }'. Did you mean 'name'? src/views/authorityManage/index.vue(150,39): error TS2551: Property 'name3' does not exist on type '{ name: string; region: string; }'. Did you mean 'name'? src/views/authorityManage/index.vue(153,39): error TS2551: Property 'name4' does not exist on type '{ name: string; region: string; }'. Did you mean 'name'? src/views/authorityManage/index.vue(177,26): error TS2339: Property 'handleUpload' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Plus: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 26 more ...; resetMemberForm: (formEl: any) => void; }, ... 23 more ..., {}>'. src/views/authorityManage/index.vue(194,26): error TS2339: Property 'handleUpload' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Plus: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 26 more ...; resetMemberForm: (formEl: any) => void; }, ... 23 more ..., {}>'. src/views/authorityManage/index.vue(287,7): error TS6133: 'defaultProps' is declared but its value is never read. src/views/authorityManage/index.vue(351,22): error TS7006: Parameter 'tab' implicitly has an 'any' type. src/views/authorityManage/index.vue(351,26): error TS7006: Parameter 'event' implicitly has an 'any' type. src/views/authorityManage/index.vue(364,25): error TS6133: 'node' is declared but its value is never read. src/views/authorityManage/index.vue(364,25): error TS7006: Parameter 'node' implicitly has an 'any' type. src/views/authorityManage/index.vue(364,30): error TS6133: 'data' is declared but its value is never read. src/views/authorityManage/index.vue(364,30): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/authorityManage/index.vue(381,25): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/authorityManage/index.vue(381,32): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/authorityManage/index.vue(391,29): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/authorityManage/index.vue(391,36): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/authorityManage/index.vue(395,33): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/authorityManage/index.vue(397,26): error TS7006: Parameter 'valid' implicitly has an 'any' type. src/views/authorityManage/index.vue(397,33): error TS7006: Parameter 'fields' implicitly has an 'any' type. src/views/authorityManage/index.vue(406,26): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/authorityManage/index.vue(412,33): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/authorityManage/index.vue(414,26): error TS7006: Parameter 'valid' implicitly has an 'any' type. src/views/authorityManage/index.vue(414,33): error TS7006: Parameter 'fields' implicitly has an 'any' type. src/views/authorityManage/index.vue(423,26): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/crownBlock.vue(82,28): error TS2339: Property 'resetForm' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { formInline: { user: string; region: string; date: string; }; value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<...>; }, ... 23 more ..., {}>'. src/views/crownBlock.vue(82,38): error TS2339: Property 'ruleFormRef' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { formInline: { user: string; region: string; date: string; }; value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<...>; }, ... 23 more ..., {}>'. src/views/crownBlock.vue(83,43): error TS2339: Property 'onSubmit' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { formInline: { user: string; region: string; date: string; }; value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<...>; }, ... 23 more ..., {}>'. src/views/crownBlock.vue(89,22): error TS2339: Property 'tableData' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { formInline: { user: string; region: string; date: string; }; value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<...>; }, ... 23 more ..., {}>'. src/views/deliverRecord/deliverDetail.vue(14,19): error TS2339: Property 'cargo_code' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(18,55): error TS2339: Property 'car_schedule_id' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(19,56): error TS2339: Property 'cargo_name' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(20,68): error TS2339: Property 'gross_weight' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(21,56): error TS2339: Property 'car_plate_number' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(22,67): error TS2339: Property 'spec' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(23,57): error TS2339: Property 'warranty_start_date' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(23,88): error TS2339: Property 'warranty_start_date' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(23,126): error TS2339: Property 'warranty_end_date' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(23,155): error TS2339: Property 'warranty_end_date' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(24,68): error TS2339: Property 'cargo_code' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(25,54): error TS2339: Property 'shift_plan' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(29,78): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(29,101): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(30,51): error TS2339: Property 'operator' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(31,52): error TS2339: Property 'create_time' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(32,51): error TS2339: Property 'car_plate_number' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(35,25): error TS7022: 'item' implicitly has type 'any' because it does not have a type annotation and is referenced directly or indirectly in its own initializer. src/views/deliverRecord/deliverDetail.vue(35,33): error TS2448: Block-scoped variable 'item' used before its declaration. src/views/deliverRecord/deliverDetail.vue(46,48): error TS2339: Property 'flow_info' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(133,33): error TS6133: 'ArrowRight' is declared but its value is never read. src/views/deliverRecord/deliverDetail.vue(137,1): error TS6133: 'log' is declared but its value is never read. src/views/deliverRecord/deliverDetail.vue(150,28): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(152,14): error TS2339: Property 'schedule_step_info' does not exist on type '{}'. src/views/deliverRecord/deliverDetail.vue(152,37): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(153,24): error TS2345: Argument of type 'any' is not assignable to parameter of type 'never'. src/views/deliverRecord/deliverDetail.vue(155,26): error TS2339: Property 'step_info' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(155,40): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(156,24): error TS2345: Argument of type 'any' is not assignable to parameter of type 'never'. src/views/deliverRecord/deliverDetail.vue(160,29): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/deliverRecord/deliverDetail.vue(163,3): error TS2554: Expected 2 arguments, but got 1. src/views/deliverRecord/deliverDetail.vue(168,22): error TS7006: Parameter 'tab' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(168,27): error TS6133: 'event' is declared but its value is never read. src/views/deliverRecord/deliverDetail.vue(168,27): error TS7006: Parameter 'event' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(172,26): error TS7006: Parameter 'id' implicitly has an 'any' type. src/views/deliverRecord/deliverDetail.vue(174,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. src/views/deliverRecord/index.vue(22,24): error TS7053: Element implicitly has an 'any' type because expression of type 'string' can't be used to index type '{ handleSearch0: (data: any) => void; handleSearch1: (data: any) => void; handleSearch2: (data: any) => void; handleSearch3: (data: any) => void; }'. No index signature with a parameter of type 'string' was found on type '{ handleSearch0: (data: any) => void; handleSearch1: (data: any) => void; handleSearch2: (data: any) => void; handleSearch3: (data: any) => void; }'. src/views/deliverRecord/index.vue(23,23): error TS7053: Element implicitly has an 'any' type because expression of type 'any' can't be used to index type '{ handleClear0: () => void; handleClear1: () => void; handleClear2: () => void; handleClear3: () => void; }'. src/views/deliverRecord/index.vue(23,37): error TS2551: Property 'clearMethodName' does not exist on type '{ name: string; input: string; list: never[]; methodName: string; activeName: string; } | { name: string; input: string; list: never[]; methodName: string; activeName?: undefined; }'. Did you mean 'methodName'? Property 'clearMethodName' does not exist on type '{ name: string; input: string; list: never[]; methodName: string; activeName: string; }'. src/views/deliverRecord/index.vue(28,22): error TS2339: Property 'value' does not exist on type 'never'. src/views/deliverRecord/index.vue(29,24): error TS2339: Property 'label' does not exist on type 'never'. src/views/deliverRecord/index.vue(30,24): error TS2339: Property 'value' does not exist on type 'never'. src/views/deliverRecord/index.vue(68,39): error TS2339: Property 'preserveExpanded' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/deliverRecord/index.vue(99,35): error TS6133: 'scope' is declared but its value is never read. src/views/deliverRecord/index.vue(114,34): error TS6133: 'row' is declared but its value is never read. src/views/deliverRecord/index.vue(160,28): error TS2339: Property 'disabled' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/deliverRecord/index.vue(161,30): error TS2339: Property 'background' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/deliverRecord/index.vue(292,23): error TS7006: Parameter 'date' implicitly has an 'any' type. src/views/deliverRecord/index.vue(300,25): error TS7006: Parameter 'status' implicitly has an 'any' type. src/views/deliverRecord/index.vue(307,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(313,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(319,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(325,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(326,17): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/deliverRecord/index.vue(345,17): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/deliverRecord/index.vue(358,15): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/deliverRecord/index.vue(374,27): error TS2304: Cannot find name 'TabsPaneContext'. src/views/deliverRecord/index.vue(374,44): error TS6133: 'event' is declared but its value is never read. src/views/deliverRecord/index.vue(384,29): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(387,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. src/views/deliverRecord/index.vue(390,33): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/index.vue(400,32): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/deliverRecord/index.vue(402,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. src/views/deliverRecord/index.vue(404,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/deliverRecord/index.vue(404,47): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/index.vue(406,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/deliverRecord/index.vue(406,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/index.vue(408,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/deliverRecord/index.vue(408,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/index.vue(410,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/deliverRecord/index.vue(410,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/deliverRecord/index.vue(421,25): error TS6133: 'index' is declared but its value is never read. src/views/deliverRecord/index.vue(421,25): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/deliverRecord/index.vue(421,31): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/deliverRecord/index.vue(423,8): error TS2339: Property 'sap_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/deliverRecord/index.vue(424,8): error TS2339: Property 'calculated_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/deliverRecord/index.vue(425,8): error TS2339: Property 'small_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/deliverRecord/index.vue(426,8): error TS2339: Property 'receiver_name' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/deliverRecord/index.vue(429,23): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/deliverRecord/index.vue(429,29): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/deliverRecord/index.vue(445,26): error TS7006: Parameter 'warrantyDate' implicitly has an 'any' type. src/views/deliverRecord/index.vue(445,40): error TS7006: Parameter 'receiptDate' implicitly has an 'any' type. src/views/deliverRecord/index.vue(451,26): error TS2362: The left-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type. src/views/deliverRecord/index.vue(451,36): error TS2363: The right-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type. src/views/forkliftView.vue(87,30): error TS2339: Property 'resetForm' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<{ order: number; time: number; status: string; }[], { order: number; time: number; status: string; }[] | { ...; }[]>; formInline: { ...; }; tableData: { ...; }[]; }, ... 23 more ...'. src/views/forkliftView.vue(87,40): error TS2339: Property 'ruleFormRef' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<{ order: number; time: number; status: string; }[], { order: number; time: number; status: string; }[] | { ...; }[]>; formInline: { ...; }; tableData: { ...; }[]; }, ... 23 more ...'. src/views/forkliftView.vue(88,45): error TS2339: Property 'onSubmit' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<{ order: number; time: number; status: string; }[], { order: number; time: number; status: string; }[] | { ...; }[]>; formInline: { ...; }; tableData: { ...; }[]; }, ... 23 more ...'. src/views/forkliftView.vue(118,32): error TS2339: Property 'gridData' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { value1: Ref<boolean, boolean>; value2: Ref<boolean, boolean>; list: Ref<{ order: number; time: number; status: string; }[], { order: number; time: number; status: string; }[] | { ...; }[]>; formInline: { ...; }; tableData: { ...; }[]; }, ... 23 more ...'. src/views/goodsStat/goodsDetail.vue(12,24): error TS2339: Property 'methodMap' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { ruleFormRef: Ref<any, any>; formInline: { user: string; region: string; date: string; }; tableData: { date: string; name: string; address: string; sum: number; }[]; sortsArr: Ref<...>; onSubmit: () => void; resetForm: (formEl: any) => void; }, ... 23...'. src/views/goodsStat/goodsDetail.vue(16,22): error TS2339: Property 'value' does not exist on type 'never'. src/views/goodsStat/goodsDetail.vue(17,24): error TS2339: Property 'label' does not exist on type 'never'. src/views/goodsStat/goodsDetail.vue(18,24): error TS2339: Property 'value' does not exist on type 'never'. src/views/goodsStat/goodsDetail.vue(100,20): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/goodsStat/index.vue(83,26): error TS7016: Could not find a declaration file for module '@/components/LineBarChart.vue'. '/var/jenkins_home/workspace/zq-web/src/components/LineBarChart.vue' implicitly has an 'any' type. src/views/goodsStat/index.vue(84,26): error TS7016: Could not find a declaration file for module '@/components/StackedChart.vue'. '/var/jenkins_home/workspace/zq-web/src/components/StackedChart.vue' implicitly has an 'any' type. src/views/goodsStat/index.vue(88,21): error TS6133: 'name' is declared but its value is never read. src/views/goodsStat/index.vue(88,21): error TS7006: Parameter 'name' implicitly has an 'any' type. src/views/goodsStat/index.vue(88,26): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/homeView.vue(14,24): error TS2339: Property 'nickname' does not exist on type '{}'. src/views/loginView.vue(74,53): error TS2304: Cannot find name 'ComponentInternalInstance'. src/views/monitorView.vue(18,40): error TS6133: 'value' is declared but its value is never read. src/views/personStat/index.vue(100,23): error TS7016: Could not find a declaration file for module '@/components/RingChart.vue'. '/var/jenkins_home/workspace/zq-web/src/components/RingChart.vue' implicitly has an 'any' type. src/views/personStat/index.vue(148,20): error TS7006: Parameter 'formEl' implicitly has an 'any' type. src/views/receiveRecord/index.vue(22,24): error TS7053: Element implicitly has an 'any' type because expression of type 'string' can't be used to index type '{ handleSearch0: (data: any) => void; handleSearch1: (data: any) => void; handleSearch2: (data: any) => void; handleSearch3: (data: any) => void; }'. No index signature with a parameter of type 'string' was found on type '{ handleSearch0: (data: any) => void; handleSearch1: (data: any) => void; handleSearch2: (data: any) => void; handleSearch3: (data: any) => void; }'. src/views/receiveRecord/index.vue(23,23): error TS7053: Element implicitly has an 'any' type because expression of type 'string' can't be used to index type '{ handleClear0: () => void; handleClear1: () => void; handleClear2: () => void; handleClear3: () => void; }'. No index signature with a parameter of type 'string' was found on type '{ handleClear0: () => void; handleClear1: () => void; handleClear2: () => void; handleClear3: () => void; }'. src/views/receiveRecord/index.vue(28,22): error TS2339: Property 'value' does not exist on type 'never'. src/views/receiveRecord/index.vue(29,24): error TS2339: Property 'label' does not exist on type 'never'. src/views/receiveRecord/index.vue(30,24): error TS2339: Property 'value' does not exist on type 'never'. src/views/receiveRecord/index.vue(68,39): error TS2339: Property 'preserveExpanded' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/receiveRecord/index.vue(100,34): error TS6133: 'row' is declared but its value is never read. src/views/receiveRecord/index.vue(123,35): error TS6133: 'scope' is declared but its value is never read. src/views/receiveRecord/index.vue(150,28): error TS2339: Property 'disabled' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/receiveRecord/index.vue(151,30): error TS2339: Property 'background' does not exist on type 'CreateComponentPublicInstanceWithMixins<ToResolvedProps<{}, {}>, { Search: DefineComponent<{}, void, {}, {}, {}, ComponentOptionsMixin, ComponentOptionsMixin, ... 12 more ..., any>; ... 22 more ...; handleDetail: (index: any, row: any) => void; }, ... 23 more ..., {}>'. src/views/receiveRecord/index.vue(165,33): error TS2339: Property 'sap_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(168,33): error TS2339: Property 'calculated_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(171,33): error TS2339: Property 'small_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(178,33): error TS2339: Property 'receiver_name' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(283,23): error TS7006: Parameter 'date' implicitly has an 'any' type. src/views/receiveRecord/index.vue(291,25): error TS7006: Parameter 'status' implicitly has an 'any' type. src/views/receiveRecord/index.vue(298,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(304,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(310,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(316,19): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(317,17): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/receiveRecord/index.vue(336,17): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/receiveRecord/index.vue(349,15): error TS2551: Property 'receiver_name' does not exist on type '{ car_plate_number: string; car_schedule_id: string; cargo_code: string; receive_name: string; limit: number; page: number; search_text: string; sort: string; sorts: string; start: number; state: string; time_condition: { ...; }[]; work_type: string; status: number; }'. Did you mean 'receive_name'? src/views/receiveRecord/index.vue(365,27): error TS2304: Cannot find name 'TabsPaneContext'. src/views/receiveRecord/index.vue(365,44): error TS6133: 'event' is declared but its value is never read. src/views/receiveRecord/index.vue(375,29): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(378,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. src/views/receiveRecord/index.vue(381,33): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/index.vue(391,32): error TS7006: Parameter 'data' implicitly has an 'any' type. src/views/receiveRecord/index.vue(393,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. src/views/receiveRecord/index.vue(395,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/receiveRecord/index.vue(395,47): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/index.vue(397,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/receiveRecord/index.vue(397,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/index.vue(399,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/receiveRecord/index.vue(399,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/index.vue(401,5): error TS2322: Type '{ label: unknown; value: unknown; }[]' is not assignable to type 'never[]'. Type '{ label: unknown; value: unknown; }' is not assignable to type 'never'. src/views/receiveRecord/index.vue(401,48): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/index.vue(412,25): error TS6133: 'index' is declared but its value is never read. src/views/receiveRecord/index.vue(412,25): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/receiveRecord/index.vue(412,31): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/receiveRecord/index.vue(414,8): error TS2339: Property 'sap_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(415,8): error TS2339: Property 'calculated_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(416,8): error TS2339: Property 'small_room' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(417,8): error TS2339: Property 'receiver_name' does not exist on type '{ name: string; region: string; date1: string; date2: string; delivery: boolean; type: never[]; resource: string; desc: string; }'. src/views/receiveRecord/index.vue(420,23): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/receiveRecord/index.vue(420,29): error TS7006: Parameter 'row' implicitly has an 'any' type. src/views/receiveRecord/index.vue(436,26): error TS7006: Parameter 'warrantyDate' implicitly has an 'any' type. src/views/receiveRecord/index.vue(436,40): error TS7006: Parameter 'receiptDate' implicitly has an 'any' type. src/views/receiveRecord/index.vue(442,26): error TS2362: The left-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type. src/views/receiveRecord/index.vue(442,36): error TS2363: The right-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type. src/views/receiveRecord/receiveDetail.vue(14,19): error TS2339: Property 'cargo_code' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(18,55): error TS2339: Property 'car_schedule_id' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(19,56): error TS2339: Property 'cargo_name' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(20,68): error TS2339: Property 'gross_weight' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(21,56): error TS2339: Property 'car_plate_number' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(22,67): error TS2339: Property 'spec' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(23,57): error TS2339: Property 'warranty_start_date' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(23,88): error TS2339: Property 'warranty_start_date' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(23,126): error TS2339: Property 'warranty_end_date' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(23,155): error TS2339: Property 'warranty_end_date' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(24,68): error TS2339: Property 'cargo_code' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(25,67): error TS2339: Property 'net_weight' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(26,55): error TS2339: Property 'receiver_name' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(29,78): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(29,101): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(30,51): error TS2339: Property 'operator' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(31,52): error TS2339: Property 'create_time' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(32,51): error TS2339: Property 'car_plate_number' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(35,25): error TS7022: 'item' implicitly has type 'any' because it does not have a type annotation and is referenced directly or indirectly in its own initializer. src/views/receiveRecord/receiveDetail.vue(35,33): error TS2448: Block-scoped variable 'item' used before its declaration. src/views/receiveRecord/receiveDetail.vue(105,33): error TS6133: 'ArrowRight' is declared but its value is never read. src/views/receiveRecord/receiveDetail.vue(109,1): error TS6133: 'log' is declared but its value is never read. src/views/receiveRecord/receiveDetail.vue(122,28): error TS7006: Parameter 'index' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(124,14): error TS2339: Property 'schedule_step_info' does not exist on type '{}'. src/views/receiveRecord/receiveDetail.vue(124,37): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(125,24): error TS2345: Argument of type 'any' is not assignable to parameter of type 'never'. src/views/receiveRecord/receiveDetail.vue(127,26): error TS2339: Property 'step_info' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(127,40): error TS7006: Parameter 'item' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(128,24): error TS2345: Argument of type 'any' is not assignable to parameter of type 'never'. src/views/receiveRecord/receiveDetail.vue(132,29): error TS2339: Property 'step_name' does not exist on type 'never'. src/views/receiveRecord/receiveDetail.vue(135,3): error TS2554: Expected 2 arguments, but got 1. src/views/receiveRecord/receiveDetail.vue(140,22): error TS7006: Parameter 'tab' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(140,27): error TS6133: 'event' is declared but its value is never read. src/views/receiveRecord/receiveDetail.vue(140,27): error TS7006: Parameter 'event' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(144,26): error TS7006: Parameter 'id' implicitly has an 'any' type. src/views/receiveRecord/receiveDetail.vue(146,10): error TS2339: Property 'code' does not exist on type 'AxiosResponse<any, any>'. vite.config.ts(9,25): error TS2307: Cannot find module 'path' or its corresponding type declarations. vite.config.ts(34,20): error TS2304: Cannot find name '__dirname'. Build step 'Execute shell' marked build as failure SSH: Current build result is [FAILURE], not going to run. Finished: FAILURE
10-31
<!-- -*- nxml-child-indent: 4; tab-width: 4; indent-tabs-mode: nil -*- --> <config> <!-- For more detailed documentation on typical configuration options please see: https://sdk.collaboraonline.com/docs/installation/Configuration.html --> <!-- Note: 'default' attributes are used to document a setting's default value as well as to use as fallback. --> <!-- Note: When adding a new entry, a default must be set in WSD in case the entry is missing upon deployment. --> <accessibility desc="Accessibility settings"> <enable type="bool" desc="Controls whether accessibility support should be enabled or not." default="false">false</enable> </accessibility> <allowed_languages desc="List of supported languages of Writing Aids (spell checker, grammar checker, thesaurus, hyphenation) on this instance. Allowing too many has negative effect on startup performance." default="de_DE en_GB en_US es_ES fr_FR it nl pt_BR pt_PT ru">de_DE en_GB en_US es_ES fr_FR it nl pt_BR pt_PT ru</allowed_languages> <!-- These are the settings of external (remote) spellchecker and grammar checker services. Currently LanguageTool and Duden Korrekturserver APIs are supported, you can set either of them. By default they are disabled. To turn the support on, please set "enabled" property to true. It works with self hosted or cloud services, free and premium as well. The "base_url" may be https://api.languagetoolplus.com/v2 if the cloud version of LanguageTool is used. Please note that your data in the document e.g. the text part of it will be sent to the cloud API. Please read the respective privacy policies, e.g. https://languagetool.org/legal/privacy. --> <languagetool desc="Remote API settings for spell and grammar checking"> <enabled desc="Enable Remote Spell and Grammar Checker" type="bool" default="false">false</enabled> <base_url desc="HTTP endpoint for the API server, without /check or /languages postfix at the end." type="string" default=""></base_url> <user_name desc="LanguageTool or Duden account username for premium usage." type="string" default=""></user_name> <api_key desc="API key provided by LanguageTool or Duden account for premium usage." type="string" default=""></api_key> <ssl_verification desc="Enable or disable SSL verification. You may have to disable it in test environments with self-signed certificates." type="string" default="true">true</ssl_verification> <rest_protocol desc="REST API protocol. For LanguageTool leave it blank, for Duden Korrekturserver use the string 'duden'." type="string" default=""></rest_protocol> </languagetool> <deepl desc="DeepL API settings for translation service"> <enabled desc="If true, shows translate option as a menu entry in the compact view and as an icon in the tabbed view." type="bool" default="false">false</enabled> <api_url desc="URL for the API" type="string" default=""></api_url> <auth_key desc="Auth Key generated by your account" type="string" default=""></auth_key> </deepl> <sys_template_path desc="Path to a template tree with shared libraries etc to be used as source for chroot jails for child processes." type="path" relative="true" default="systemplate"></sys_template_path> <child_root_path desc="Path to the directory under which the chroot jails for the child processes will be created. Should be on the same file system as systemplate and lotemplate. Must be an empty directory." type="path" relative="true" default="jails"></child_root_path> <mount_jail_tree desc="Controls whether the systemplate and lotemplate contents are mounted or not, which is much faster than the default of linking/copying each file." type="bool" default="true">true</mount_jail_tree> <server_name desc="External hostname:port of the server running coolwsd. If empty, it's derived from the request (please set it if this doesn't work). May be specified when behind a reverse-proxy or when the hostname is not reachable directly." type="string" default=""></server_name> <file_server_root_path desc="Path to the directory that should be considered root for the file server. This should be the directory containing cool." type="path" relative="true" default="browser/../"></file_server_root_path> <hexify_embedded_urls desc="Enable to protect encoded URLs from getting decoded by intermediate hops. Particularly useful on Azure deployments" type="bool" default="false">false</hexify_embedded_urls> <experimental_features desc="Enable/Disable experimental features" type="bool" default="true">true</experimental_features> <memproportion desc="The maximum percentage of available memory consumed by all of the Collabora Online Development Edition processes, after which we start cleaning up idle documents. If cgroup memory limits are set, this is the maximum percentage of that limit to consume." type="double" default="80.0"></memproportion> <num_prespawn_children desc="Number of child processes to keep started in advance and waiting for new clients." type="uint" default="4">4</num_prespawn_children> <fetch_update_check desc="Every number of hours will fetch latest version data. Defaults to 10 hours." type="uint" default="10">10</fetch_update_check> <allow_update_popup desc="Allows notification about an update in the editor" type="bool" default="true">true</allow_update_popup> <per_document desc="Document-specific settings, including LO Core settings."> <max_concurrency desc="The maximum number of threads to use while processing a document." type="uint" default="4">4</max_concurrency> <batch_priority desc="A (lower) priority for use by batch eg. convert-to processes to avoid starving interactive ones" type="uint" default="5">5</batch_priority> <bgsave_priority desc="A (lower) priority for use by background save processes to free time for interactive ones" type="uint" default="5">5</bgsave_priority> <bgsave_timeout_secs desc="The default maximum number of seconds to wait for the background save processes to finish before giving up and reverting to synchronous saving" type="uint" default="120">120</bgsave_timeout_secs> <redlining_as_comments desc="If true show red-lines as comments" type="bool" default="false">false</redlining_as_comments> <pdf_resolution_dpi desc="The resolution, in DPI, used to render PDF documents as image. Memory consumption grows proportionally. Must be a positive value less than 385. Defaults to 96." type="uint" default="96">96</pdf_resolution_dpi> <idle_timeout_secs desc="The maximum number of seconds before unloading an idle document. Defaults to 1 hour." type="uint" default="3600">3600</idle_timeout_secs> <idlesave_duration_secs desc="The number of idle seconds after which document, if modified, should be saved. Disabled when 0. Defaults to 30 seconds." type="uint" default="30">30</idlesave_duration_secs> <autosave_duration_secs desc="The number of seconds after which document, if modified, should be saved. Disabled when 0. Defaults to 5 minutes." type="uint" default="300">300</autosave_duration_secs> <background_autosave desc="Allow auto-saves to occur in a forked background process where possible." type="bool" default="true">true</background_autosave> <background_manualsave desc="Allow manual save to occur in a forked background process where possible" type="bool" default="true">true</background_manualsave> <always_save_on_exit desc="On exiting the last editor, always perform a save and upload if the document had been modified. This is to allow the storage to store the document, if it had skipped doing so, previously, as an optimization." type="bool" default="false">false</always_save_on_exit> <limit_virt_mem_mb desc="The maximum virtual memory allowed to each document process. 0 for unlimited." type="uint">0</limit_virt_mem_mb> <limit_stack_mem_kb desc="The maximum stack size allowed to each document process. 0 for unlimited." type="uint">8000</limit_stack_mem_kb> <limit_file_size_mb desc="The maximum file size allowed to each document process to write. 0 for unlimited." type="uint">0</limit_file_size_mb> <limit_num_open_files desc="The maximum number of files allowed to each document process to open. 0 for unlimited." type="uint">0</limit_num_open_files> <limit_load_secs desc="Maximum number of seconds to wait for a document load to succeed. 0 for unlimited." type="uint" default="100">100</limit_load_secs> <limit_store_failures desc="Maximum number of consecutive save-and-upload to storage failures when unloading the document. 0 for unlimited (not recommended)." type="uint" default="5">5</limit_store_failures> <limit_convert_secs desc="Maximum number of seconds to wait for a document conversion to succeed. 0 for unlimited." type="uint" default="100">100</limit_convert_secs> <min_time_between_saves_ms desc="Minimum number of milliseconds between saving the document on disk." type="uint" default="500">500</min_time_between_saves_ms> <min_time_between_uploads_ms desc="Minimum number of milliseconds between uploading the document to storage." type="uint" default="5000">5000</min_time_between_uploads_ms> <cleanup desc="Checks for resource consuming (bad) documents and kills associated kit process. A document is considered resource consuming (bad) if is in idle state for idle_time_secs period and memory usage passed limit_dirty_mem_mb or CPU usage passed limit_cpu_per" enable="true"> <cleanup_interval_ms desc="Interval between two checks" type="uint" default="10000">10000</cleanup_interval_ms> <bad_behavior_period_secs desc="Minimum time period for a document to be in bad state before associated kit process is killed. If in this period the condition for bad document is not met once then this period is reset" type="uint" default="60">60</bad_behavior_period_secs> <idle_time_secs desc="Minimum idle time for a document to be candidate for bad state" type="uint" default="300">300</idle_time_secs> <limit_dirty_mem_mb desc="Minimum memory usage for a document to be candidate for bad state" type="uint" default="3072">3072</limit_dirty_mem_mb> <limit_cpu_per desc="Minimum CPU usage for a document to be candidate for bad state" type="uint" default="85">85</limit_cpu_per> <lost_kit_grace_period_secs desc="The minimum grace period for a lost kit process (not referenced by coolwsd) to resolve its lost status before it is terminated. To disable the cleanup of lost kits use value 0" default="120">120</lost_kit_grace_period_secs> </cleanup> </per_document> <per_view desc="View-specific settings."> <out_of_focus_timeout_secs desc="The maximum number of seconds before dimming and stopping updates when the browser tab is no longer in focus. Defaults to 300 seconds." type="uint" default="300">300</out_of_focus_timeout_secs> <idle_timeout_secs desc="The maximum number of seconds before dimming and stopping updates when the user is no longer active (even if the browser is in focus). Defaults to 15 minutes." type="uint" default="900">900</idle_timeout_secs> <custom_os_info desc="Custom string shown as OS version in About dialog, get from system if empty." type="string" default=""></custom_os_info> <min_saved_message_timeout_secs type="uint" desc="The minimum number of seconds before the last modified message is being displayed." default="6">6</min_saved_message_timeout_secs> </per_view> <ver_suffix desc="Appended to etags to allow easy refresh of changed files during development" type="string" default=""></ver_suffix> <logging> <color type="bool">true</color> <!-- Note to developers: When you do "make run", the logging.level will be set on the coolwsd command line, so if you want to change it for your testing, do it in Makefile.am, not here. --> <level type="string" desc="Can be 0-8 (with the lowest numbers being the least verbose), or none (turns off logging), fatal, critical, error, warning, notice, information, debug, trace" default="warning">warning</level> <level_startup type="string" desc="As for level - but for the initial startup phase which is most problematic, logging reverts to level configured above when startup is complete" default="trace">trace</level_startup> <disabled_areas type="string" desc="High verbosity logging ie. info to trace are disable-able, comma separated: Generic, Pixel, Socket, WebSocket, Http, WebServer, Storage, WOPI, Admin, Javascript" default="Socket,WebSocket,Admin,Pixel">Socket,WebSocket,Admin,Pixel</disabled_areas> <most_verbose_level_settable_from_client type="string" desc="A loggingleveloverride message from the client can not set a more verbose log level than this" default="notice">notice</most_verbose_level_settable_from_client> <least_verbose_level_settable_from_client type="string" desc="A loggingleveloverride message from a client can not set a less verbose log level than this" default="fatal">fatal</least_verbose_level_settable_from_client> <protocol type="bool" desc="Enable minimal client-site JS protocol logging from the start">false</protocol> <!-- lokit_sal_log example: Log WebDAV-related messages, that is interesting for debugging Insert - Image operation: "+TIMESTAMP+INFO.ucb.ucp.webdav+WARN.ucb.ucp.webdav" See also: https://docs.libreoffice.org/sal/html/sal_log.html --> <lokit_sal_log type="string" desc="Fine tune log messages from LOKit. Default is to suppress log messages from LOKit." default="-INFO-WARN">-INFO-WARN</lokit_sal_log> <file enable="false"> <!-- If you use other path than /var/log and you run coolwsd from systemd, make sure that you enable that path in coolwsd.service (ReadWritePaths). Also the log file path must be writable by the 'cool' user. --> <property name="path" desc="Log file path.">/var/log/coolwsd.log</property> <property name="rotation" desc="Log file rotation strategy. See Poco FileChannel.">never</property> <property name="archive" desc="Append either timestamp or number to the archived log filename.">timestamp</property> <property name="compress" desc="Enable/disable log file compression.">true</property> <property name="purgeAge" desc="The maximum age of log files to preserve. See Poco FileChannel.">10 days</property> <property name="purgeCount" desc="The maximum number of log archives to preserve. Use 'none' to disable purging. See Poco FileChannel.">10</property> <property name="rotateOnOpen" desc="Enable/disable log file rotation on opening.">true</property> <property name="flush" desc="Enable/disable flushing after logging each line. May harm performance. Note that without flushing after each line, the log lines from the different processes will not appear in chronological order.">false</property> </file> <anonymize> <anonymize_user_data type="bool" desc="Enable to anonymize/obfuscate of user-data in logs. If default is true, it was forced at compile-time and cannot be disabled." default="false">false</anonymize_user_data> <anonymization_salt type="uint" desc="The salt used to anonymize/obfuscate user-data in logs. Use a secret 64-bit random number." default="82589933">82589933</anonymization_salt> </anonymize> <docstats type="bool" desc="Enable to see document handling information in logs." default="false">false</docstats> <userstats desc="Enable user stats. i.e: logs the details of a file and user" type="bool" default="false">false</userstats> <disable_server_audit type="bool" desc="Disabled server audit dialog and notification. Admin will no longer see warnings in the application user interface. This doesn't affect log file." default="false">false</disable_server_audit> </logging> <canvas_slideshow_enabled type="bool" desc="If true, WebGl presentation rendered on the client side is enabled, otherwise interactive SVG is used." default="true">true</canvas_slideshow_enabled> <logging_ui_cmd> <merge type="bool" desc="If true, repeated commands after each other will be merged into 1 line. If false, every command will be 1 new line." default="true">true</merge> <merge_display_end_time type="bool" desc="If true, the duration of the merged command will also be logged." default="false">true</merge_display_end_time> <file enable="false"> <!-- If you use other path than /var/log and you run coolwsd from systemd, make sure that you enable that path in coolwsd.service (ReadWritePaths). Also the log file path must be writable by the 'cool' user. --> <property name="path" desc="Log file path.">/var/log/coolwsd-ui-cmd.log</property> <property name="purgeCount" desc="The maximum number of log archives to preserve. Use 'none' to disable purging. See Poco FileChannel.">10</property> <property name="rotateOnOpen" desc="Enable/disable log file rotation on opening.">true</property> <property name="flush" desc="Enable/disable flushing after logging each line. May harm performance. Note that without flushing after each line, the log lines from the different processes will not appear in chronological order.">false</property> </file> </logging_ui_cmd> <!-- Note to developers: When you do "make run", the trace_event[@enable] will be set on the coolwsd command line, so if you want to change it for your testing, do it in Makefile.am, not here. --> <trace_event desc="The possibility to turn on generation of a Chrome Trace Event file" enable="false"> <path desc="Output path for the Trace Event file, to which they will be written if turned on at run-time" type="string" default="/var/log/coolwsd.trace.json">/var/log/coolwsd.trace.json</path> </trace_event> <browser_logging desc="Logging in the browser console" default="false">false</browser_logging> <trace desc="Dump commands and notifications for replay. When 'snapshot' is true, the source file is copied to the path first." enable="false"> <path desc="Output path to hold trace file and docs. Use '%' for timestamp to avoid overwriting. For example: /some/path/to/cooltrace-%.gz" compress="true" snapshot="false"></path> <filter> <message desc="Regex pattern of messages to exclude"></message> </filter> <outgoing> <record desc="Whether or not to record outgoing messages" default="false">false</record> </outgoing> </trace> <net desc="Network settings"> <!-- On systems where localhost resolves to IPv6 [::1] address first, when net.proto is all and net.listen is loopback, coolwsd unexpectedly listens on [::1] only. You need to change net.proto to IPv4, if you want to use 127.0.0.1. --> <proto type="string" default="all" desc="Protocol to use IPv4, IPv6 or all for both">all</proto> <listen type="string" default="any" desc="Listen address that coolwsd binds to. Can be 'any' or 'loopback'.">any</listen> <!-- this allows you to shift all of our URLs into a sub-path from https://my.com/browser/a123... to https://my.com/my/sub/path/browser/a123... --> <service_root type="path" default="" desc="Prefix the base URL for all the pages, websockets, etc. with this path. This includes the discovery URL."></service_root> <post_allow desc="Allow/deny client IP address for POST(REST)." allow="true"> <host desc="The IPv4 private 192.168 block as plain IPv4 dotted decimal addresses.">192\.168\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:192\.168\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 loopback (localhost) address.">127\.0\.0\.1</host> <host desc="Ditto, but as IPv4-mapped IPv6 address">::ffff:127\.0\.0\.1</host> <host desc="The IPv6 loopback (localhost) address.">::1</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 1.">172\.1[6789]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.1[6789]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 2.">172\.2[0-9]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.2[0-9]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 3.">172\.3[01]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.3[01]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 10.0.0.0/8 subnet (Podman).">10\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:10\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}</host> </post_allow> <lok_allow desc="Allowed hosts as an external data source inside edited files. All allowed post_allow.host and storage.wopi entries are also considered to be allowed as a data source. Used for example in: PostMessage Action_InsertGraphic, =WEBSERVICE() function, external reference in the cell."> <host desc="The IPv4 private 192.168 block as plain IPv4 dotted decimal addresses.">192\.168\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:192\.168\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 loopback (localhost) address.">127\.0\.0\.1</host> <host desc="Ditto, but as IPv4-mapped IPv6 address">::ffff:127\.0\.0\.1</host> <host desc="The IPv6 loopback (localhost) address.">::1</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 1.">172\.1[6789]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.1[6789]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 2.">172\.2[0-9]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.2[0-9]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 172.16.0.0/12 subnet part 3.">172\.3[01]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:172\.3[01]\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="The IPv4 private 10.0.0.0/8 subnet (Podman).">10\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Ditto, but as IPv4-mapped IPv6 addresses">::ffff:10\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}</host> <host desc="Localhost access by name">localhost</host> </lok_allow> <content_security_policy desc="Customize the CSP header by specifying one or more policy-directive, separated by semicolons. See w3.org/TR/CSP2"> </content_security_policy> <frame_ancestors> http://192.168.2.107:8881 http://10.1.200.64:* http://192.168.11.33:* </frame_ancestors> <connection_timeout_secs desc="Specifies the connection, send, recv timeout in seconds for connections initiated by coolwsd (such as WOPI connections)." type="int" default="30">30</connection_timeout_secs> <!-- this setting radically changes how online works, it should not be used in a production environment --> <proxy_prefix type="bool" default="false" desc="Enable a ProxyPrefix to be passed-in through which to redirect requests">false</proxy_prefix> </net> <ssl desc="SSL settings"> <!-- switches from https:// + wss:// to http:// + ws:// --> <enable type="bool" desc="Controls whether SSL encryption between coolwsd and the network is enabled (do not disable for production deployment). If default is false, must first be compiled with SSL support to enable." default="true">true</enable> <!-- SSL off-load can be done in a proxy, if so disable SSL, and enable termination below in production --> <termination desc="Connection via proxy where coolwsd acts as working via https, but actually uses http." type="bool" default="false">false</termination> <cert_file_path desc="Path to the cert file" type="path" relative="false">/etc/coolwsd/cert.pem</cert_file_path> <key_file_path desc="Path to the key file" type="path" relative="false">/etc/coolwsd/key.pem</key_file_path> <ca_file_path desc="Path to the ca file" type="path" relative="false">/etc/coolwsd/ca-chain.cert.pem</ca_file_path> <ssl_verification desc="Enable or disable SSL verification of hosts remote to coolwsd. If true SSL verification will be strict, otherwise certs of hosts will not be verified. You may have to disable it in test environments with self-signed certificates." type="string" default="false">false</ssl_verification> <cipher_list desc="List of OpenSSL ciphers to accept" type="string" default="ALL:!ADH:!LOW:!EXP:!MD5:@STRENGTH"></cipher_list> <hpkp desc="Enable HTTP Public key pinning" enable="false" report_only="false"> <max_age desc="HPKP's max-age directive - time in seconds browser should remember the pins" enable="true" type="uint" default="1000">1000</max_age> <report_uri desc="HPKP's report-uri directive - pin validation failure are reported at this URL" enable="false" type="string"></report_uri> <pins desc="Base64 encoded SPKI fingerprints of keys to be pinned"> <pin></pin> </pins> </hpkp> <sts desc="Strict-Transport-Security settings, per rfc6797. Subdomains are always included."> <enabled desc="Whether or not Strict-Transport-Security is enabled. Enable only when ready for production. Cannot be disabled without resetting the browsers." type="bool" default="false">false</enabled> <max_age desc="Strict-Transport-Security max-age directive, in seconds. 0 is allowed; please see rfc6797 for details. Defaults to 1 year." type="int" default="31536000">31536000</max_age> </sts> </ssl> <security desc="Altering these defaults potentially opens you to significant risk"> <seccomp desc="Should failure to enable seccomp system call filtering be a fatal error." type="bool" default="true">true</seccomp> <!-- deprecated: If capabilities is 'false', coolwsd will assume mount_namespaces of 'true' to achieve this goal, only avoiding chroot for process isolation if linux namespaces are unavailable --> <capabilities desc="Should we require capabilities to isolate processes into chroot jails" type="bool" default="true">true</capabilities> <jwt_expiry_secs desc="Time in seconds before the Admin Console's JWT token expires" type="int" default="1800">1800</jwt_expiry_secs> <enable_macros_execution desc="Specifies whether the macro execution is enabled in general. This will enable Basic and Python scripts to execute both installed and from documents. If it is set to false, the macro_security_level is ignored. If it is set to true, the mentioned entry specified the level of macro security." type="bool" default="false">false</enable_macros_execution> <macro_security_level desc="Level of Macro security. 1 (Medium) Confirmation required before executing macros from untrusted sources. 0 (Low, not recommended) All macros will be executed without confirmation." type="int" default="1">1</macro_security_level> <enable_websocket_urp desc="Should we enable URP (UNO remote protocol) communication over the websocket. This allows full control of the Kit child server to anyone with access to the websocket including executing macros without confirmation or running arbitrary shell commands in the jail." type="bool" default="false">false</enable_websocket_urp> <enable_metrics_unauthenticated desc="When enabled, the /cool/getMetrics endpoint will not require authentication." type="bool" default="false">false</enable_metrics_unauthenticated> <server_signature desc="Whether to send server signature in HTTP response headers" type="bool" default="false">false</server_signature> </security> <certificates> <database_path type="string" desc="Path to the NSS certificates that are available to all users" default=""></database_path> </certificates> <watermark> <opacity desc="Opacity of on-screen watermark from 0.0 to 1.0" type="double" default="0.2">0.2</opacity> <text desc="Watermark text to be displayed on the document if entered" type="string"></text> </watermark> <user_interface> <mode type="string" desc="Controls the user interface style. The 'default' means: Take the value from ui_defaults, or decide for one of compact or tabbed (default|compact|tabbed)" default="default">default</mode> <use_integration_theme desc="Use theme from the integrator" type="bool" default="true">true</use_integration_theme> <statusbar_save_indicator desc="Show saving status indicator in the statusbar" type="bool" default="true">true</statusbar_save_indicator> </user_interface> <storage desc="Backend storage"> <filesystem allow="false" /> <wopi desc="Allow/deny wopi storage." allow="true"> <max_file_size desc="Maximum document size in bytes to load. 0 for unlimited." type="uint">0</max_file_size> <locking desc="Locking settings"> <refresh desc="How frequently we should re-acquire a lock with the storage server, in seconds (default 15 mins) or 0 for no refresh" type="int" default="900">900</refresh> </locking> <alias_groups desc="default mode is 'first' it allows only the first host when groups are not defined. set mode to 'groups' and define group to allow multiple host and its aliases" mode="groups"> <group>192.168.2.107:8880,localhost:3000,10.1.200.64</group> </alias_groups> <is_legacy_server desc="Set to true for legacy server that need deprecated headers." type="bool" default="false">false</is_legacy_server> </wopi> <ssl desc="SSL settings"> <as_scheme type="bool" default="true" desc="When set we exclusively use the WOPI URI's scheme to enable SSL for storage">true</as_scheme> <enable type="bool" desc="If as_scheme is false or not set, this can be set to force SSL encryption between storage and coolwsd. When empty this defaults to following the ssl.enable setting"></enable> <cert_file_path desc="Path to the cert file. When empty this defaults to following the ssl.cert_file_path setting" type="path" relative="false"></cert_file_path> <key_file_path desc="Path to the key file. When empty this defaults to following the ssl.key_file_path setting" type="path" relative="false"></key_file_path> <ca_file_path desc="Path to the ca file. When empty this defaults to following the ssl.ca_file_path setting" type="path" relative="false"></ca_file_path> <cipher_list desc="List of OpenSSL ciphers to accept. If empty the defaults are used. These can be overridden only if absolutely needed."></cipher_list> </ssl> </storage> <admin_console desc="Web admin console settings."> <enable desc="Enable the admin console functionality" type="bool" default="true">true</enable> <enable_pam desc="Enable admin user authentication with PAM" type="bool" default="false">false</enable_pam> <username desc="The username of the admin console. Ignored if PAM is enabled."></username> <password desc="The password of the admin console. Deprecated on most platforms. Instead, use PAM or coolconfig to set up a secure password."></password> <logging desc="Log admin activities irrespective of logging.level"> <admin_login desc="log when an admin logged into the console" type="bool" default="true">true</admin_login> <metrics_fetch desc="log when metrics endpoint is accessed and metrics endpoint authentication is enabled" type="bool" default="true">true</metrics_fetch> <monitor_connect desc="log when external monitor gets connected" type="bool" default="true">true</monitor_connect> <admin_action desc="log when admin does some action for example killing a process" type="bool" default="true">true</admin_action> </logging> </admin_console> <monitors desc="Addresses of servers we connect to on start for monitoring"> <!-- <monitor desc="Address of the monitor and interval after which it should try reconnecting after disconnect" retryInterval="20">wss://foobar:234/ws</monitor> --> </monitors> <quarantine_files desc="Files are stored here to be examined later in cases of crashes or similar situation." default="false" enable="false"> <limit_dir_size_mb desc="Maximum directory size, in MBs. On exceeding the specified limit, older files will be deleted." default="250" type="uint">250</limit_dir_size_mb> <max_versions_to_maintain desc="How many versions of the same file to keep." default="5" type="uint">5</max_versions_to_maintain> <path desc="Absolute path of the directory under which quarantined files will be stored. Do not use a relative path." type="path" relative="false"></path> <expiry_min desc="Time in mins after quarantined files will be deleted." type="int" default="3000">3000</expiry_min> </quarantine_files> <cache_files desc="Files are cached here to speed up config support."> <path desc="Absolute path of the directory under which cached files will be stored. Do not use a relative path." type="path" relative="false"></path> <expiry_min desc="Time in mins after disuse at which cache files will be deleted." type="int" default="3000">1000</expiry_min> </cache_files> <extra_export_formats desc="Enable various extra export formats for additional compatibility. Note that disabling options here *only* disables them visually: these are all 'safe' to export, it might just be undesirable to show them, so you can't disable exporting these server-side"> <impress_swf desc="Enable exporting Adobe flash .swf files from presentations" type="bool" default="false">false</impress_swf> <impress_bmp desc="Enable exporting .bmp bitmap files from presentation slides" type="bool" default="false">false</impress_bmp> <impress_gif desc="Enable exporting .gif image files from presentation slides" type="bool" default="false">false</impress_gif> <impress_png desc="Enable exporting .png image files from presentation slides" type="bool" default="false">false</impress_png> <impress_svg desc="Enable exporting interactive .svg image files from presentations" type="bool" default="false">false</impress_svg> <impress_tiff desc="Enable exporting .tiff image files from presentation slides" type="bool" default="false">false</impress_tiff> </extra_export_formats> <serverside_config> <idle_timeout_secs desc="The maximum number of seconds before unloading an idle sub forkit. Defaults to 1 hour." type="uint" default="3600">3600</idle_timeout_secs> </serverside_config> <remote_config> <remote_url desc="remote server to which you will send request to get remote config in response" type="string" default=""></remote_url> </remote_config> <stop_on_config_change desc="Stop coolwsd whenever config files change." type="bool" default="false">false</stop_on_config_change> <remote_font_config> <url desc="URL of optional JSON file that lists fonts to be included in Online" type="string" default=""></url> </remote_font_config> <fonts_missing> <handling desc="How to handle fonts missing in a document: 'report', 'log', 'both', or 'ignore'" type="string" default="log">log</handling> </fonts_missing> <indirection_endpoint> <url desc="URL endpoint to server which servers routeToken in json format" type="string" default=""></url> <migration_timeout_secs desc="The maximum number of seconds waiting for shutdown migration message from indirection server before unloading an document. Defaults to 180 second." type="uint" default="180">180</migration_timeout_secs> <geolocation_setup> <enable desc="Enable geolocation_setup when using indirection server with geolocation configuration" type="bool" default="false">false</enable> <timezone desc="IANA timezone of server. For example: Europe/Berlin" type="string"></timezone> <allowed_websocket_origins desc="Origin header to get accepted during websocket upgrade"> <!-- <origin></origin> --> </allowed_websocket_origins> </geolocation_setup> <server_name desc="server name to show in cluster overview admin panel" type="string" default=""></server_name> </indirection_endpoint> <home_mode> <enable desc="Home users can enable this setting, which in turn disables welcome screen and user feedback popups, but also limits concurrent open connections to 20 and concurrent open documents to 10. The default means that number of concurrent open connections and concurrent open documents are unlimited, but welcome screen and user feedback cannot be switched off." type="bool" default="false">false</enable> </home_mode> <zotero desc="Zotero plugin configuration. For more details about Zotero visit https://www.zotero.org/"> <enable desc="Enable Zotero plugin." type="bool" default="true">true</enable> </zotero> <help_url desc="The Help root URL, or empty for no help (hides the Help buttons)" type="string" default="https://help.collaboraoffice.com/help.html?">https://help.collaboraoffice.com/help.html?</help_url> <overwrite_mode> <enable desc="Enable overwrite mode (user can use insert key)" type="bool" default="false">false</enable> </overwrite_mode> <wasm desc="WASM-specific settings"> <enable desc="Enable WASM support" type="bool" default="false">false</enable> <force desc="When enabled, all requests are redirected to WASM." type="bool" default="false">false</force> </wasm> <document_signing desc="Document signing settings"> <enable desc="Enable document signing" type="bool" default="true">true</enable> </document_signing> </config> 这是我的coolwsd.xml 这样可以吗
最新发布
11-07
评论
成就一亿技术人!
拼手气红包6.0元
还能输入1000个字符
 
红包 添加红包
表情包 插入表情
 条评论被折叠 查看
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值