mirror of
https://github.com/twentyhq/twenty
synced 2026-04-21 13:37:22 +00:00
## Summary Fully replaces ESLint with OxLint across the entire monorepo: - **Replaced all ESLint configs** (`eslint.config.mjs`) with OxLint configs (`.oxlintrc.json`) for every package: `twenty-front`, `twenty-server`, `twenty-emails`, `twenty-ui`, `twenty-shared`, `twenty-sdk`, `twenty-zapier`, `twenty-docs`, `twenty-website`, `twenty-apps/*`, `create-twenty-app` - **Migrated custom lint rules** from ESLint plugin format to OxLint JS plugin system (`@oxlint/plugins`), including `styled-components-prefixed-with-styled`, `no-hardcoded-colors`, `sort-css-properties-alphabetically`, `graphql-resolvers-should-be-guarded`, `rest-api-methods-should-be-guarded`, `max-consts-per-file`, and Jotai-related rules - **Migrated custom rule tests** from ESLint `RuleTester` + Jest to `oxlint/plugins-dev` `RuleTester` + Vitest - **Removed all ESLint dependencies** from `package.json` files and regenerated lockfiles - **Updated Nx targets** (`lint`, `lint:diff-with-main`, `fmt`) in `nx.json` and per-project `project.json` to use `oxlint` commands with proper `dependsOn` for plugin builds - **Updated CI workflows** (`.github/workflows/ci-*.yaml`) — no more ESLint executor - **Updated IDE setup**: replaced `dbaeumer.vscode-eslint` with `oxc.oxc-vscode` extension, configured `source.fixAll.oxc` and format-on-save with Prettier - **Replaced all `eslint-disable` comments** with `oxlint-disable` equivalents across the codebase - **Updated docs** (`twenty-docs`) to reference OxLint instead of ESLint - **Renamed** `twenty-eslint-rules` package to `twenty-oxlint-rules` ### Temporarily disabled rules (tracked in `OXLINT_MIGRATION_TODO.md`) | Rule | Package | Violations | Auto-fixable | |------|---------|-----------|-------------| | `twenty/sort-css-properties-alphabetically` | twenty-front | 578 | Yes | | `typescript/consistent-type-imports` | twenty-server | 3814 | Yes | | `twenty/max-consts-per-file` | twenty-server | 94 | No | ### Dropped plugins (no OxLint equivalent) `eslint-plugin-project-structure`, `lingui/*`, `@stylistic/*`, `import/order`, `prefer-arrow/prefer-arrow-functions`, `eslint-plugin-mdx`, `@next/eslint-plugin-next`, `eslint-plugin-storybook`, `eslint-plugin-react-refresh`. Partial coverage for `jsx-a11y` and `unused-imports`. ### Additional fixes (pre-existing issues exposed by merge) - Fixed `EmailThreadPreview.tsx` broken import from main rename (`useOpenEmailThreadInSidePanel`) - Restored truthiness guard in `getActivityTargetObjectRecords.ts` - Fixed `AgentTurnResolver` return types to match entity (virtual `fileMediaType`/`fileUrl` are resolved via `@ResolveField()`) ## Test plan - [x] `npx nx lint twenty-front` passes - [x] `npx nx lint twenty-server` passes - [x] `npx nx lint twenty-docs` passes - [x] Custom oxlint rules validated with Vitest: `npx nx test twenty-oxlint-rules` - [x] `npx nx typecheck twenty-front` passes - [x] `npx nx typecheck twenty-server` passes - [x] CI workflows trigger correctly with `dependsOn: ["twenty-oxlint-rules:build"]` - [x] IDE linting works with `oxc.oxc-vscode` extension
93 lines
2.4 KiB
TypeScript
93 lines
2.4 KiB
TypeScript
/* oxlint-disable no-console */
|
|
/**
|
|
* Fetch a Fireflies meeting by ID and insert it into Twenty using the same path
|
|
* as the webhook handler.
|
|
*
|
|
* Usage:
|
|
* yarn meeting:ingest <meetingId>
|
|
* Or
|
|
* MEETING_ID=... yarn meeting:ingest
|
|
*
|
|
* Required env:
|
|
* FIREFLIES_API_KEY
|
|
* FIREFLIES_WEBHOOK_SECRET
|
|
* TWENTY_API_KEY
|
|
*
|
|
* Optional env:
|
|
* SERVER_URL (defaults to http://localhost:3000)
|
|
* FIREFLIES_PLAN (free|pro|business|enterprise)
|
|
*/
|
|
|
|
import { createHmac } from 'crypto';
|
|
import * as dotenv from 'dotenv';
|
|
import { existsSync } from 'fs';
|
|
import { dirname, join } from 'path';
|
|
import { fileURLToPath } from 'url';
|
|
|
|
import { WebhookHandler } from '../src/webhook-handler';
|
|
|
|
const __filename = fileURLToPath(import.meta.url);
|
|
const __dirname = dirname(__filename);
|
|
|
|
const envPath = join(__dirname, '..', '.env');
|
|
if (existsSync(envPath)) {
|
|
dotenv.config({ path: envPath });
|
|
}
|
|
|
|
const args = process.argv.slice(2);
|
|
const meetingId = args[0] || process.env.MEETING_ID;
|
|
|
|
if (!meetingId) {
|
|
console.error('❌ meetingId is required (arg or MEETING_ID env)');
|
|
process.exit(1);
|
|
}
|
|
|
|
const firefliesApiKey = process.env.FIREFLIES_API_KEY || '';
|
|
const twentyApiKey = process.env.TWENTY_API_KEY || '';
|
|
const webhookSecret = process.env.FIREFLIES_WEBHOOK_SECRET || '';
|
|
|
|
if (!firefliesApiKey) {
|
|
console.error('❌ FIREFLIES_API_KEY is required');
|
|
process.exit(1);
|
|
}
|
|
if (!twentyApiKey) {
|
|
console.error('❌ TWENTY_API_KEY is required');
|
|
process.exit(1);
|
|
}
|
|
if (!webhookSecret) {
|
|
console.error('❌ FIREFLIES_WEBHOOK_SECRET is required to generate signature');
|
|
process.exit(1);
|
|
}
|
|
|
|
const payload = {
|
|
meetingId,
|
|
eventType: 'Transcription completed',
|
|
};
|
|
|
|
const body = JSON.stringify(payload);
|
|
const signature = `sha256=${createHmac('sha256', webhookSecret)
|
|
.update(body, 'utf8')
|
|
.digest('hex')}`;
|
|
|
|
const main = async (): Promise<void> => {
|
|
console.log(`🚀 Ingesting meeting ${meetingId} via webhook handler`);
|
|
const handler = new WebhookHandler();
|
|
const result = await handler.handle(payload, {
|
|
'x-hub-signature': signature,
|
|
body,
|
|
});
|
|
|
|
console.log('✅ Result:');
|
|
console.log(JSON.stringify(result, null, 2));
|
|
|
|
if (result.errors && result.errors.length > 0) {
|
|
process.exitCode = 1;
|
|
}
|
|
};
|
|
|
|
main().catch((error) => {
|
|
console.error('❌ Failed to ingest meeting');
|
|
console.error(error instanceof Error ? error.message : String(error));
|
|
process.exit(1);
|
|
});
|
|
|