ChengLei Shao 89733247bd
fix: reject update when filter is empty object (#3777)
* fix: reject update when filter is empty object

* chore: valid filter when destroy data

* fix: test

* refactor(utils): move isValidFilter to utils

* chore: test

* chore: test

* chore: test

* fix(plugin-workflow-manual): fix test case

* fix(plugin-workflow-manual): add filter check for update form in manual node

* chore: validate filter params as middleware

* chore: action filter validate in data-source-manager

* chore: acl filter params validate test

* chore: move validate filter params middleware into core

* Update nocobase-test-e2e.yml

* chore: only run workflow's tests

* chore: only run workflow's tests

* fix: updateRecordForm

* Revert "chore: only run workflow's tests"

This reverts commit 64ce1241718ef516ff9bf7245296dee963ab2e43.

* Revert "chore: only run workflow's tests"

This reverts commit b9057b35ec4f87ba13c08650ffc7919e32eb3fc3.

---------

Co-authored-by: mytharcher <mytharcher@gmail.com>
Co-authored-by: chenos <chenlinxh@gmail.com>
Co-authored-by: Zeke Zhang <958414905@qq.com>
Co-authored-by: hongboji <j414562100@qq.com>
2024-03-30 21:50:54 +08:00

160 lines
4.5 KiB
TypeScript

import cors from '@koa/cors';
import { requestLogger } from '@nocobase/logger';
import { Resourcer } from '@nocobase/resourcer';
import { uid } from '@nocobase/utils';
import { Command } from 'commander';
import { randomUUID } from 'crypto';
import fs from 'fs';
import i18next from 'i18next';
import bodyParser from 'koa-bodyparser';
import { resolve } from 'path';
import { createHistogram, RecordableHistogram } from 'perf_hooks';
import Application, { ApplicationOptions } from './application';
import { parseVariables } from './middlewares';
import { dateTemplate } from './middlewares/data-template';
import { dataWrapping } from './middlewares/data-wrapping';
import { db2resource } from './middlewares/db2resource';
import { i18n } from './middlewares/i18n';
export function createI18n(options: ApplicationOptions) {
const instance = i18next.createInstance();
instance.init({
lng: 'en-US',
resources: {},
keySeparator: false,
nsSeparator: false,
...options.i18n,
});
return instance;
}
export function createResourcer(options: ApplicationOptions) {
return new Resourcer({ ...options.resourcer });
}
export function registerMiddlewares(app: Application, options: ApplicationOptions) {
app.use(async (ctx, next) => {
app.context.reqId = randomUUID();
await next();
});
app.use(requestLogger(app.name, options.logger?.request), { tag: 'logger' });
app.use(
cors({
exposeHeaders: ['content-disposition'],
...options.cors,
}),
{
tag: 'cors',
after: 'bodyParser',
},
);
if (options.bodyParser !== false) {
const bodyLimit = '10mb';
app.use(
bodyParser({
jsonLimit: bodyLimit,
formLimit: bodyLimit,
textLimit: bodyLimit,
...options.bodyParser,
}),
{
tag: 'bodyParser',
after: 'logger',
},
);
}
app.use(async (ctx, next) => {
ctx.getBearerToken = () => {
const token = ctx.get('Authorization').replace(/^Bearer\s+/gi, '');
return token || ctx.query.token;
};
await next();
});
app.use(i18n, { tag: 'i18n', after: 'cors' });
if (options.dataWrapping !== false) {
app.use(dataWrapping(), { tag: 'dataWrapping', after: 'i18n' });
}
app.resourcer.use(parseVariables, {
tag: 'parseVariables',
after: 'acl',
});
app.resourcer.use(dateTemplate, { tag: 'dateTemplate', after: 'acl' });
app.use(db2resource, { tag: 'db2resource', after: 'dataWrapping' });
app.use(app.resourcer.restApiMiddleware({ skipIfDataSourceExists: true }), { tag: 'restApi', after: 'db2resource' });
app.use(app.dataSourceManager.middleware(), { tag: 'dataSource', after: 'restApi' });
}
export const createAppProxy = (app: Application) => {
return new Proxy(app, {
get(target, prop, ...args) {
if (typeof prop === 'string' && ['on', 'once', 'addListener'].includes(prop)) {
return (eventName: string, listener: any) => {
listener['_reinitializable'] = true;
return target[prop](eventName, listener);
};
}
return Reflect.get(target, prop, ...args);
},
});
};
export const getCommandFullName = (command: Command) => {
const names = [];
names.push(command.name());
let parent = command?.parent;
while (parent) {
if (!parent?.parent) {
break;
}
names.unshift(parent.name());
parent = parent.parent;
}
return names.join('.');
};
export const tsxRerunning = async () => {
const file = resolve(process.cwd(), 'storage/app.watch.ts');
await fs.promises.writeFile(file, `export const watchId = '${uid()}';`, 'utf-8');
};
export const enablePerfHooks = (app: Application) => {
app.context.getPerfHistogram = (name: string) => {
if (!app.perfHistograms.has(name)) {
app.perfHistograms.set(name, createHistogram());
}
return app.perfHistograms.get(name);
};
app.resourcer.define({
name: 'perf',
actions: {
view: async (ctx, next) => {
const result = {};
const histograms = ctx.app.perfHistograms as Map<string, RecordableHistogram>;
const sortedHistograms = [...histograms.entries()].sort(([i, a], [j, b]) => b.mean - a.mean);
sortedHistograms.forEach(([name, histogram]) => {
result[name] = histogram;
});
ctx.body = result;
await next();
},
reset: async (ctx, next) => {
const histograms = ctx.app.perfHistograms as Map<string, RecordableHistogram>;
histograms.forEach((histogram: RecordableHistogram) => histogram.reset());
await next();
},
},
});
app.acl.allow('perf', '*', 'public');
};