feat(Data Table Node): Add limit to get and change copy (no-changelog) (#19190)

This commit is contained in:
Daria
2025-09-05 09:46:38 +03:00
committed by GitHub
parent ee91aa00f1
commit 48efb4c865
7 changed files with 72 additions and 38 deletions

View File

@@ -17,7 +17,20 @@ const displayOptions: IDisplayOptions = {
},
};
export const description: INodeProperties[] = [...getSelectFields(displayOptions)];
export const description: INodeProperties[] = [
...getSelectFields(displayOptions),
{
displayName: 'Limit',
name: 'limit',
type: 'number',
typeOptions: {
minValue: 1,
},
displayOptions,
default: null,
description: 'Max number of results to return',
},
];
export async function execute(
this: IExecuteFunctions,

View File

@@ -23,7 +23,7 @@ export function makeAddRow(operation: string, displayOptions: IDisplayOptions) {
typeOptions: {
loadOptionsDependsOn: [`${DATA_TABLE_ID_FIELD}.value`],
resourceMapper: {
valuesLabel: `Columns to ${operation}`,
valuesLabel: `Values to ${operation}`,
resourceMapperMethod: 'getDataTables',
mode: 'add',
fieldWords: {
@@ -32,6 +32,7 @@ export function makeAddRow(operation: string, displayOptions: IDisplayOptions) {
},
addAllFields: true,
multiKeyMatch: true,
hideNoDataError: true,
},
},
displayOptions,

View File

@@ -44,17 +44,22 @@ export async function tableSearch(
export async function getDataTableColumns(this: ILoadOptionsFunctions) {
const returnData: Array<INodePropertyOptions & { type: string }> = [
// eslint-disable-next-line n8n-nodes-base/node-param-display-name-miscased-id, n8n-nodes-base/node-param-display-name-miscased
{ name: 'id - (number)', value: 'id', type: 'number' },
{ name: 'id (number)', value: 'id', type: 'number' },
// eslint-disable-next-line n8n-nodes-base/node-param-display-name-miscased
{ name: 'createdAt - (date)', value: 'createdAt', type: 'date' },
{ name: 'createdAt (date)', value: 'createdAt', type: 'date' },
// eslint-disable-next-line n8n-nodes-base/node-param-display-name-miscased
{ name: 'updatedAt - (date)', value: 'updatedAt', type: 'date' },
{ name: 'updatedAt (date)', value: 'updatedAt', type: 'date' },
];
const proxy = await getDataTableProxyLoadOptions(this);
if (!proxy) {
return returnData;
}
const columns = await proxy.getColumns();
for (const column of columns) {
returnData.push({
name: `${column.name} - (${column.type})`,
name: `${column.name} (${column.type})`,
value: column.name,
type: column.type,
});
@@ -69,6 +74,10 @@ const systemColumns = [
] as const;
export async function getConditionsForColumn(this: ILoadOptionsFunctions) {
const proxy = await getDataTableProxyLoadOptions(this);
if (!proxy) {
return [];
}
const keyName = this.getCurrentNodeParameter('&keyName') as string;
// Base conditions available for all column types
@@ -87,18 +96,8 @@ export async function getConditionsForColumn(this: ILoadOptionsFunctions) {
];
const stringConditions: INodePropertyOptions[] = [
{
name: 'LIKE operator',
value: 'like',
description:
'Case-sensitive pattern matching. Use % as wildcard (e.g., "%Mar%" to match "Anne-Marie").',
},
{
name: 'ILIKE operator',
value: 'ilike',
description:
'Case-insensitive pattern matching. Use % as wildcard (e.g., "%mar%" to match "Anne-Marie").',
},
{ name: 'Contains (Case-Sensitive)', value: 'like' },
{ name: 'Contains (Case-Insensitive)', value: 'ilike' },
];
const allConditions = [...baseConditions, ...comparableConditions, ...stringConditions];
@@ -111,9 +110,7 @@ export async function getConditionsForColumn(this: ILoadOptionsFunctions) {
// Get column type to determine available conditions
const column =
systemColumns.find((col) => col.name === keyName) ??
(await (await getDataTableProxyLoadOptions(this)).getColumns()).find(
(col) => col.name === keyName,
);
(await proxy.getColumns()).find((col) => col.name === keyName);
if (!column) {
return baseConditions;
@@ -135,6 +132,9 @@ export async function getConditionsForColumn(this: ILoadOptionsFunctions) {
export async function getDataTables(this: ILoadOptionsFunctions): Promise<ResourceMapperFields> {
const proxy = await getDataTableProxyLoadOptions(this);
if (!proxy) {
return { fields: [] };
}
const result = await proxy.getColumns();
const fields: ResourceMapperField[] = [];

View File

@@ -122,33 +122,48 @@ export async function executeSelectMany(
throw new NodeOperationError(ctx.getNode(), 'At least one condition is required');
}
let take = 1000;
const PAGE_SIZE = 1000;
const result: Array<{ json: DataStoreRowReturn }> = [];
let totalCount = undefined;
do {
const response = await dataStoreProxy.getManyRowsAndCount({
skip: result.length,
take,
const limit = ctx.getNodeParameter('limit', index, undefined);
let expectedTotal: number | undefined;
let skip = 0;
let take = PAGE_SIZE;
while (true) {
const { data, count } = await dataStoreProxy.getManyRowsAndCount({
skip,
take: limit ? Math.min(take, limit - result.length) : take,
filter,
});
const data = response.data.map((json) => ({ json }));
const wrapped = data.map((json) => ({ json }));
// Optimize common path of <1000 results
if (response.count === response.data.length) {
return data;
// Fast path: everything fits in a single page
if (skip === 0 && count === data.length) {
return wrapped;
}
if (totalCount !== undefined && response.count !== totalCount) {
// Ensure the total doesn't change mid-pagination
if (expectedTotal !== undefined && count !== expectedTotal) {
throw new NodeOperationError(
ctx.getNode(),
'synchronization error: result count changed during pagination',
);
}
totalCount = response.count;
expectedTotal = count;
result.push.apply(result, data);
take = Math.min(take, response.count - result.length);
} while (take > 0);
result.push.apply(result, wrapped);
// Stop if we've hit the limit
if (limit && result.length >= limit) break;
// Stop if we've collected everything
if (result.length >= count) break;
skip = result.length;
take = Math.min(PAGE_SIZE, count - result.length);
}
return result;
}

View File

@@ -44,7 +44,7 @@ export async function getDataTableProxyExecute(
export async function getDataTableProxyLoadOptions(
ctx: ILoadOptionsFunctions,
): Promise<IDataStoreProjectService> {
): Promise<IDataStoreProjectService | undefined> {
if (ctx.helpers.getDataStoreProxy === undefined)
throw new NodeOperationError(
ctx.getNode(),
@@ -55,6 +55,10 @@ export async function getDataTableProxyLoadOptions(
extractValue: true,
}) as string;
if (!dataStoreId) {
return;
}
return await ctx.helpers.getDataStoreProxy(dataStoreId);
}