@nocobase/database 1.9.0-beta.7 → 1.9.0-beta.9

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -88,6 +88,13 @@ export declare class Collection<TModelAttributes extends {} = any, TCreationAttr
88
88
  get db(): Database;
89
89
  get treeParentField(): BelongsToField | null;
90
90
  get treeChildrenField(): HasManyField | null;
91
+ validate(options: {
92
+ values: Record<string, any> | Record<string, any>[];
93
+ operation: 'create' | 'update';
94
+ context: {
95
+ t: Function;
96
+ };
97
+ }): void;
91
98
  isMultiFilterTargetKey(): boolean;
92
99
  tableName(): any;
93
100
  /**
package/lib/collection.js CHANGED
@@ -53,9 +53,11 @@ var import_events = require("events");
53
53
  var import_lodash = __toESM(require("lodash"));
54
54
  var import_safe_json_stringify = __toESM(require("safe-json-stringify"));
55
55
  var import_sequelize = require("sequelize");
56
+ var import_fields = require("./fields");
56
57
  var import_model = require("./model");
57
58
  var import_repository = require("./repository");
58
59
  var import_utils = require("./utils");
60
+ var import_field_validation = require("./utils/field-validation");
59
61
  function EnsureAtomicity(target, propertyKey, descriptor) {
60
62
  const originalMethod = descriptor.value;
61
63
  descriptor.value = function(...args) {
@@ -152,6 +154,71 @@ const _Collection = class _Collection extends import_events.EventEmitter {
152
154
  }
153
155
  }
154
156
  }
157
+ validate(options) {
158
+ const { values: updateValues, context, operation } = options;
159
+ if (!updateValues) {
160
+ return;
161
+ }
162
+ const values = Array.isArray(updateValues) ? updateValues : [updateValues];
163
+ const { t } = context || { t: /* @__PURE__ */ __name((key, options2) => key, "t") };
164
+ const unwrapTplLabel = /* @__PURE__ */ __name((label) => {
165
+ if (typeof label !== "string") return label;
166
+ const m = label.match(/^[\s\t]*\{\{\s*t\(\s*(['"])(.*?)\1(?:\s*,[\s\S]*)?\)\s*\}\}[\s\t]*$/);
167
+ return m ? m[2] : label;
168
+ }, "unwrapTplLabel");
169
+ const helper = /* @__PURE__ */ __name((field, value) => {
170
+ var _a, _b, _c;
171
+ const val = value[field.name];
172
+ if (!field.options.validation) {
173
+ return;
174
+ }
175
+ const fieldLabel = unwrapTplLabel(((_a = field.options.uiSchema) == null ? void 0 : _a.title) || field.name);
176
+ if (field instanceof import_fields.RelationField) {
177
+ if ((_b = field.options) == null ? void 0 : _b.validation.rules) {
178
+ const isRequired = (_c = field.options) == null ? void 0 : _c.validation.rules.some((rule) => rule.name === "required");
179
+ if (isRequired && !val) {
180
+ throw new Error(
181
+ t("{{#label}} is required", {
182
+ ns: "client",
183
+ "#label": `${t("Collection", { ns: "client" })}: ${this.name}, ${t("Field", { ns: "client" })}: ${t(
184
+ fieldLabel,
185
+ { ns: "client" }
186
+ )}`
187
+ })
188
+ );
189
+ }
190
+ }
191
+ return;
192
+ }
193
+ const joiSchema = (0, import_field_validation.buildJoiSchema)(field.options.validation, {
194
+ label: `${t("Collection", { ns: "client" })}: ${this.name}, ${t("Field", { ns: "client" })}: ${t(fieldLabel, {
195
+ ns: "client"
196
+ })}`,
197
+ value: val
198
+ });
199
+ const { error } = joiSchema.validate(val, {
200
+ messages: (0, import_field_validation.getJoiErrorMessage)(t)
201
+ });
202
+ if (error) {
203
+ throw error;
204
+ }
205
+ }, "helper");
206
+ for (const value of values) {
207
+ if (operation === "create") {
208
+ for (const [, field] of this.fields) {
209
+ helper(field, value);
210
+ }
211
+ }
212
+ if (operation === "update") {
213
+ for (const key of Object.keys(value)) {
214
+ const field = this.getField(key);
215
+ if (field) {
216
+ helper(field, value);
217
+ }
218
+ }
219
+ }
220
+ }
221
+ }
155
222
  isMultiFilterTargetKey() {
156
223
  return Array.isArray(this.filterTargetKey) && this.filterTargetKey.length > 1;
157
224
  }
package/lib/database.d.ts CHANGED
@@ -118,7 +118,7 @@ export declare class Database extends EventEmitter implements AsyncEmitter {
118
118
  /**
119
119
  * @internal
120
120
  */
121
- sequelizeOptions(options: any): IDatabaseOptions;
121
+ sequelizeOptions(options: DatabaseOptions): IDatabaseOptions;
122
122
  /**
123
123
  * @internal
124
124
  */
@@ -128,6 +128,7 @@ export declare class Database extends EventEmitter implements AsyncEmitter {
128
128
  inDialect(...dialect: string[]): boolean;
129
129
  isMySQLCompatibleDialect(): boolean;
130
130
  isPostgresCompatibleDialect(): boolean;
131
+ wrapSequelizeRunForMySQL(): void;
131
132
  /**
132
133
  * Add collection to database
133
134
  * @param options
package/lib/database.js CHANGED
@@ -176,6 +176,9 @@ const _Database = class _Database extends import_events.EventEmitter {
176
176
  );
177
177
  const sequelizeOptions = this.sequelizeOptions(this.options);
178
178
  this.sequelize = new import_sequelize.Sequelize(sequelizeOptions);
179
+ if (options.dialect === "mysql") {
180
+ this.wrapSequelizeRunForMySQL();
181
+ }
179
182
  this.queryInterface = (0, import_query_interface_builder.default)(this);
180
183
  this.collections = /* @__PURE__ */ new Map();
181
184
  this.modelHook = new import_model_hook.ModelHook(this);
@@ -397,6 +400,30 @@ const _Database = class _Database extends import_events.EventEmitter {
397
400
  isPostgresCompatibleDialect() {
398
401
  return this.inDialect("postgres");
399
402
  }
403
+ /*
404
+ * https://github.com/sidorares/node-mysql2/issues/1239#issuecomment-766867699
405
+ * https://github.com/sidorares/node-mysql2/pull/1407#issuecomment-1325789581
406
+ * > I'm starting to think simple "always send (parameter.toString()) as VAR_STRING" unless the type is explicitly specified by user" might be actually the best behaviour
407
+ */
408
+ wrapSequelizeRunForMySQL() {
409
+ const that = this;
410
+ const run = this.sequelize.dialect.Query.prototype.run;
411
+ this.sequelize.dialect.Query.prototype.run = function(sql, parameters) {
412
+ if (!/^update\s+/i.test(sql.trim()) || !(parameters == null ? void 0 : parameters.length)) {
413
+ return run.apply(this, [sql, parameters]);
414
+ }
415
+ try {
416
+ parameters.forEach((p, index) => {
417
+ if (typeof p === "number") {
418
+ parameters[index] = p.toString();
419
+ }
420
+ });
421
+ } catch (err) {
422
+ that.logger.error(err);
423
+ }
424
+ return run.apply(this, [sql, parameters]);
425
+ };
426
+ }
400
427
  /**
401
428
  * Add collection to database
402
429
  * @param options
@@ -611,8 +638,8 @@ const _Database = class _Database extends import_events.EventEmitter {
611
638
  }
612
639
  /* istanbul ignore next -- @preserve */
613
640
  async auth(options = {}) {
614
- const { retry = 9, ...others } = options;
615
- const startingDelay = 50;
641
+ const { retry = 10, ...others } = options;
642
+ const startingDelay = 1e3;
616
643
  const timeMultiple = 2;
617
644
  let attemptNumber = 1;
618
645
  const authenticate = /* @__PURE__ */ __name(async () => {
@@ -635,7 +662,8 @@ const _Database = class _Database extends import_events.EventEmitter {
635
662
  await (0, import_exponential_backoff.backOff)(authenticate, {
636
663
  numOfAttempts: retry,
637
664
  startingDelay,
638
- timeMultiple
665
+ timeMultiple,
666
+ maxDelay: 30 * 1e3
639
667
  });
640
668
  } catch (error) {
641
669
  throw new Error(`Unable to connect to the database`, { cause: error });
@@ -7,6 +7,7 @@
7
7
  * For more information, please refer to: https://www.nocobase.com/agreement.
8
8
  */
9
9
  import { BaseDialect } from './base-dialect';
10
+ import { DatabaseOptions } from '../database';
10
11
  export declare class MysqlDialect extends BaseDialect {
11
12
  static dialectName: string;
12
13
  getVersionGuard(): {
@@ -14,5 +15,5 @@ export declare class MysqlDialect extends BaseDialect {
14
15
  get: (v: string) => string;
15
16
  version: string;
16
17
  };
17
- getSequelizeOptions(options: any): any;
18
+ getSequelizeOptions(options: DatabaseOptions): import("../database").IDatabaseOptions;
18
19
  }
@@ -32,7 +32,6 @@ __export(mysql_dialect_exports, {
32
32
  MysqlDialect: () => MysqlDialect
33
33
  });
34
34
  module.exports = __toCommonJS(mysql_dialect_exports);
35
- var import_utils = require("@nocobase/utils");
36
35
  var import_base_dialect = require("./base-dialect");
37
36
  const _MysqlDialect = class _MysqlDialect extends import_base_dialect.BaseDialect {
38
37
  getVersionGuard() {
@@ -46,7 +45,11 @@ const _MysqlDialect = class _MysqlDialect extends import_base_dialect.BaseDialec
46
45
  };
47
46
  }
48
47
  getSequelizeOptions(options) {
49
- import_utils.lodash.set(options, "dialectOptions.multipleStatements", true);
48
+ const dialectOptions = {
49
+ ...options.dialectOptions || {},
50
+ multipleStatements: true
51
+ };
52
+ options.dialectOptions = dialectOptions;
50
53
  return options;
51
54
  }
52
55
  };
@@ -10,17 +10,39 @@ import { DataType, ModelAttributeColumnOptions, ModelIndexesOptions, SyncOptions
10
10
  import { Collection } from '../collection';
11
11
  import { Database } from '../database';
12
12
  import { ModelEventTypes } from '../types';
13
+ import { BasicType, BooleanSchema, NumberSchema, ObjectSchema, StringSchema } from 'joi';
13
14
  export interface FieldContext {
14
15
  database: Database;
15
16
  collection: Collection;
16
17
  }
17
- export interface BaseFieldOptions {
18
+ type RuleSchemaMap = {
19
+ string: StringSchema;
20
+ boolean: BooleanSchema;
21
+ number: NumberSchema;
22
+ object: ObjectSchema;
23
+ };
24
+ export type FieldValidationRuleName<T extends BasicType> = T extends keyof RuleSchemaMap ? keyof RuleSchemaMap[T] : never;
25
+ export interface FieldValidationRule<T extends BasicType> {
26
+ key: string;
27
+ name: FieldValidationRuleName<T>;
28
+ args?: {
29
+ [key: string]: any;
30
+ };
31
+ paramsType?: 'object';
32
+ }
33
+ export interface ValidationOptions<T extends BasicType = BasicType> {
34
+ type: T;
35
+ rules: FieldValidationRule<T>[];
36
+ [key: string]: any;
37
+ }
38
+ export interface BaseFieldOptions<T extends BasicType = BasicType> {
18
39
  name?: string;
19
40
  hidden?: boolean;
20
41
  translation?: boolean;
42
+ validation?: ValidationOptions<T>;
21
43
  [key: string]: any;
22
44
  }
23
- export interface BaseColumnFieldOptions extends BaseFieldOptions, Omit<ModelAttributeColumnOptions, 'type'> {
45
+ export interface BaseColumnFieldOptions<T extends BasicType = BasicType> extends BaseFieldOptions<T>, Omit<ModelAttributeColumnOptions, 'type'> {
24
46
  dataType?: DataType;
25
47
  index?: boolean | ModelIndexesOptions;
26
48
  }
@@ -50,3 +72,4 @@ export declare abstract class Field {
50
72
  additionalSequelizeOptions(): {};
51
73
  typeToString(): any;
52
74
  }
75
+ export {};
@@ -32,6 +32,7 @@ import { UnixTimestampFieldOptions } from './unix-timestamp-field';
32
32
  import { DateOnlyFieldOptions } from './date-only-field';
33
33
  import { DatetimeNoTzFieldOptions } from './datetime-no-tz-field';
34
34
  import { DatetimeTzFieldOptions } from './datetime-tz-field';
35
+ import { SnowflakeIdFieldOptions } from './snowflake-id-field';
35
36
  export * from './array-field';
36
37
  export * from './belongs-to-field';
37
38
  export * from './belongs-to-many-field';
@@ -60,4 +61,5 @@ export * from './virtual-field';
60
61
  export * from './nanoid-field';
61
62
  export * from './encryption-field';
62
63
  export * from './unix-timestamp-field';
63
- export type FieldOptions = BaseFieldOptions | StringFieldOptions | IntegerFieldOptions | FloatFieldOptions | DecimalFieldOptions | DoubleFieldOptions | RealFieldOptions | JsonFieldOptions | JsonbFieldOptions | BooleanFieldOptions | RadioFieldOptions | TextFieldOptions | VirtualFieldOptions | ArrayFieldOptions | SetFieldOptions | TimeFieldOptions | DateFieldOptions | DatetimeTzFieldOptions | DatetimeNoTzFieldOptions | DateOnlyFieldOptions | UnixTimestampFieldOptions | UidFieldOptions | UUIDFieldOptions | NanoidFieldOptions | PasswordFieldOptions | ContextFieldOptions | BelongsToFieldOptions | HasOneFieldOptions | HasManyFieldOptions | BelongsToManyFieldOptions | EncryptionField;
64
+ export * from './snowflake-id-field';
65
+ export type FieldOptions = BaseFieldOptions | StringFieldOptions | IntegerFieldOptions | FloatFieldOptions | DecimalFieldOptions | DoubleFieldOptions | RealFieldOptions | JsonFieldOptions | JsonbFieldOptions | BooleanFieldOptions | RadioFieldOptions | TextFieldOptions | VirtualFieldOptions | ArrayFieldOptions | SetFieldOptions | TimeFieldOptions | DateFieldOptions | DatetimeTzFieldOptions | DatetimeNoTzFieldOptions | DateOnlyFieldOptions | UnixTimestampFieldOptions | UidFieldOptions | UUIDFieldOptions | NanoidFieldOptions | PasswordFieldOptions | ContextFieldOptions | BelongsToFieldOptions | HasOneFieldOptions | HasManyFieldOptions | BelongsToManyFieldOptions | EncryptionField | SnowflakeIdFieldOptions;
@@ -51,6 +51,7 @@ __reExport(fields_exports, require("./virtual-field"), module.exports);
51
51
  __reExport(fields_exports, require("./nanoid-field"), module.exports);
52
52
  __reExport(fields_exports, require("./encryption-field"), module.exports);
53
53
  __reExport(fields_exports, require("./unix-timestamp-field"), module.exports);
54
+ __reExport(fields_exports, require("./snowflake-id-field"), module.exports);
54
55
  // Annotate the CommonJS export names for ESM import in node:
55
56
  0 && (module.exports = {
56
57
  ...require("./array-field"),
@@ -80,5 +81,6 @@ __reExport(fields_exports, require("./unix-timestamp-field"), module.exports);
80
81
  ...require("./virtual-field"),
81
82
  ...require("./nanoid-field"),
82
83
  ...require("./encryption-field"),
83
- ...require("./unix-timestamp-field")
84
+ ...require("./unix-timestamp-field"),
85
+ ...require("./snowflake-id-field")
84
86
  });
@@ -13,7 +13,7 @@ export declare abstract class NumberField extends Field {
13
13
  export declare class IntegerField extends NumberField {
14
14
  get dataType(): DataTypes.IntegerDataTypeConstructor;
15
15
  }
16
- export interface IntegerFieldOptions extends BaseColumnFieldOptions {
16
+ export interface IntegerFieldOptions extends BaseColumnFieldOptions<'number'> {
17
17
  type: 'integer';
18
18
  }
19
19
  export declare class BigIntField extends NumberField {
@@ -0,0 +1,29 @@
1
+ /**
2
+ * This file is part of the NocoBase (R) project.
3
+ * Copyright (c) 2020-2024 NocoBase Co., Ltd.
4
+ * Authors: NocoBase Team.
5
+ *
6
+ * This project is dual-licensed under AGPL-3.0 and NocoBase Commercial License.
7
+ * For more information, please refer to: https://www.nocobase.com/agreement.
8
+ */
9
+ import { DataTypes } from 'sequelize';
10
+ import { BaseColumnFieldOptions, Field } from './field';
11
+ interface Application {
12
+ snowflakeIdGenerator: {
13
+ generate(): number | BigInt;
14
+ };
15
+ }
16
+ export declare class SnowflakeIdField extends Field {
17
+ private static app;
18
+ static setApp(app: Application): void;
19
+ get dataType(): DataTypes.BigIntDataTypeConstructor;
20
+ private setId;
21
+ init(): void;
22
+ bind(): void;
23
+ unbind(): void;
24
+ }
25
+ export interface SnowflakeIdFieldOptions extends BaseColumnFieldOptions {
26
+ type: 'snowflakeId';
27
+ epoch?: number;
28
+ }
29
+ export {};
@@ -0,0 +1,79 @@
1
+ /**
2
+ * This file is part of the NocoBase (R) project.
3
+ * Copyright (c) 2020-2024 NocoBase Co., Ltd.
4
+ * Authors: NocoBase Team.
5
+ *
6
+ * This project is dual-licensed under AGPL-3.0 and NocoBase Commercial License.
7
+ * For more information, please refer to: https://www.nocobase.com/agreement.
8
+ */
9
+
10
+ var __defProp = Object.defineProperty;
11
+ var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
12
+ var __getOwnPropNames = Object.getOwnPropertyNames;
13
+ var __hasOwnProp = Object.prototype.hasOwnProperty;
14
+ var __defNormalProp = (obj, key, value) => key in obj ? __defProp(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;
15
+ var __name = (target, value) => __defProp(target, "name", { value, configurable: true });
16
+ var __export = (target, all) => {
17
+ for (var name in all)
18
+ __defProp(target, name, { get: all[name], enumerable: true });
19
+ };
20
+ var __copyProps = (to, from, except, desc) => {
21
+ if (from && typeof from === "object" || typeof from === "function") {
22
+ for (let key of __getOwnPropNames(from))
23
+ if (!__hasOwnProp.call(to, key) && key !== except)
24
+ __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
25
+ }
26
+ return to;
27
+ };
28
+ var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
29
+ var __publicField = (obj, key, value) => __defNormalProp(obj, typeof key !== "symbol" ? key + "" : key, value);
30
+ var snowflake_id_field_exports = {};
31
+ __export(snowflake_id_field_exports, {
32
+ SnowflakeIdField: () => SnowflakeIdField
33
+ });
34
+ module.exports = __toCommonJS(snowflake_id_field_exports);
35
+ var import_sequelize = require("sequelize");
36
+ var import_field = require("./field");
37
+ const _SnowflakeIdField = class _SnowflakeIdField extends import_field.Field {
38
+ static setApp(app) {
39
+ this.app = app;
40
+ }
41
+ get dataType() {
42
+ return import_sequelize.DataTypes.BIGINT;
43
+ }
44
+ setId(name, instance) {
45
+ const value = instance.get(name);
46
+ if (!value) {
47
+ const generator = this.constructor.app.snowflakeIdGenerator;
48
+ instance.set(name, generator.generate());
49
+ }
50
+ }
51
+ init() {
52
+ const { name } = this.options;
53
+ this.listener = (instance) => this.setId(name, instance);
54
+ this.bulkListener = async (instances) => {
55
+ for (const instance of instances) {
56
+ this.setId(name, instance);
57
+ }
58
+ };
59
+ }
60
+ bind() {
61
+ super.bind();
62
+ this.on("beforeValidate", this.listener);
63
+ this.on("beforeSave", this.listener);
64
+ this.on("beforeBulkCreate", this.bulkListener);
65
+ }
66
+ unbind() {
67
+ super.unbind();
68
+ this.off("beforeValidate", this.listener);
69
+ this.off("beforeSave", this.listener);
70
+ this.off("beforeBulkCreate", this.bulkListener);
71
+ }
72
+ };
73
+ __name(_SnowflakeIdField, "SnowflakeIdField");
74
+ __publicField(_SnowflakeIdField, "app");
75
+ let SnowflakeIdField = _SnowflakeIdField;
76
+ // Annotate the CommonJS export names for ESM import in node:
77
+ 0 && (module.exports = {
78
+ SnowflakeIdField
79
+ });
@@ -14,7 +14,7 @@ export declare class StringField extends Field {
14
14
  set(value: any): void;
15
15
  };
16
16
  }
17
- export interface StringFieldOptions extends BaseColumnFieldOptions {
17
+ export interface StringFieldOptions extends BaseColumnFieldOptions<'string'> {
18
18
  type: 'string';
19
19
  length?: number;
20
20
  trim?: boolean;
@@ -43,6 +43,7 @@ module.exports = __toCommonJS(inherited_sync_runner_exports);
43
43
  var import_lodash = __toESM(require("lodash"));
44
44
  const _InheritedSyncRunner = class _InheritedSyncRunner {
45
45
  static async syncInheritModel(model, options) {
46
+ var _a;
46
47
  const { transaction } = options;
47
48
  options.hooks = options.hooks === void 0 ? true : !!options.hooks;
48
49
  const inheritedCollection = model.collection;
@@ -77,6 +78,10 @@ const _InheritedSyncRunner = class _InheritedSyncRunner {
77
78
  let maxSequenceName;
78
79
  if (childAttributes.id && childAttributes.id.autoIncrement) {
79
80
  for (const parent of parents) {
81
+ const parentIdField = parent.getField("id");
82
+ if (!((_a = parentIdField == null ? void 0 : parentIdField.options) == null ? void 0 : _a.autoIncrement)) {
83
+ continue;
84
+ }
80
85
  const sequenceNameResult = await queryInterface.sequelize.query(
81
86
  `SELECT column_default
82
87
  FROM information_schema.columns
@@ -86,6 +86,11 @@ const _BelongsToManyRepository = class _BelongsToManyRepository extends import_m
86
86
  through: values[this.throughName()],
87
87
  transaction: transaction2
88
88
  };
89
+ this.collection.validate({
90
+ values,
91
+ operation: "create",
92
+ context: options.context
93
+ });
89
94
  const instance = await sourceModel[createAccessor](values, createOptions);
90
95
  await (0, import_update_associations.updateAssociations)(instance, values, { ...options, transaction: transaction2 });
91
96
  return instance;
@@ -178,6 +178,7 @@ const _RelationRepository = class _RelationRepository {
178
178
  const values = options.values;
179
179
  const transaction2 = await this.getTransaction(options);
180
180
  const sourceModel = await this.getSourceModel(transaction2);
181
+ this.collection.validate({ values, context: options.context, operation: "create" });
181
182
  const instance = await sourceModel[createAccessor](guard.sanitize(options.values), { ...options, transaction: transaction2 });
182
183
  await (0, import_update_associations.updateAssociations)(instance, values, { ...options, transaction: transaction2 });
183
184
  if (options.hooks !== false) {
@@ -209,6 +209,7 @@ export declare class Repository<TModelAttributes extends {} = any, TCreationAttr
209
209
  */
210
210
  firstOrCreate(options: FirstOrCreateOptions): Promise<any>;
211
211
  updateOrCreate(options: FirstOrCreateOptions): Promise<any>;
212
+ private validate;
212
213
  /**
213
214
  * Save instance to database
214
215
  *
package/lib/repository.js CHANGED
@@ -436,6 +436,9 @@ const _Repository = class _Repository {
436
436
  }
437
437
  return this.create({ values, transaction: transaction2, context, ...rest });
438
438
  }
439
+ validate(options) {
440
+ this.collection.validate(options);
441
+ }
439
442
  async create(options) {
440
443
  if (Array.isArray(options.values)) {
441
444
  return this.createMany({
@@ -450,6 +453,7 @@ const _Repository = class _Repository {
450
453
  underscored: this.collection.options.underscored
451
454
  });
452
455
  const values = this.model.callSetters(guard.sanitize(options.values || {}), options);
456
+ this.validate({ values, context: options.context, operation: "create" });
453
457
  const instance = await this.model.create(values, {
454
458
  ...options,
455
459
  transaction: transaction2
@@ -494,6 +498,7 @@ const _Repository = class _Repository {
494
498
  const transaction2 = await this.getTransaction(options);
495
499
  const guard = import_update_guard.UpdateGuard.fromOptions(this.model, { ...options, underscored: this.collection.options.underscored });
496
500
  const values = this.model.callSetters(guard.sanitize(options.values || {}), options);
501
+ this.validate({ values, context: options.context, operation: "update" });
497
502
  if (options.individualHooks === false) {
498
503
  const { model: Model2 } = this.collection;
499
504
  const primaryKeyField = Model2.primaryKeyField || Model2.primaryKeyAttribute;
@@ -79,6 +79,11 @@ async function updateModelByValues(instance, values, options) {
79
79
  guard.setAssociationKeysToBeUpdate(options.updateAssociationValues);
80
80
  values = guard.sanitize(values);
81
81
  }
82
+ instance.constructor.collection.validate({
83
+ values,
84
+ operation: "update",
85
+ context: options == null ? void 0 : options.context
86
+ });
82
87
  await instance.update(values, options);
83
88
  await updateAssociations(instance, values, options);
84
89
  }
@@ -266,6 +271,11 @@ async function updateSingleAssociation(model, key, value, options = {}) {
266
271
  return true;
267
272
  }
268
273
  }
274
+ association.target.collection.validate({
275
+ values: value,
276
+ context: options.context,
277
+ operation: "create"
278
+ });
269
279
  const instance = await model[createAccessor](value, { context, transaction });
270
280
  await updateAssociations(instance, value, {
271
281
  ...options,
@@ -356,6 +366,11 @@ async function updateMultipleAssociation(model, key, value, options = {}) {
356
366
  throw new Error(`${targetKey} field value is empty`);
357
367
  }
358
368
  if ((0, import_utils.isUndefinedOrNull)(item[targetKey])) {
369
+ association.target.collection.validate({
370
+ values: item,
371
+ context: options.context,
372
+ operation: "create"
373
+ });
359
374
  const instance = await model[createAccessor](item, accessorOptions);
360
375
  await updateAssociations(instance, item, {
361
376
  ...options,
@@ -373,6 +388,11 @@ async function updateMultipleAssociation(model, key, value, options = {}) {
373
388
  transaction
374
389
  });
375
390
  if (!instance) {
391
+ association.target.collection.validate({
392
+ values: item,
393
+ context: options.context,
394
+ operation: "create"
395
+ });
376
396
  instance = await model[createAccessor](item, accessorOptions);
377
397
  await updateAssociations(instance, item, {
378
398
  ...options,
@@ -392,6 +412,11 @@ async function updateMultipleAssociation(model, key, value, options = {}) {
392
412
  if (association.associationType === "HasMany") {
393
413
  delete item[association.foreignKey];
394
414
  }
415
+ association.target.collection.validate({
416
+ values: item,
417
+ context: options.context,
418
+ operation: "update"
419
+ });
395
420
  await instance.update(item, { ...options, transaction });
396
421
  }
397
422
  await updateAssociations(instance, item, {
@@ -0,0 +1,59 @@
1
+ /**
2
+ * This file is part of the NocoBase (R) project.
3
+ * Copyright (c) 2020-2024 NocoBase Co., Ltd.
4
+ * Authors: NocoBase Team.
5
+ *
6
+ * This project is dual-licensed under AGPL-3.0 and NocoBase Commercial License.
7
+ * For more information, please refer to: https://www.nocobase.com/agreement.
8
+ */
9
+ import { AnySchema } from 'joi';
10
+ import { ValidationOptions } from '../fields';
11
+ export declare function buildJoiSchema(validation: ValidationOptions, options: {
12
+ label?: string;
13
+ value: string;
14
+ }): AnySchema;
15
+ export declare function getJoiErrorMessage(t: Function): {
16
+ 'string.base': any;
17
+ 'string.empty': any;
18
+ 'string.min': any;
19
+ 'string.max': any;
20
+ 'string.length': any;
21
+ 'string.alphanum': any;
22
+ 'string.token': any;
23
+ 'string.regex': any;
24
+ 'string.email': any;
25
+ 'string.uri': any;
26
+ 'string.uriCustomScheme': any;
27
+ 'string.isoDate': any;
28
+ 'string.guid': any;
29
+ 'string.hex': any;
30
+ 'string.hostname': any;
31
+ 'string.lowercase': any;
32
+ 'string.uppercase': any;
33
+ 'string.trim': any;
34
+ 'string.creditCard': any;
35
+ 'string.pattern.base': any;
36
+ 'string.pattern.name': any;
37
+ 'string.pattern.invert.base': any;
38
+ 'string.pattern.invert.name': any;
39
+ 'any.required': any;
40
+ 'number.base': any;
41
+ 'number.min': any;
42
+ 'number.max': any;
43
+ 'number.less': any;
44
+ 'number.greater': any;
45
+ 'number.float': any;
46
+ 'number.integer': any;
47
+ 'number.negative': any;
48
+ 'number.positive': any;
49
+ 'number.precision': any;
50
+ 'number.multiple': any;
51
+ 'number.port': any;
52
+ 'number.unsafe': any;
53
+ 'date.base': any;
54
+ 'date.format': any;
55
+ 'date.greater': any;
56
+ 'date.less': any;
57
+ 'date.max': any;
58
+ 'date.min': any;
59
+ };
@@ -0,0 +1,143 @@
1
+ /**
2
+ * This file is part of the NocoBase (R) project.
3
+ * Copyright (c) 2020-2024 NocoBase Co., Ltd.
4
+ * Authors: NocoBase Team.
5
+ *
6
+ * This project is dual-licensed under AGPL-3.0 and NocoBase Commercial License.
7
+ * For more information, please refer to: https://www.nocobase.com/agreement.
8
+ */
9
+
10
+ var __create = Object.create;
11
+ var __defProp = Object.defineProperty;
12
+ var __getOwnPropDesc = Object.getOwnPropertyDescriptor;
13
+ var __getOwnPropNames = Object.getOwnPropertyNames;
14
+ var __getProtoOf = Object.getPrototypeOf;
15
+ var __hasOwnProp = Object.prototype.hasOwnProperty;
16
+ var __name = (target, value) => __defProp(target, "name", { value, configurable: true });
17
+ var __export = (target, all) => {
18
+ for (var name in all)
19
+ __defProp(target, name, { get: all[name], enumerable: true });
20
+ };
21
+ var __copyProps = (to, from, except, desc) => {
22
+ if (from && typeof from === "object" || typeof from === "function") {
23
+ for (let key of __getOwnPropNames(from))
24
+ if (!__hasOwnProp.call(to, key) && key !== except)
25
+ __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable });
26
+ }
27
+ return to;
28
+ };
29
+ var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps(
30
+ // If the importer is in node compatibility mode or this is not an ESM
31
+ // file that has been converted to a CommonJS file using a Babel-
32
+ // compatible transform (i.e. "__esModule" has not been set), then set
33
+ // "default" to the CommonJS "module.exports" for node compatibility.
34
+ isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target,
35
+ mod
36
+ ));
37
+ var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod);
38
+ var field_validation_exports = {};
39
+ __export(field_validation_exports, {
40
+ buildJoiSchema: () => buildJoiSchema,
41
+ getJoiErrorMessage: () => getJoiErrorMessage
42
+ });
43
+ module.exports = __toCommonJS(field_validation_exports);
44
+ var import_joi = __toESM(require("joi"));
45
+ var import_lodash = __toESM(require("lodash"));
46
+ function buildJoiSchema(validation, options) {
47
+ const { type, rules } = validation;
48
+ const { label, value } = options;
49
+ if (!type || typeof type !== "string" || !(type in import_joi.default)) {
50
+ throw new Error(`Invalid validation type: "${type}". Type must be a valid Joi schema type.`);
51
+ }
52
+ let schema = import_joi.default[type]();
53
+ const isRequired = rules.some((rule) => rule.name === "required");
54
+ if (isRequired) {
55
+ schema = schema.empty(null);
56
+ } else {
57
+ schema = schema.allow(null, "");
58
+ if ([null, ""].includes(value)) return schema;
59
+ }
60
+ if (rules) {
61
+ rules.forEach((rule) => {
62
+ if (!import_lodash.default.isEmpty(rule.args)) {
63
+ if (rule.name === "pattern" && !import_lodash.default.isRegExp(rule.args.regex)) {
64
+ const lastSlash = rule.args.regex.lastIndexOf("/");
65
+ const isRegExpStr = rule.args.regex.startsWith("/") && lastSlash > 0;
66
+ if (isRegExpStr) {
67
+ rule.args.regex = rule.args.regex.slice(1, lastSlash);
68
+ }
69
+ rule.args.regex = new RegExp(rule.args.regex);
70
+ }
71
+ schema = rule.paramsType === "object" ? schema[rule.name](rule.args) : schema[rule.name](...Object.values(rule.args));
72
+ } else {
73
+ schema = schema[rule.name]();
74
+ }
75
+ });
76
+ }
77
+ if (label) {
78
+ schema = schema.label(label);
79
+ }
80
+ return schema;
81
+ }
82
+ __name(buildJoiSchema, "buildJoiSchema");
83
+ function getJoiErrorMessage(t) {
84
+ const tOptions = { ns: "client" };
85
+ const JoiErrorMessages = {
86
+ "string.base": t("{{#label}} must be a string", tOptions),
87
+ "string.empty": t("{{#label}} is not allowed to be empty", tOptions),
88
+ "string.min": t("{{#label}} length must be at least {{#limit}} characters long", tOptions),
89
+ "string.max": t("{{#label}} length must be less than or equal to {{#limit}} characters long", tOptions),
90
+ "string.length": t("{{#label}} length must be {{#limit}} characters long", tOptions),
91
+ "string.alphanum": t("{{#label}} must only contain alpha-numeric characters", tOptions),
92
+ "string.token": t("{{#label}} must only contain alpha-numeric and underscore characters", tOptions),
93
+ "string.regex": t("{{#label}} with value {{#value}} fails to match the required pattern", tOptions),
94
+ "string.email": t("{{#label}} email address doesn\u2019t meet the required format", tOptions),
95
+ "string.uri": t("{{#label}} must be a valid uri", tOptions),
96
+ "string.uriCustomScheme": t(
97
+ "{{#label}} must be a valid uri with a scheme matching the {{#scheme}} pattern",
98
+ tOptions
99
+ ),
100
+ "string.isoDate": t("{{#label}} must be a valid ISO 8601 date", tOptions),
101
+ "string.guid": t("{{#label}} must be a valid UUID", tOptions),
102
+ "string.hex": t("{{#label}} must only contain hexadecimal characters", tOptions),
103
+ "string.hostname": t("{{#label}} must be a valid hostname", tOptions),
104
+ "string.lowercase": t("{{#label}} must only contain lowercase characters", tOptions),
105
+ "string.uppercase": t("{{#label}} must only contain uppercase characters", tOptions),
106
+ "string.trim": t("{{#label}} must not have leading or trailing whitespace", tOptions),
107
+ "string.creditCard": t("{{#label}} must be a credit card", tOptions),
108
+ "string.pattern.base": t('{{#label}} with value "{{#value}}" fails to match the required pattern', tOptions),
109
+ "string.pattern.name": t('{{#label}} with value "{{#value}}" fails to match the {{#name}} pattern', tOptions),
110
+ "string.pattern.invert.base": t('{{#label}} with value "{{#value}}" matches the inverted pattern', tOptions),
111
+ "string.pattern.invert.name": t(
112
+ '{{#label}} with value "{{#value}}" matches the inverted {{#name}} pattern',
113
+ tOptions
114
+ ),
115
+ "any.required": t("{{#label}} is required", tOptions),
116
+ "number.base": t("{{#label}} must be a number", tOptions),
117
+ "number.min": t("{{#label}} must be greater than or equal to {{#limit}}", tOptions),
118
+ "number.max": t("{{#label}} must be less than or equal to {{#limit}}", tOptions),
119
+ "number.less": t("{{#label}} must be less than {{#limit}}", tOptions),
120
+ "number.greater": t("{{#label}} must be greater than {{#limit}}", tOptions),
121
+ "number.float": t("{{#label}} must be a float or double", tOptions),
122
+ "number.integer": t("{{#label}} must be an integer", tOptions),
123
+ "number.negative": t("{{#label}} must be a negative number", tOptions),
124
+ "number.positive": t("{{#label}} must be a positive number", tOptions),
125
+ "number.precision": t("{{#label}} must not have more than {{#limit}} decimal places", tOptions),
126
+ "number.multiple": t("{{#label}} must be a multiple of {{#multiple}}", tOptions),
127
+ "number.port": t("{{#label}} must be a valid port", tOptions),
128
+ "number.unsafe": t("{{#label}} must be a safe number", tOptions),
129
+ "date.base": t("{{#label}} must be a valid date", tOptions),
130
+ "date.format": t("{{#label}} must be in {{#format}} format", tOptions),
131
+ "date.greater": t("{{#label}} must be greater than {{#limit}}", tOptions),
132
+ "date.less": t("{{#label}} must be less than {{#limit}}", tOptions),
133
+ "date.max": t("{{#label}} must be less than or equal to {{#limit}}", tOptions),
134
+ "date.min": t("{{#label}} must be greater than or equal to {{#limit}}", tOptions)
135
+ };
136
+ return JoiErrorMessages;
137
+ }
138
+ __name(getJoiErrorMessage, "getJoiErrorMessage");
139
+ // Annotate the CommonJS export names for ESM import in node:
140
+ 0 && (module.exports = {
141
+ buildJoiSchema,
142
+ getJoiErrorMessage
143
+ });
package/package.json CHANGED
@@ -1,13 +1,13 @@
1
1
  {
2
2
  "name": "@nocobase/database",
3
- "version": "1.9.0-beta.7",
3
+ "version": "1.9.0-beta.9",
4
4
  "description": "",
5
5
  "main": "./lib/index.js",
6
6
  "types": "./lib/index.d.ts",
7
7
  "license": "AGPL-3.0",
8
8
  "dependencies": {
9
- "@nocobase/logger": "1.9.0-beta.7",
10
- "@nocobase/utils": "1.9.0-beta.7",
9
+ "@nocobase/logger": "1.9.0-beta.9",
10
+ "@nocobase/utils": "1.9.0-beta.9",
11
11
  "async-mutex": "^0.3.2",
12
12
  "chalk": "^4.1.1",
13
13
  "cron-parser": "4.4.0",
@@ -18,6 +18,7 @@
18
18
  "flat": "^5.0.2",
19
19
  "glob": "^7.1.6",
20
20
  "graphlib": "^2.1.8",
21
+ "joi": "^17.13.3",
21
22
  "lodash": "^4.17.21",
22
23
  "mathjs": "^10.6.1",
23
24
  "nanoid": "^3.3.11",
@@ -38,5 +39,5 @@
38
39
  "url": "git+https://github.com/nocobase/nocobase.git",
39
40
  "directory": "packages/database"
40
41
  },
41
- "gitHead": "4a5055c973b51611d5db1604aaaf6c1b73b4733c"
42
+ "gitHead": "b44464f1d1bbc96022d0f622e0a2f1d7e8d7142f"
42
43
  }