Add Activepieces integration for workflow automation

- Add Activepieces fork with SmoothSchedule custom piece
- Create integrations app with Activepieces service layer
- Add embed token endpoint for iframe integration
- Create Automations page with embedded workflow builder
- Add sidebar visibility fix for embed mode
- Add list inactive customers endpoint to Public API
- Include SmoothSchedule triggers: event created/updated/cancelled
- Include SmoothSchedule actions: create/update/cancel events, list resources/services/customers

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
poduck
2025-12-18 22:59:37 -05:00
parent 9848268d34
commit 3aa7199503
16292 changed files with 1284892 additions and 4708 deletions

View File

@@ -0,0 +1,78 @@
import { createAction, Property } from '@activepieces/pieces-framework';
import { HttpMethod } from '@activepieces/pieces-common';
import { metatextAuth } from '../../index';
import { metatextApiCall } from '../common';
export const classifyText = createAction({
auth: metatextAuth,
name: 'classify_text',
displayName: 'Classify Text',
description: 'Classify text into categories (sentiment, intent, topic, custom models)',
props: {
project_id: Property.ShortText({
displayName: 'Project ID',
description: 'The ID of your classification project',
required: true,
}),
text: Property.LongText({
displayName: 'Text',
description: 'The text to classify',
required: true,
}),
model: Property.ShortText({
displayName: 'Model',
description: 'The model to use for classification',
required: false,
}),
threshold: Property.Number({
displayName: 'Threshold',
description: 'Minimum confidence score for predictions',
required: false,
}),
top_labels: Property.Number({
displayName: 'Top Labels',
description: 'Maximum number of labels to return',
required: false,
}),
refresh: Property.Checkbox({
displayName: 'Refresh',
description: 'Force refresh the classification',
required: false,
defaultValue: false,
}),
version: Property.ShortText({
displayName: 'Version',
description: 'Model version to use',
required: false,
}),
},
async run({ auth, propsValue }) {
const { project_id, text, model, threshold, top_labels, refresh, version } =
propsValue;
const body: Record<string, unknown> = { text };
if (model) {
body['model'] = model;
}
const options: Record<string, unknown> = {};
if (threshold !== undefined) options['threshold'] = threshold;
if (top_labels !== undefined) options['top_labels'] = top_labels;
if (refresh !== undefined) options['refresh'] = refresh;
if (version) options['version'] = version;
if (Object.keys(options).length > 0) {
body['options'] = options;
}
const response = await metatextApiCall({
apiKey: auth.secret_text,
method: HttpMethod.POST,
endpoint: `/v2/classify/${project_id}`,
body,
});
return response;
},
});

View File

@@ -0,0 +1,64 @@
import { createAction, Property } from '@activepieces/pieces-framework';
import { HttpMethod } from '@activepieces/pieces-common';
import { metatextAuth } from '../../index';
import { metatextApiCall } from '../common';
export const extractText = createAction({
auth: metatextAuth,
name: 'extract_text',
displayName: 'Extract Text',
description: 'Extract information from text (entities, keywords, custom models)',
props: {
project_id: Property.ShortText({
displayName: 'Project ID',
description: 'The ID of your extraction project',
required: true,
}),
text: Property.LongText({
displayName: 'Text',
description: 'The text to extract information from',
required: true,
}),
model: Property.ShortText({
displayName: 'Model',
description: 'The model to use for extraction',
required: false,
}),
refresh: Property.Checkbox({
displayName: 'Refresh',
description: 'Force refresh the extraction',
required: false,
defaultValue: false,
}),
version: Property.ShortText({
displayName: 'Version',
description: 'Model version to use',
required: false,
}),
},
async run({ auth, propsValue }) {
const { project_id, text, model, refresh, version } = propsValue;
const body: Record<string, unknown> = { text };
if (model) {
body['model'] = model;
}
if (refresh !== undefined || version) {
body['options'] = {
...(refresh !== undefined && { refresh }),
...(version && { version }),
};
}
const response = await metatextApiCall({
apiKey: auth.secret_text,
method: HttpMethod.POST,
endpoint: `/v2/extract/${project_id}`,
body,
});
return response;
},
});

View File

@@ -0,0 +1,62 @@
import { createAction, Property } from '@activepieces/pieces-framework';
import { HttpMethod } from '@activepieces/pieces-common';
import { metatextAuth } from '../../index';
import { metatextApiCall } from '../common';
export const finetuneModel = createAction({
auth: metatextAuth,
name: 'finetune_model',
displayName: 'Fine-tune Model',
description: 'Initiate a fine-tuning job for your model',
props: {
project_id: Property.ShortText({
displayName: 'Project ID',
description: 'The ID of your project',
required: true,
}),
taskType: Property.StaticDropdown({
displayName: 'Task Type',
description: 'The type of task for fine-tuning',
required: true,
options: {
options: [
{ label: 'Classification', value: 'classification' },
{ label: 'Extraction', value: 'extraction' },
{ label: 'Generation', value: 'generation' },
],
},
}),
modelBase: Property.ShortText({
displayName: 'Base Model',
description: 'The base model to fine-tune (e.g., BERT)',
required: true,
}),
hyperparameters: Property.Object({
displayName: 'Hyperparameters',
description: 'Custom hyperparameters for fine-tuning',
required: false,
}),
},
async run({ auth, propsValue }) {
const { project_id, taskType, modelBase, hyperparameters } = propsValue;
const body: Record<string, unknown> = {
taskType,
modelBase,
};
if (hyperparameters && Object.keys(hyperparameters).length > 0) {
body['hyperparameters'] = hyperparameters;
}
const response = await metatextApiCall({
apiKey: auth.secret_text,
method: HttpMethod.POST,
endpoint: `/v2/projects/${project_id}/finetune`,
authType: 'bearer',
body,
});
return response;
},
});

View File

@@ -0,0 +1,3 @@
export * from './extract-text';
export * from './classify-text';
export * from './finetune-model';

View File

@@ -0,0 +1,62 @@
import {
HttpMethod,
httpClient,
HttpMessageBody,
QueryParams,
} from '@activepieces/pieces-common';
export const METATEXT_API_URL = 'https://api.metatext.ai';
export const METATEXT_GUARD_URL = 'https://guard-api.metatext.ai';
export type AuthType = 'bearer' | 'x-api-key';
export type MetatextApiCallParams = {
apiKey: string;
method: HttpMethod;
endpoint: string;
baseUrl?: string;
authType?: AuthType;
query?: Record<string, string | number | string[] | undefined>;
body?: unknown;
};
export async function metatextApiCall<T extends HttpMessageBody>({
apiKey,
method,
endpoint,
baseUrl = METATEXT_API_URL,
authType = 'x-api-key',
query,
body,
}: MetatextApiCallParams): Promise<T> {
const qs: QueryParams = {};
if (query) {
for (const [key, value] of Object.entries(query)) {
if (value !== null && value !== undefined) {
qs[key] = String(value);
}
}
}
const headers: Record<string, string> =
authType === 'bearer'
? {
Authorization: `Bearer ${apiKey}`,
'Content-Type': 'application/json',
}
: {
'x-api-key': apiKey,
'Content-Type': 'application/json',
};
const response = await httpClient.sendRequest<T>({
method,
url: `${baseUrl}${endpoint}`,
headers,
queryParams: qs,
body,
});
return response.body;
}

View File

@@ -0,0 +1 @@
export * from './client';