Last Updated: 3/9/2026
- QueryCreator
Class QueryCreator
Type Parameters
- DB
Hierarchy (View Summary)
- QueryCreator
Index
Constructors
Methods
deleteFrom insertInto mergeInto replaceInto selectFrom selectNoFrom updateTable with withoutPlugins withPlugin withRecursive withSchema
Constructors
constructor
-
new QueryCreator<DB>(props: QueryCreatorProps): QueryCreator<DB>
Type Parameters
- DB
Parameters
- props: QueryCreatorProps
Returns QueryCreator<DB>
Methods
deleteFrom
-
deleteFrom<
TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[],Creates a delete query.
See the DeleteQueryBuilder.where method for examples on how to specify a where clause for the delete operation.
The return value of the query is an instance of DeleteResult.
Examples
Delete a single row:
const result = await db . deleteFrom('person') . where('person.id', '=', 1) . executeTakeFirst() console. log(result. numDeletedRows)The generated SQL (PostgreSQL):
delete from "person" where "person"."id" = $1Some databases such as MySQL support deleting from multiple tables:
const result = await db . deleteFrom(['person', 'pet']) . using('person') . innerJoin('pet', 'pet.owner_id', 'person.id') . where('person.id', '=', 1) . executeTakeFirst()The generated SQL (MySQL):
delete from `person`, `pet` using `person` inner join `pet` on `pet`.`owner_id` = `person`.`id` where `person`.`id` = ?Type Parameters
- TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[]
Parameters
- from: TE
Returns DeleteFrom<DB, TE>
- TE extends
insertInto
-
insertInto<T extends string>(table: T): InsertQueryBuilder<DB, T, InsertResult>
Creates an insert query.
The return value of this query is an instance of InsertResult. InsertResult has the insertId field that holds the auto incremented id of the inserted row if the db returned one.
See the values method for more info and examples. Also see the returning method for a way to return columns on supported databases like PostgreSQL.
Examples
const result = await db . insertInto('person') . values({ first_name: 'Jennifer', last_name: 'Aniston' }) . executeTakeFirst() console. log(result. insertId)Some databases like PostgreSQL support the
returningmethod:const { id } = await db . insertInto('person') . values({ first_name: 'Jennifer', last_name: 'Aniston' }) . returning('id') . executeTakeFirstOrThrow()Type Parameters
- T extends string
Parameters
- table: T
Returns InsertQueryBuilder<DB, T, InsertResult>
mergeInto
-
mergeInto<TR extends string>(targetTable: TR): MergeInto<DB, TR>
Creates a merge query.
The return value of the query is a MergeResult.
See the MergeQueryBuilder.using method for examples on how to specify the other table.
Examples
Update a target column based on the existence of a source row:
const result = await db . mergeInto('person as target') . using('pet as source', 'source.owner_id', 'target.id') . whenMatchedAnd('target.has_pets', '!=', 'Y') . thenUpdateSet({ has_pets: 'Y' }) . whenNotMatchedBySourceAnd('target.has_pets', '=', 'Y') . thenUpdateSet({ has_pets: 'N' }) . executeTakeFirstOrThrow() console. log(result. numChangedRows)The generated SQL (PostgreSQL):
merge into "person" using "pet" on "pet"."owner_id" = "person"."id" when matched and "has_pets" != $1 then update set "has_pets" = $2 when not matched by source and "has_pets" = $3 then update set "has_pets" = $4Merge new entries from a temporary changes table:
const result = await db . mergeInto('wine as target') . using( 'wine_stock_change as source', 'source.wine_name', 'target.name', ) . whenNotMatchedAnd('source.stock_delta', '>', 0) . thenInsertValues(({ ref }) => ({ name: ref('source.wine_name'), stock: ref('source.stock_delta'), })) . whenMatchedAnd( (eb) => eb('target.stock', '+', eb. ref('source.stock_delta')), '>', 0, ) . thenUpdateSet('stock', (eb) => eb('target.stock', '+', eb. ref('source.stock_delta')), ) . whenMatched() . thenDelete() . executeTakeFirstOrThrow()The generated SQL (PostgreSQL):
merge into "wine" as "target" using "wine_stock_change" as "source" on "source"."wine_name" = "target"."name" when not matched and "source"."stock_delta" > $1 then insert ("name", "stock") values ("source"."wine_name", "source"."stock_delta") when matched and "target"."stock" + "source"."stock_delta" > $2 then update set "stock" = "target"."stock" + "source"."stock_delta" when matched then deleteType Parameters
- TR extends string
Parameters
- targetTable: TR
Returns MergeInto<DB, TR>
replaceInto
-
replaceInto<T extends string>(table: T): InsertQueryBuilder<DB, T, InsertResult>
Creates a “replace into” query.
This is only supported by some dialects like MySQL or SQLite.
Similar to MySQL’s InsertQueryBuilder.onDuplicateKeyUpdate that deletes and inserts values on collision instead of updating existing rows.
An alias of SQLite’s InsertQueryBuilder.orReplace.
The return value of this query is an instance of InsertResult. InsertResult has the insertId field that holds the auto incremented id of the inserted row if the db returned one.
See the values method for more info and examples.
Examples
const result = await db . replaceInto('person') . values({ first_name: 'Jennifer', last_name: 'Aniston' }) . executeTakeFirstOrThrow() console. log(result. insertId)The generated SQL (MySQL):
replace into `person` (`first_name`, `last_name`) values (?, ?)Type Parameters
- T extends string
Parameters
- table: T
Returns InsertQueryBuilder<DB, T, InsertResult>
selectFrom
-
selectFrom<
TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[],Creates a
selectquery builder for the given table or tables.The tables passed to this method are built as the query’s
fromclause.Examples
Create a select query for one table:
db. selectFrom('person'). selectAll()The generated SQL (PostgreSQL):
select * from "person"Create a select query for one table with an alias:
const persons = await db. selectFrom('person as p') . select(['p.id', 'first_name']) . execute() console. log(persons[0]. id)The generated SQL (PostgreSQL):
select "p"."id", "first_name" from "person" as "p"Create a select query from a subquery:
const persons = await db. selectFrom( (eb) => eb. selectFrom('person'). select('person.id as identifier'). as('p') ) . select('p.identifier') . execute() console. log(persons[0]. identifier)The generated SQL (PostgreSQL):
select "p"."identifier", from ( select "person"."id" as "identifier" from "person" ) as pCreate a select query from raw sql:
import { sql } from 'kysely' const items = await db . selectFrom(sql<{ one: number }>`(select 1 as one)`. as('q')) . select('q.one') . execute() console. log(items[0]. one)The generated SQL (PostgreSQL):
select "q"."one", from ( select 1 as one ) as qWhen you use the
sqltag you need to also provide the result type of the raw snippet / query so that Kysely can figure out what columns are available for the rest of the query.The
selectFrommethod also accepts an array for multiple tables. All the above examples can also be used in an array.import { sql } from 'kysely' const items = await db. selectFrom([ 'person as p', db. selectFrom('pet'). select('pet.species'). as('a'), sql<{ one: number }>`(select 1 as one)`. as('q') ]) . select(['p.id', 'a.species', 'q.one']) . execute()The generated SQL (PostgreSQL):
select "p".id, "a"."species", "q"."one" from "person" as "p", (select "pet"."species" from "pet") as a, (select 1 as one) as "q"Type Parameters
- TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[]
Parameters
- from: TE
Returns SelectFrom<DB, never, TE>
- TE extends
selectNoFrom
-
selectNoFrom<SE extends SelectExpression<DB, never>>(
selections: readonly SE[],
): SelectQueryBuilder<DB, never, Selection<DB, never, SE>>Creates a
selectquery builder without afromclause.If you want to create a
select fromquery, use theselectFrommethod instead. This one can be used to create a plainselectstatement without afromclause.This method accepts the same inputs as SelectQueryBuilder.select. See its documentation for more examples.
Examples
const result = await db. selectNoFrom((eb) => [ eb. selectFrom('person') . select('id') . where('first_name', '=', 'Jennifer') . limit(1) . as('jennifer_id'), eb. selectFrom('pet') . select('id') . where('name', '=', 'Doggo') . limit(1) . as('doggo_id')]). executeTakeFirstOrThrow() console. log(result. jennifer_id) console. log(result. doggo_id)The generated SQL (PostgreSQL):
select ( select "id" from "person" where "first_name" = $1 limit $2 ) as "jennifer_id", ( select "id" from "pet" where "name" = $3 limit $4 ) as "doggo_id"Type Parameters
- SE extends SelectExpression<DB, never>
Parameters
- selections: readonly SE[]
Returns SelectQueryBuilder<DB, never, Selection<DB, never, SE>>
-
selectNoFrom<CB extends SelectCallback<DB, never>>(
callback: CB,
): SelectQueryBuilder<DB, never, CallbackSelection<DB, never, CB>>Creates a
selectquery builder without afromclause.If you want to create a
select fromquery, use theselectFrommethod instead. This one can be used to create a plainselectstatement without afromclause.This method accepts the same inputs as SelectQueryBuilder.select. See its documentation for more examples.
Examples
const result = await db. selectNoFrom((eb) => [ eb. selectFrom('person') . select('id') . where('first_name', '=', 'Jennifer') . limit(1) . as('jennifer_id'), eb. selectFrom('pet') . select('id') . where('name', '=', 'Doggo') . limit(1) . as('doggo_id')]). executeTakeFirstOrThrow() console. log(result. jennifer_id) console. log(result. doggo_id)The generated SQL (PostgreSQL):
select ( select "id" from "person" where "first_name" = $1 limit $2 ) as "jennifer_id", ( select "id" from "pet" where "name" = $3 limit $4 ) as "doggo_id"Type Parameters
- CB extends SelectCallback<DB, never>
Parameters
- callback: CB
Returns SelectQueryBuilder<DB, never, CallbackSelection<DB, never, CB>>
-
selectNoFrom<SE extends SelectExpression<DB, never>>(
selection: SE,
): SelectQueryBuilder<DB, never, Selection<DB, never, SE>>Creates a
selectquery builder without afromclause.If you want to create a
select fromquery, use theselectFrommethod instead. This one can be used to create a plainselectstatement without afromclause.This method accepts the same inputs as SelectQueryBuilder.select. See its documentation for more examples.
Examples
const result = await db. selectNoFrom((eb) => [ eb. selectFrom('person') . select('id') . where('first_name', '=', 'Jennifer') . limit(1) . as('jennifer_id'), eb. selectFrom('pet') . select('id') . where('name', '=', 'Doggo') . limit(1) . as('doggo_id')]). executeTakeFirstOrThrow() console. log(result. jennifer_id) console. log(result. doggo_id)The generated SQL (PostgreSQL):
select ( select "id" from "person" where "first_name" = $1 limit $2 ) as "jennifer_id", ( select "id" from "pet" where "name" = $3 limit $4 ) as "doggo_id"Type Parameters
- SE extends SelectExpression<DB, never>
Parameters
- selection: SE
Returns SelectQueryBuilder<DB, never, Selection<DB, never, SE>>
updateTable
-
updateTable<
TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[],Creates an update query.
See the UpdateQueryBuilder.where method for examples on how to specify a where clause for the update operation.
See the UpdateQueryBuilder.set method for examples on how to specify the updates.
The return value of the query is an UpdateResult.
Examples
const result = await db . updateTable('person') . set({ first_name: 'Jennifer' }) . where('person.id', '=', 1) . executeTakeFirst() console. log(result. numUpdatedRows)Type Parameters
- TE extends
| string
| AliasedExpression<any, any>
| AliasedDynamicTableBuilder<any, any>
| AliasedExpressionFactory<DB, never>
| readonly TableExpression<DB, never>[]
Parameters
- tables: TE
Returns UpdateTable<DB, TE>
- TE extends
with
-
with<N extends string, E extends CommonTableExpression<DB, N>>(
nameOrBuilder: N | CTEBuilderCallback<N>,
expression: E,
): QueryCreatorWithCommonTableExpression<DB, N, E>Creates a
withquery (Common Table Expression).Examples
Common table expressions (CTE) are a great way to modularize complex queries. Essentially they allow you to run multiple separate queries within a single roundtrip to the DB.
Since CTEs are a part of the main query, query optimizers inside DB engines are able to optimize the overall query. For example, postgres is able to inline the CTEs inside the using queries if it decides it’s faster.
const result = await db // Create a CTE called `jennifers` that selects all // persons named 'Jennifer'. . with('jennifers', (db) => db . selectFrom('person') . where('first_name', '=', 'Jennifer') . select(['id', 'age']) ) // Select all rows from the `jennifers` CTE and // further filter it. . with('adult_jennifers', (db) => db . selectFrom('jennifers') . where('age', '>', 18) . select(['id', 'age']) ) // Finally select all adult jennifers that are // also younger than 60. . selectFrom('adult_jennifers') . where('age', '<', 60) . selectAll() . execute()Some databases like postgres also allow you to run other queries than selects in CTEs. On these databases CTEs are extremely powerful:
const result = await db . with('new_person', (db) => db . insertInto('person') . values({ first_name: 'Jennifer', age: 35, }) . returning('id') ) . with('new_pet', (db) => db . insertInto('pet') . values({ name: 'Doggo', species: 'dog', is_favorite: true, // Use the id of the person we just inserted. owner_id: db . selectFrom('new_person') . select('id') }) . returning('id') ) . selectFrom(['new_person', 'new_pet']) . select([ 'new_person.id as person_id', 'new_pet.id as pet_id' ]) . execute()The CTE name can optionally specify column names in addition to a name. In that case Kysely requires the expression to retun rows with the same columns.
await db . with('jennifers(id, age)', (db) => db . selectFrom('person') . where('first_name', '=', 'Jennifer') // This is ok since we return columns with the same // names as specified by `jennifers(id, age)`. . select(['id', 'age']) ) . selectFrom('jennifers') . selectAll() . execute()The first argument can also be a callback. The callback is passed a
CTEBuilderinstance that can be used to configure the CTE:await db . with( (cte) => cte('jennifers'). materialized(), (db) => db . selectFrom('person') . where('first_name', '=', 'Jennifer') . select(['id', 'age']) ) . selectFrom('jennifers') . selectAll() . execute()Type Parameters
Parameters
Returns QueryCreatorWithCommonTableExpression<DB, N, E>
withoutPlugins
-
withoutPlugins(): QueryCreator<DB>
Returns a copy of this query creator instance without any plugins.
Returns QueryCreator<DB>
withPlugin
-
withPlugin(plugin: KyselyPlugin): QueryCreator<DB>
Returns a copy of this query creator instance with the given plugin installed.
Parameters
- plugin: KyselyPlugin
Returns QueryCreator<DB>
withRecursive
-
withRecursive<N extends string, E extends RecursiveCommonTableExpression<DB, N>>(
nameOrBuilder: N | CTEBuilderCallback<N>,
expression: E,
): QueryCreatorWithCommonTableExpression<DB, N, E>Creates a recursive
withquery (Common Table Expression).Note that recursiveness is a property of the whole
withstatement. You cannot have recursive and non-recursive CTEs in a samewithstatement. Therefore the recursiveness is determined by the firstwithorwithRecusivecall you make.See the with method for examples and more documentation.
Type Parameters
Parameters
Returns QueryCreatorWithCommonTableExpression<DB, N, E>
withSchema
-
withSchema(schema: string): QueryCreator<DB>
Sets the schema to be used for all table references that don’t explicitly specify a schema.
This only affects the query created through the builder returned from this method and doesn’t modify the
dbinstance.See this recipe for a more detailed explanation.
Examples
await db . withSchema('mammals') . selectFrom('pet') . selectAll() . innerJoin('public.person', 'public.person.id', 'pet.owner_id') . execute()The generated SQL (PostgreSQL):
select * from "mammals"."pet" inner join "public"."person" on "public"."person"."id" = "mammals"."pet"."owner_id"withSchemais smart enough to not add schema for aliases, common table expressions or other places where the schema doesn’t belong to:await db . withSchema('mammals') . selectFrom('pet as p') . select('p.name') . execute()The generated SQL (PostgreSQL):
select "p"."name" from "mammals"."pet" as "p"Parameters
- schema: string
Returns QueryCreator<DB>
Settings
Member Visibility
On This Page
Constructors
Methods