Repository APIs
Repository APIs¶
Repository API¶
manager- TheEntityManagerused by this repository.
metadata- TheEntityMetadataof the entity managed by this repository.
Learn more about transactions in Entity Metadata.
queryRunner- The query runner used byEntityManager.
Used only in transactional instances of EntityManager.
target- The target entity class managed by this repository.
Used only in transactional instances of EntityManager.
createQueryBuilder- Creates a query builder use to build SQL queries.
Learn more about QueryBuilder.
TypeScript
const users = await repository
.createQueryBuilder("user")
.where("user.name = :name", { name: "John" })
.getMany()
hasId- Checks if the given entity’s primary column property is defined.
getId- Gets the primary column property values of the given entity.
If entity has composite primary keys then the returned value will be an object with names and values of primary columns.
create- Creates a new instance ofUser. Optionally accepts an object literal with user properties
which will be written into newly created user object
TypeScript
const user = repository.create() // same as const user = new User();
const user = repository.create({
id: 1,
firstName: "Timber",
lastName: "Saw",
}) // same as const user = new User(); user.firstName = "Timber"; user.lastName = "Saw";
merge- Merges multiple entities into a single entity.
TypeScript
const user = new User()
repository.merge(user, { firstName: "Timber" }, { lastName: "Saw" }) // same as user.firstName = "Timber"; user.lastName = "Saw";
preload- Creates a new entity from the given plain javascript object. If the entity already exists in the database, then
it loads it (and everything related to it), replaces all values with the new ones from the given object,
and returns the new entity. The new entity is actually an entity loaded from the database with all properties
replaced from the new object.
Note that given entity-like object must have an entity id / primary key to find entity by.
Returns undefined if entity with given id was not found.
TypeScript
const partialUser = {
id: 1,
firstName: "Rizzrak",
profile: {
id: 1,
},
}
const user = await repository.preload(partialUser)
// user will contain all missing data from partialUser with partialUser property values:
// { id: 1, firstName: "Rizzrak", lastName: "Saw", profile: { id: 1, ... } }
save- Saves a given entity or array of entities.
If the entity already exist in the database, it is updated.
If the entity does not exist in the database, it is inserted.
It saves all given entities in a single transaction (in the case of entity, manager is not transactional).
Also supports partial updating since all undefined properties are skipped.
Returns the saved entity/entities.
remove- Removes a given entity or array of entities.
It removes all given entities in a single transaction (in the case of entity, manager is not transactional).
Returns the removed entity/entities.
insert- Inserts a new entity, or array of entities.
TypeScript
await repository.insert({
firstName: "Timber",
lastName: "Timber",
})
await repository.insert([
{
firstName: "Foo",
lastName: "Bar",
},
{
firstName: "Rizz",
lastName: "Rak",
},
])
update- Partially updates entity by a given update options or entity id.
TypeScript
await repository.update({ age: 18 }, { category: "ADULT" })
// executes UPDATE user SET category = ADULT WHERE age = 18
await repository.update(1, { firstName: "Rizzrak" })
// executes UPDATE user SET firstName = Rizzrak WHERE id = 1
upsert- Inserts a new entity or array of entities unless they already exist in which case they are updated instead. Supported by AuroraDataApi, Cockroach, Mysql, Postgres, and Sqlite database drivers.
TypeScript
await repository.upsert(
[
{ externalId: "abc123", firstName: "Rizzrak" },
{ externalId: "bca321", firstName: "Karzzir" },
],
["externalId"],
)
/** executes
* INSERT INTO user
* VALUES
* (externalId = abc123, firstName = Rizzrak),
* (externalId = cba321, firstName = Karzzir),
* ON CONFLICT (externalId) DO UPDATE firstName = EXCLUDED.firstName
**/
TypeScript
await repository.upsert(
[
{ externalId: "abc123", firstName: "Rizzrak" },
{ externalId: "bca321", firstName: "Karzzir" },
],
{
conflictPaths: ["externalId"],
skipUpdateIfNoValuesChanged: true, // supported by postgres, skips update if it would not change row values
upsertType: "upsert", // "on-conflict-do-update" | "on-duplicate-key-update" | "upsert" - optionally provide an UpsertType - 'upsert' is currently only supported by CockroachDB
},
)
/** executes
* INSERT INTO user
* VALUES
* (externalId = abc123, firstName = Rizzrak),
* (externalId = cba321, firstName = Karzzir),
* ON CONFLICT (externalId) DO UPDATE
* SET firstName = EXCLUDED.firstName
* WHERE user.firstName IS DISTINCT FROM EXCLUDED.firstName
**/
TypeScript
await repository.upsert(
[
{ externalId: "abc123", firstName: "Rizzrak", dateAdded: "2020-01-01" },
{ externalId: "bca321", firstName: "Karzzir", dateAdded: "2022-01-01" },
],
{
conflictPaths: ["externalId"],
skipUpdateIfNoValuesChanged: true, // supported by postgres, skips update if it would not change row values
indexPredicate: "dateAdded > 2020-01-01", // supported by postgres, allows for partial indexes
},
)
/** executes
* INSERT INTO user
* VALUES
* (externalId = abc123, firstName = Rizzrak, dateAdded = 2020-01-01),
* (externalId = cba321, firstName = Karzzir, dateAdded = 2022-01-01),
* ON CONFLICT (externalId) WHERE ( dateAdded > 2021-01-01 ) DO UPDATE
* SET firstName = EXCLUDED.firstName,
* SET dateAdded = EXCLUDED.dateAdded,
* WHERE user.firstName IS DISTINCT FROM EXCLUDED.firstName OR user.dateAdded IS DISTINCT FROM EXCLUDED.dateAdded
**/
delete- Deletes entities by entity id, ids or given conditions:
TypeScript
await repository.delete(1)
await repository.delete([1, 2, 3])
await repository.delete({ firstName: "Timber" })
softDeleteandrestore- Soft deleting and restoring a row by id
TypeScript
const repository = dataSource.getRepository(Entity)
// Delete a entity
await repository.softDelete(1)
// And You can restore it using restore;
await repository.restore(1)
softRemoveandrecover- This is alternative tosoftDeleteandrestore.
TypeScript
// You can soft-delete them using softRemove
const entities = await repository.find()
const entitiesAfterSoftRemove = await repository.softRemove(entities)
// And You can recover them using recover;
await repository.recover(entitiesAfterSoftRemove)
increment- Increments some column by provided value of entities that match given options.
decrement- Decrements some column by provided value that match given options.
count- Counts entities that matchFindOptions. Useful for pagination.
countBy- Counts entities that matchFindOptionsWhere. Useful for pagination.
sum- Returns the sum of a numeric field for all entities that matchFindOptionsWhere.
average- Returns the average of a numeric field for all entities that matchFindOptionsWhere.
minimum- Returns the minimum of a numeric field for all entities that matchFindOptionsWhere.
maximum- Returns the maximum of a numeric field for all entities that matchFindOptionsWhere.
find- Finds entities that match givenFindOptions.
findBy- Finds entities that match givenFindWhereOptions.
findAndCount- Finds entities that match givenFindOptions.
Also counts all entities that match given conditions,
but ignores pagination settings (from and take options).
TypeScript
const [timbers, timbersCount] = await repository.findAndCount({
where: {
firstName: "Timber",
},
})
findAndCountBy- Finds entities that match givenFindOptionsWhere.
Also counts all entities that match given conditions,
but ignores pagination settings (from and take options).
findOne- Finds the first entity that matches givenFindOptions.
findOneBy- Finds the first entity that matches givenFindOptionsWhere.
findOneOrFail- Finds the first entity that matches some id or find options.
Rejects the returned promise if nothing matches.
findOneByOrFail- Finds the first entity that matches givenFindOptions.
Rejects the returned promise if nothing matches.
query- Executes a raw SQL query.
clear- Clears all the data from the given table (truncates/drops it).
Additional Options¶
Optional SaveOptions can be passed as parameter for save.
data- Additional data to be passed with persist method. This data can be used in subscribers then.listeners: boolean - Indicates if listeners and subscribers are called for this operation. By default they are enabled, you can disable them by setting{ listeners: false }in save/remove options.transaction: boolean - By default transactions are enabled and all queries in persistence operation are wrapped into the transaction. You can disable this behaviour by setting{ transaction: false }in the persistence options.chunk: number - Breaks save execution into multiple groups of chunks. For example, if you want to save 100.000 objects but you have issues with saving them, you can break them into 10 groups of 10.000 objects (by setting{ chunk: 10000 }) and save each group separately. This option is needed to perform very big insertions when you have issues with underlying driver parameter number limitation.reload: boolean - Flag to determine whether the entity that is being persisted should be reloaded during the persistence operation. It will work only on databases which does not support RETURNING / OUTPUT statement. Enabled by default.
Example:
TypeScript
// users contains array of User Entities
userRepository.save(users, { chunk: users.length / 1000 })
Optional RemoveOptions can be passed as parameter for remove and delete.
data- Additional data to be passed with remove method. This data can be used in subscribers then.listeners: boolean - Indicates if listeners and subscribers are called for this operation. By default they are enabled, you can disable them by setting{ listeners: false }in save/remove options.transaction: boolean - By default transactions are enabled and all queries in persistence operation are wrapped into the transaction. You can disable this behaviour by setting{ transaction: false }in the persistence options.chunk: number - Breaks removal execution into multiple groups of chunks. For example, if you want to remove 100.000 objects but you have issues doing so, you can break them into 10 groups of 10.000 objects, by setting{ chunk: 10000 }, and remove each group separately. This option is needed to perform very big deletions when you have issues with underlying driver parameter number limitation.
Example:
TypeScript
// users contains array of User Entities
userRepository.remove(users, { chunk: entities.length / 1000 })
마지막 업데이트 : 2025년 4월 23일
작성일 : 2023년 2월 16일
작성일 : 2023년 2월 16일