Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We鈥檒l occasionally send you account related emails.

Already on GitHub? Sign in to your account

Extend proxy #2241

Merged
merged 6 commits into from
May 1, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
17 changes: 17 additions & 0 deletions changelogs/drizzle-orm/0.30.10.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
## New Features

### 馃帀 `.if()` function added to all WHERE expressions

#### Select all users after cursors if a cursor value was provided

```ts
function getUsersAfter(cursor?: number) {
return db.select().from(users).where(
gt(users.id, cursor).if(cursor)
);
}
```

## Bug Fixes

- Fixed internal mappings for sessions `.all`, `.values`, `.execute` functions in AWS DataAPI
2 changes: 1 addition & 1 deletion drizzle-orm/package.json
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
{
"name": "drizzle-orm",
"version": "0.30.9",
"version": "0.30.10",
"description": "Drizzle ORM package for SQL databases",
"type": "module",
"scripts": {
Expand Down
67 changes: 44 additions & 23 deletions drizzle-orm/src/aws-data-api/pg/session.ts
Original file line number Diff line number Diff line change
Expand Up @@ -24,7 +24,9 @@ import { getValueFromDataApi, toValueParam } from '../common/index.ts';

export type AwsDataApiClient = RDSDataClient;

export class AwsDataApiPreparedQuery<T extends PreparedQueryConfig> extends PgPreparedQuery<T> {
export class AwsDataApiPreparedQuery<
T extends PreparedQueryConfig & { values: AwsDataApiPgQueryResult<unknown[]> },
> extends PgPreparedQuery<T> {
static readonly [entityKind]: string = 'AwsDataApiPreparedQuery';

private rawQuery: ExecuteStatementCommand;
Expand Down Expand Up @@ -56,18 +58,44 @@ export class AwsDataApiPreparedQuery<T extends PreparedQueryConfig> extends PgPr
async execute(placeholderValues: Record<string, unknown> | undefined = {}): Promise<T['execute']> {
const { fields, joinsNotNullableMap, customResultMapper } = this;

const result = await this.values(placeholderValues) as AwsDataApiPgQueryResult<unknown[]>;
const result = await this.values(placeholderValues);
if (!fields && !customResultMapper) {
return result as T['execute'];
const { columnMetadata, rows } = result;
if (!columnMetadata) {
return result;
}
const mappedRows = rows.map((sourceRow) => {
const row: Record<string, unknown> = {};
for (const [index, value] of sourceRow.entries()) {
const metadata = columnMetadata[index];
if (!metadata) {
throw new Error(
`Unexpected state: no column metadata found for index ${index}. Please report this issue on GitHub: https://github.com/drizzle-team/drizzle-orm/issues/new/choose`,
);
}
if (!metadata.name) {
throw new Error(
`Unexpected state: no column name for index ${index} found in the column metadata. Please report this issue on GitHub: https://github.com/drizzle-team/drizzle-orm/issues/new/choose`,
);
}
row[metadata.name] = value;
}
return row;
});
return Object.assign(result, { rows: mappedRows });
}

return customResultMapper
? customResultMapper(result.rows!)
: result.rows!.map((row) => mapResultRow<T['execute']>(fields!, row, joinsNotNullableMap));
: result.rows!.map((row) => mapResultRow(fields!, row, joinsNotNullableMap));
}

async all(placeholderValues?: Record<string, unknown> | undefined): Promise<T['all']> {
const result = await this.execute(placeholderValues) as AwsDataApiPgQueryResult<unknown>;
return result.rows;
const result = await this.execute(placeholderValues);
if (!this.fields && !this.customResultMapper) {
return (result as AwsDataApiPgQueryResult<unknown>).rows;
}
return result;
}

async values(placeholderValues: Record<string, unknown> = {}): Promise<T['values']> {
Expand All @@ -80,20 +108,7 @@ export class AwsDataApiPreparedQuery<T extends PreparedQueryConfig> extends PgPr

this.options.logger?.logQuery(this.rawQuery.input.sql!, this.rawQuery.input.parameters);

const { fields, rawQuery, client, customResultMapper } = this;
if (!fields && !customResultMapper) {
const result = await client.send(rawQuery);
if (result.columnMetadata && result.columnMetadata.length > 0) {
const rows = this.mapResultRows(result.records ?? [], result.columnMetadata);
return {
...result,
rows,
};
}
return result;
}

const result = await client.send(rawQuery);
const result = await this.client.send(this.rawQuery);
const rows = result.records?.map((row) => {
return row.map((field) => getValueFromDataApi(field));
}) ?? [];
Expand Down Expand Up @@ -161,14 +176,20 @@ export class AwsDataApiSession<
};
}

prepareQuery<T extends PreparedQueryConfig = PreparedQueryConfig>(
prepareQuery<
T extends PreparedQueryConfig & {
values: AwsDataApiPgQueryResult<unknown[]>;
} = PreparedQueryConfig & {
values: AwsDataApiPgQueryResult<unknown[]>;
},
>(
query: QueryWithTypings,
fields: SelectedFieldsOrdered | undefined,
name: string | undefined,
isResponseInArrayMode: boolean,
customResultMapper?: (rows: unknown[][]) => T['execute'],
transactionId?: string,
): PgPreparedQuery<T> {
): AwsDataApiPreparedQuery<T> {
return new AwsDataApiPreparedQuery(
this.client,
query.sql,
Expand All @@ -183,7 +204,7 @@ export class AwsDataApiSession<
}

override execute<T>(query: SQL): Promise<T> {
return this.prepareQuery<PreparedQueryConfig & { execute: T }>(
return this.prepareQuery<PreparedQueryConfig & { execute: T; values: AwsDataApiPgQueryResult<unknown[]> }>(
this.dialect.sqlToQuery(query),
undefined,
undefined,
Expand Down
4 changes: 3 additions & 1 deletion drizzle-orm/src/pg-proxy/driver.ts
Original file line number Diff line number Diff line change
Expand Up @@ -18,13 +18,15 @@ export type RemoteCallback = (
sql: string,
params: any[],
method: 'all' | 'execute',
typings?: any[],
) => Promise<{ rows: any[] }>;

export function drizzle<TSchema extends Record<string, unknown> = Record<string, never>>(
callback: RemoteCallback,
config: DrizzleConfig<TSchema> = {},
_dialect: () => PgDialect = () => new PgDialect(),
): PgRemoteDatabase<TSchema> {
const dialect = new PgDialect();
const dialect = _dialect();
let logger;
if (config.logger === true) {
logger = new DefaultLogger();
Expand Down
13 changes: 8 additions & 5 deletions drizzle-orm/src/pg-proxy/session.ts
Original file line number Diff line number Diff line change
Expand Up @@ -7,7 +7,8 @@ import type { SelectedFieldsOrdered } from '~/pg-core/query-builders/select.type
import type { PgTransactionConfig, PreparedQueryConfig, QueryResultHKT } from '~/pg-core/session.ts';
import { PgPreparedQuery as PreparedQueryBase, PgSession } from '~/pg-core/session.ts';
import type { RelationalSchemaConfig, TablesRelationalConfig } from '~/relations.ts';
import { fillPlaceholders, type Query } from '~/sql/sql.ts';
import type { QueryWithTypings } from '~/sql/sql.ts';
import { fillPlaceholders } from '~/sql/sql.ts';
import { tracer } from '~/tracing.ts';
import { type Assume, mapResultRow } from '~/utils.ts';
import type { RemoteCallback } from './driver.ts';
Expand Down Expand Up @@ -35,7 +36,7 @@ export class PgRemoteSession<
}

prepareQuery<T extends PreparedQueryConfig>(
query: Query,
query: QueryWithTypings,
fields: SelectedFieldsOrdered | undefined,
name: string | undefined,
isResponseInArrayMode: boolean,
Expand All @@ -45,6 +46,7 @@ export class PgRemoteSession<
this.client,
query.sql,
query.params,
query.typings,
this.logger,
fields,
isResponseInArrayMode,
Expand Down Expand Up @@ -80,6 +82,7 @@ export class PreparedQuery<T extends PreparedQueryConfig> extends PreparedQueryB
private client: RemoteCallback,
private queryString: string,
private params: unknown[],
private typings: any[] | undefined,
private logger: Logger,
private fields: SelectedFieldsOrdered | undefined,
private _isResponseInArrayMode: boolean,
Expand All @@ -91,7 +94,7 @@ export class PreparedQuery<T extends PreparedQueryConfig> extends PreparedQueryB
async execute(placeholderValues: Record<string, unknown> | undefined = {}): Promise<T['execute']> {
return tracer.startActiveSpan('drizzle.execute', async (span) => {
const params = fillPlaceholders(this.params, placeholderValues);
const { fields, client, queryString, joinsNotNullableMap, customResultMapper, logger } = this;
const { fields, client, queryString, joinsNotNullableMap, customResultMapper, logger, typings } = this;

span?.setAttributes({
'drizzle.query.text': queryString,
Expand All @@ -102,7 +105,7 @@ export class PreparedQuery<T extends PreparedQueryConfig> extends PreparedQueryB

if (!fields && !customResultMapper) {
return tracer.startActiveSpan('drizzle.driver.execute', async () => {
const { rows } = await client(queryString, params as any[], 'execute');
const { rows } = await client(queryString, params as any[], 'execute', typings);

return rows;
});
Expand All @@ -114,7 +117,7 @@ export class PreparedQuery<T extends PreparedQueryConfig> extends PreparedQueryB
'drizzle.query.params': JSON.stringify(params),
});

const { rows } = await client(queryString, params as any[], 'all');
const { rows } = await client(queryString, params as any[], 'all', typings);

return rows;
});
Expand Down