EFCore.BulkExtensions 8.0.2

dotnet add package EFCore.BulkExtensions --version 8.0.2
NuGet\Install-Package EFCore.BulkExtensions -Version 8.0.2
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="EFCore.BulkExtensions" Version="8.0.2" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add EFCore.BulkExtensions --version 8.0.2
#r "nuget: EFCore.BulkExtensions, 8.0.2"
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
// Install EFCore.BulkExtensions as a Cake Addin
#addin nuget:?package=EFCore.BulkExtensions&version=8.0.2

// Install EFCore.BulkExtensions as a Cake Tool
#tool nuget:?package=EFCore.BulkExtensions&version=8.0.2

EFCore.BulkExtensions

EntityFrameworkCore extensions:
-Bulk operations (very fast-forward): Insert, Update, Delete, Read, Upsert, Sync, SaveChanges.
-Batch ops: Delete, Update - Deprecated from EF8 since EF7+ has native Execute-Up/Del; and Truncate.
Library is Lightweight and very Efficient, having all mostly used CRUD operation.
Was selected in top 20 EF Core Extensions recommended by Microsoft.
Latest version is using EF Core 8.
Supports all 4 mayor sql databases: SQLServer, PostgreSQL, MySQL, SQLite.
Check out Testimonials from the Community and User Comments.

Also you can look into others authored packages: | № | .Net library | Description | | - | ------------------------ | -------------------------------------------------------- | | 1 | EFCore.BulkExtensions | EF Core Bulk CRUD Ops (Flagship Lib)| | 2 | EFCore.UtilExtensions | EF Core Custom Annotations and AuditInfo | | 3 | EFCore.FluentApiToAnnotation | Converting FluentApi configuration to Annotations | | 4 | FixedWidthParserWriter | Reading & Writing fixed-width/flat data files | | 5 | CsCodeGenerator | C# code generation based on Classes and elements | | 6 | CsCodeExample | Examples of c# code in form of a simple tutorial |

License

*BulkExtensions licensed under Dual License v1.0 (solution to OpenSource funding, cFOSS: conditionallyFree OSS).
If you do not meet criteria for free usage of software with community license then you have to buy commercial one.
If eligible for free usage but still need active support, consider purchasing Starter Lic.

Support

If you find this project useful you can mark it by leaving a Github Star
And even with community license, if you want help development, you can make a DONATION:
"Buy Me A Coffee" _ or _ Button:zap:

Contributing

Please read CONTRIBUTING for details on code of conduct, and the process for submitting pull requests.
When opening issues do write detailed explanation of the problem or feature with reproducible example.

Description

Supported databases:
-SQLServer (or SqlAzure) under the hood uses SqlBulkCopy for Insert, Update/Delete = BulkInsert + raw Sql MERGE.
-PostgreSQL (9.5+) is using COPY BINARY combined with ON CONFLICT for Update.
-MySQL (8+) is using MySqlBulkCopy combined with ON DUPLICATE for Update.
-SQLite has no Copy tool, instead library uses plain SQL combined with UPSERT.
Bulk Tests can not have UseInMemoryDb because InMemoryProvider does not support Relational-specific methods.
Instead Test options are SqlServer(Developer or Express), LocalDb(if alongside Developer v.), or with other adapters.

Installation

Available on <a href="https://www.nuget.org/packages/EFCore.BulkExtensions/"><img src="https://buildstats.info/nuget/EFCore.BulkExtensions" /></a>
That is main nuget for all Databases, there are also specific ones with single provider for those who need small packages.
Only single specific can be installed in a project, if need more then use main one with all providers.
Package manager console command for installation: Install-Package EFCore.BulkExtensions
Specific ones have adapter sufix: MainNuget + .SqlServer/PostgreSql/MySql/Sqlite
Its assembly is Strong-Named and Signed with a key. | Nuget | Target | Used EF v.| For projects targeting | | ----- | --------------- | --------- | ------------------------------- | | 8.x | Net 8.0 | EF Core 8 | Net 8.0+ | | 7.x | Net 6.0 | EF Core 7 | Net 7.0+ or 6.0+ | | 6.x | Net 6.0 | EF Core 6 | Net 6.0+ | | 5.x | NetStandard 2.1 | EF Core 5 | Net 5.0+ | | 3.x | NetStandard 2.0 | EF Core 3 | NetCore(3.0+) or NetFrm(4.6.1+) MoreInfo| | 2.x | NetStandard 2.0 | EF Core 2 | NetCore(2.0+) or NetFrm(4.6.1+) | | 1.x | NetStandard 1.4 | EF Core 1 | NetCore(1.0+) |

Supports follows official .Net lifecycle, currently v.8(LTS) as latest and v.7 and v.6(LTS).

Usage

It's pretty simple and straightforward.
Bulk Extensions are made on DbContext and are used with entities List (supported both regular and Async methods):

context.BulkInsert(entities);                 context.BulkInsertAsync(entities);
context.BulkInsertOrUpdate(entities);         context.BulkInsertOrUpdateAsync(entities);         // Upsert
context.BulkInsertOrUpdateOrDelete(entities); context.BulkInsertOrUpdateOrDeleteAsync(entities); // Sync
context.BulkUpdate(entities);                 context.BulkUpdateAsync(entities);
context.BulkDelete(entities);                 context.BulkDeleteAsync(entities);
context.BulkRead(entities);                   context.BulkReadAsync(entities);
context.BulkSaveChanges();                    context.BulkSaveChangesAsync();

-SQLite requires package: SQLitePCLRaw.bundle_e_sqlite3 with call to SQLitePCL.Batteries.Init()
-MySQL when running its Test for the first time execute sql command (local-data): SET GLOBAL local_infile = true;

Batch Extensions are made on IQueryable DbSet and can be used as in the following code segment.
They are done as pure sql and no check is done whether some are prior loaded in memory and are being Tracked.
(updateColumns is optional param in which PropertyNames added explicitly when need update to it's default value)
Info about lock-escalation in SQL Server with Batch iteration example as a solution at the bottom of code segment.

// Delete
context.Items.Where(a => a.ItemId >  500).BatchDelete();
context.Items.Where(a => a.ItemId >  500).BatchDeleteAsync();

// Update (using Expression arg.) supports Increment/Decrement 
context.Items.Where(a => a.ItemId <= 500).BatchUpdate(a => new Item { Quantity = a.Quantity + 100 });
context.Items.Where(a => a.ItemId <= 500).BatchUpdateAsync(a => new Item { Quantity = a.Quantity + 100});
  // can be as value '+100' or as variable '+incrementStep' (int incrementStep = 100;)
  
// Update (via simple object)
context.Items.Where(a => a.ItemId <= 500).BatchUpdate(new Item { Description = "Updated" });
context.Items.Where(a => a.ItemId <= 500).BatchUpdateAsync(new Item { Description = "Updated" });
// Update (via simple object) - requires additional Argument for setting to Property default value
var updateCols = new List<string> { nameof(Item.Quantity) }; // Update 'Quantity' to default value ('0')
var q = context.Items.Where(a => a.ItemId <= 500);
int affected = q.BatchUpdate(new Item { Description="Updated" }, updateCols); // result assigned to aff.

// Batch iteration (useful in same cases to avoid lock escalation)
do {
    rowsAffected = query.Take(chunkSize).BatchDelete();
} while (rowsAffected >= chunkSize);

// Truncate
context.Truncate<Entity>();
context.TruncateAsync<Entity>();

Performances

Following are performances (in seconds)

  • For SQL Server (v. 2019):
Ops\Rows EF 100K Bulk 100K EF 1 MIL. Bulk 1 MIL.
Insert 11 s 3 s 60 s 15 s
Update 8 s 4 s 84 s 27 s
Delete 50 s 3 s 5340 s 15 s

TestTable has 6 columns (Guid, string x2, int, decimal?, DateTime), all inserted and 2 were updated.
Test done locally on configuration: INTEL i7-10510U CPU 2.30GHz, DDR3 16 GB, SSD SAMSUNG 512 GB.
For small data sets there is an overhead since most Bulk ops need to create Temp table and also Drop it after finish.
Probably good advice would be to use Bulk ops for sets greater than 1000.

Bulk info

If Windows Authentication is used then in ConnectionString there should be Trusted_Connection=True; because Sql credentials are required to stay in connection.

When used directly each of these operations are separate transactions and are automatically committed.
And if we need multiple operations in single procedure then explicit transaction should be used, for example:

using (var transaction = context.Database.BeginTransaction())
{
    context.BulkInsert(entities1List);
    context.BulkInsert(entities2List);
    transaction.Commit();
}

BulkInsertOrUpdate method can be used when there is need for both operations but in one connection to database.
It makes Update when PK(PrimaryKey) is matched, otherwise does Insert.

BulkInsertOrUpdateOrDelete effectively synchronizes table rows with input data.
Those in Db that are not found in the list will be deleted.
Partial Sync can be done on table subset using expression set on config with method:
bulkConfig.SetSynchronizeFilter<Item>(a => a.Quantity > 0);
Not supported for SQLite (Lite has only UPSERT statement) nor currently for PostgreSQL. Way to achieve there sync functionality is to Select or BulkRead existing data from DB, split list into sublists and call separately Bulk methods for BulkInsertOrUpdate and Delete.

BulkRead (SELECT and JOIN done in Sql)
Used when need to Select from big List based on Unique Prop./Columns specified in config UpdateByProperties

// instead of WhereIN which will TimeOut for List with over around 40 K records
var entities = context.Items.Where(a => itemsNames.Contains(a.Name)).AsNoTracking().ToList(); // SQL IN
// or JOIN in Memory that loads entire table
var entities = context.Items.Join(itemsNames, a => a.Name, p => p, (a, p) => a).AsNoTracking().ToList();

// USE
var items = itemsNames.Select(a => new Item { Name = a }).ToList(); // Items list with only Name set
var bulkConfig = new BulkConfig { UpdateByProperties = new List<string> { nameof(Item.Name) } };
context.BulkRead(items, bulkConfig); // Items list will be loaded from Db with data(other properties)

Useful config ReplaceReadEntities that works as Contains/IN and returns all which match the criteria (not unique).
Example of special use case when need to BulkRead child entities after BulkReading parent list.

SaveChanges uses Change Tracker to find all modified(CUD) entities and call proper BulkOperations for each table.
Because it needs tracking it is slower then pure BulkOps but still much faster then regular SaveChanges.
With config OnSaveChangesSetFK setting FKs can be controlled depending on whether PKs are generated in Db or in memory.
Support for this method was added in version 6 of the library.
Before calling this method newly created should be added into Range:

context.Items.AddRange(newEntities); // if newEntities is parent list it can have child sublists
context.BulkSaveChanges();

Practical general usage could be made in a way to override regular SaveChanges and if any list of Modified entities entries is greater then say 1000 to redirect to Bulk version.

Note: Bulk ops have optional argument Type type that can be set to type of Entity if list has dynamic runtime objects or is inherited from Entity class.

BulkConfig arguments

Bulk methods can have optional argument BulkConfig with properties (bool, int, object, List<string>):

PROPERTY : DEFAULTvalue
----------------------------------------------------------------------------------------------
PreserveInsertOrder: true,                    PropertiesToInclude: null,
SetOutputIdentity: false,                     PropertiesToIncludeOnCompare: null,
SetOutputNonIdentityColumns: true,            PropertiesToIncludeOnUpdate: null,
LoadOnlyIncludedColumns: false,               PropertiesToExclude: null,
BatchSize: 2000,                              PropertiesToExcludeOnCompare: null,
NotifyAfter: null,                            PropertiesToExcludeOnUpdate: null,
BulkCopyTimeout: null,                        UpdateByProperties: null,
TrackingEntities: false,                      ReplaceReadEntities: false,
UseTempDB: false,                             EnableShadowProperties: false,
UniqueTableNameTempDb: true,                  
CustomDestinationTableName: null,             IncludeGraph: false,
CustomSourceTableName: null,                  OmitClauseExistsExcept: false,
CustomSourceDestinationMappingColumns: null,  DoNotUpdateIfTimeStampChanged: false,
OnConflictUpdateWhereSql: null,               SRID: 4326,
WithHoldlock: true,                           DateTime2PrecisionForceRound: false,
CalculateStats: false,                        TemporalColumns: { "PeriodStart", "PeriodEnd" },
SqlBulkCopyOptions: Default,                  OnSaveChangesSetFK: true,
SqlBulkCopyColumnOrderHints: null,            IgnoreGlobalQueryFilters: false,
DataReader: null,                             EnableStreaming: false,
UseOptionLoopJoin:false,                      ApplySubqueryLimit: 0
----------------------------------------------------------------------------------------------
METHOD: SetSynchronizeFilter<T>
        SetSynchronizeSoftDelete<T>

If we want to change defaults, BulkConfig should be added explicitly with one or more bool properties set to true, and/or int props like BatchSize to different number. Config also has DelegateFunc for setting Underlying-Connection/Transaction, e.g. in UnderlyingTest.
When doing update we can chose to exclude one or more properties by adding their names into PropertiesToExclude, or if we need to update less then half column then PropertiesToInclude can be used. Setting both Lists are not allowed.

When using the BulkInsert_/OrUpdate methods, you may also specify the PropertiesToIncludeOnCompare and PropertiesToExcludeOnCompare properties (only for SqlServer). By adding a column name to the PropertiesToExcludeOnCompare, will allow it to be inserted and updated but will not update the row if any of the other columns in that row did not change. For example, if you are importing bulk data and want to remove from comparison an internal CreateDate or UpdateDate, you add those columns to the PropertiesToExcludeOnCompare.
Another option that may be used in the same scenario are the PropertiesToIncludeOnUpdate and PropertiesToExcludeOnUpdate properties. These properties will allow you to specify insert-only columns such as CreateDate and CreatedBy.

If we want Insert only new and skip existing ones in Db (Insert_if_not_Exist) then use BulkInsertOrUpdate with config PropertiesToIncludeOnUpdate = new List<string> { "" }

Additionally there is UpdateByProperties for specifying custom properties, by which we want update to be done.
When setting multiple props in UpdateByProps then match done by columns combined, like unique constrain based on those cols.
Using UpdateByProperties while also having Identity column requires that Id property be Excluded.
Also with PostgreSQL when matching is done it requires UniqueIndex so for custom UpdateByProperties that do not have Un.Ind., it is temporarily created in which case method can not be in transaction (throws: current transaction is aborted; CREATE INDEX CONCURRENTLY cannot run inside a transaction block).
Similar is done with MySQL by temporarily adding UNIQUE CONSTRAINT.

If NotifyAfter is not set it will have same value as BatchSize while BulkCopyTimeout when not set has SqlBulkCopy default which is 30 seconds and if set to 0 it indicates no limit.
SetOutputIdentity have purpose only when PK has Identity (usually int type with AutoIncrement), while if PK is Guid(sequential) created in Application there is no need for them.
Also Tables with Composite Keys have no Identity column so no functionality for them in that case either.

var bulkConfig = new BulkConfig { SetOutputIdentity = true, BatchSize = 4000 };
context.BulkInsert(entities, bulkConfig);
context.BulkInsertOrUpdate(entities, new BulkConfig { SetOutputIdentity = true });
context.BulkInsertOrUpdate(entities, b => b.SetOutputIdentity = true); // e.g. BulkConfig with Action arg.

PreserveInsertOrder is true by default and makes sure that entities are inserted to Db as ordered in entitiesList.
When table has Identity column (int autoincrement) with 0 values in list they will temporary be automatically changed from 0s into range -N:-1.
Or it can be manually set with proper values for order (Negative values used to skip conflict with existing ones in Db).
Here single Id value itself doesn't matter, db will change it to next in sequence, what matters is their mutual relationship for sorting.
Insertion order is implemented with TOP in conjunction with ORDER BY. stackoverflow:merge-into-insertion-order.
This config should remain true when SetOutputIdentity is set to true on Entity containing NotMapped Property. issues/76
When using SetOutputIdentity Id values will be updated to new ones from database.
With BulkInsertOrUpdate on SQLServer for those that will be updated it has to match with Id column, or other unique column(s) if using UpdateByProperties in which case orderBy is done with those props instead of ID, due to how Sql MERGE works. To preserve insert order by Id in this case alternative would be first to use BulkRead and find which records already exist, then split the list into 2 lists entitiesForUpdate and entitiesForInsert without configuring UpdateByProps).
Also for SQLite combination of BulkInsertOrUpdate and IdentityId automatic set will not work properly since it does not have full MERGE capabilities like SqlServer. Instead list can be split into 2 lists, and call separately BulkInsert and BulkUpdate.

SetOutputIdentity is useful when BulkInsert is done to multiple related tables, that have Identity column.
After Insert is done to first table, we need Id-s (if using Option 1) that were generated in Db because they are FK(ForeignKey) in second table.
It is implemented with OUTPUT as part of MERGE Query, so in this case even the Insert is not done directly to TargetTable but to TempTable and then Merged with TargetTable.
When used Id-s will be updated in entitiesList, and if PreserveInsertOrder is set to false then entitiesList will be cleared and reloaded.
SetOutputNonIdentityColumns used only when SetOutputIdentity is set to true, and if this remains True (which is default) all columns are reloaded from Db.
When changed to false only Identity column is loaded to reduce load back from DB for efficiency.

Example of SetOutputIdentity with parent-child FK related tables:

int numberOfEntites = 1000;
var entities = new List<Item>();
var subEntities = new List<ItemHistory>();
for (int i = 1; i <= numberOfEntites; i++)
{
    var entity = new Item { Name = $"Name {i}" };
    entity.ItemHistories = new List<ItemHistory>()
    {
        new ItemHistory { Remark = $"Info {i}.1" },
        new ItemHistory { Remark = $"Info {i}.2" }
    };
    entities.Add(entity);
}

// Option 1 (recommended)
using (var transaction = context.Database.BeginTransaction())
{
    context.BulkInsert(entities, new BulkConfig { SetOutputIdentity = true });
    foreach (var entity in entities) {
        foreach (var subEntity in entity.ItemHistories) {
            subEntity.ItemId = entity.ItemId; // sets FK to match its linked PK that was generated in DB
        }
        subEntities.AddRange(entity.ItemHistories);
    }
    context.BulkInsert(subEntities);
    transaction.Commit();
}

// Option 2 using Graph (only for SQL Server)
// - all entities in relationship with main ones in list are BulkInsertUpdated
context.BulkInsert(entities, b => b.IncludeGraph = true);
  
// Option 3 with BulkSaveChanges() - uses ChangeTracker so little slower then direct Bulk
context.Items.AddRange(entities);
context.BulkSaveChanges();

When CalculateStats set to True the result returned in BulkConfig.StatsInfo (StatsNumber-Inserted/Updated/Deleted).
If used for pure Insert (with Batching) then SetOutputIdentity should also be configured because Merge is required.
TrackingEntities can be set to True if we want to have tracking of entities from BulkRead or if SetOutputIdentity is set.
WithHoldlock means Serializable isolation level that locks the table (can have negative effect on concurrency).
_ Setting it False can optionally be used to solve deadlock issue Insert.
UseTempDB when set then BulkOperation has to be inside Transaction.
UniqueTableNameTempDb when changed to false temp table name will be only 'Temp' without random numbers.
CustomDestinationTableName can be set with 'TableName' only or with 'Schema.TableName'.
CustomSourceTableName when set enables source data from specified table already in Db, so input list not used and can be empty.
CustomSourceDestinationMappingColumns dict can be set only if CustomSourceTableName is configured and it is used for specifying Source-Destination column names when they are not the same. Example in test DestinationAndSourceTableNameTest.
EnableShadowProperties to add (normal) Shadow Property and persist value. Disables automatic discriminator, use manual method.
IncludeGraph when set all entities that have relations with main ones from the list are also merged into theirs tables.
OmitClauseExistsExcept removes the clause from Merge statement, required when having noncomparable types like XML, and useful when need to activate triggers even for same data.
_ Also in some sql collation, small and capital letters are considered same (case-insensitive) so for BulkUpdate set it false.
DoNotUpdateIfTimeStampChanged if set checks TimeStamp for Concurrency, ones with conflict will not be updated.
Return info will be in BulkConfig.TimeStampInfo object within field NumberOfSkippedForUpdate and list EntitiesOutput.
SRID Spatial Reference Identifier - for SQL Server with NetTopologySuite.
DateTime2PrecisionForceRound If dbtype datetime2 has precision less then default 7, example 'datetime2(3)' SqlBulkCopy does Floor instead of Round so when this Property is set then Rounding will be done in memory to make sure inserted values are same as with regular SaveChanges.
TemporalColumns are shadow columns used for Temporal table. Default elements 'PeriodStart' and 'PeriodEnd' can be changed if those columns have custom names.
OnSaveChangesSetFK is used only for BulkSaveChanges. When multiply entries have FK relationship which is Db generated, this set proper value after reading parent PK from Db. IF PK are generated in memory like are some Guid then this can be set to false for better efficiency.
ReplaceReadEntities when set to True result of BulkRead operation will be provided using replace instead of update. Entities list parameter of BulkRead method will be repopulated with obtained data. Enables functionality of Contains/IN which will return all entities matching the criteria (does not have to be by unique columns).
UseOptionLoopJoin when set it appends 'OPTION (LOOP JOIN)' for SqlServer, to reduce potential deadlocks on tables that have FKs. Use this sql hint as a last resort for experienced devs and db admins.
ApplySubqueryLimit Default is zero '0'. When set to larger value it appends: LIMIT 'N', to generated query. Used only with PostgreSql.

DataReader can be used when DataReader ia also configured and when set it is propagated to SqlBulkCopy util object. EnableStreaming can be set to True if want to have tracking of entities from BulkRead or when SetOutputIdentity is set, useful for big field like blob, binary column.

SqlBulkCopyOptions is Enum (only for SqlServer) with [Flags] attribute which enables specifying one or more options:
Default, KeepIdentity, CheckConstraints, TableLock, KeepNulls, FireTriggers, UseInternalTransaction
If need to set Identity PK in memory, Not let DB do the autoincrement, then need to use KeepIdentity:
var bulkConfig = new BulkConfig { SqlBulkCopyOptions = SqlBulkCopyOptions.KeepIdentity };
Useful for example when copying from one Db to another.

OnConflictUpdateWhereSql<T> To define conditional updates on merges, receives (existingTable, insertedTable).
--Example: bc.OnConflictUpdateWhereSql = (ex, in) => $"{in}.TimeUpdated > {ex}.TimeUpdated";
SetSynchronizeFilter<T> A method that receives and sets expresion filter on entities to delete when using BulkInsertOrUpdateOrDelete. Those that are filterd out will be ignored and not deleted.
SetSynchronizeSoftDelete<T> A method that receives and sets expresion on entities to update property instead od deleting when using BulkInsertOrUpdateOrDelete.
bulkConfig.SetSynchronizeSoftDelete<SomeObject>(a => new SomeObject { IsDeleted = true });

Last optional argument is Action progress (Example in EfOperationTest.cs RunInsert() with WriteProgress()).

context.BulkInsert(entitiesList, null, (a) => WriteProgress(a));

For parallelism important notes are:
-SqlBulk in Parallel
-Concurrent operations not run on same Context instance
-Import data to single unindexed table with tabel level lock

Library supports Global Query Filters and Value Conversions as well
Additionally BatchUpdate and named Property works with EnumToString Conversion
It can map OwnedTypes, also next are links with info how to achieve NestedOwnedTypes and OwnedInSeparateTable
On PG when Enum is in OwnedType it needs to have Converter explicitly configured in OnModelCreating

Table splitting are somewhat specific but could be configured in way Set TableSplit
With Computed and Timestamp Columns it will work in a way that they are automatically excluded from Insert. And when combined with SetOutputIdentity they will be Selected.
Spatial types, like Geometry, also supported and if Entity has one, clause EXIST ... EXCEPT is skipped because it's not comparable.
Performance for bulk ops measured with ActivitySources named: 'BulkExecute' (tags: 'operationType', 'entitiesCount')
Bulk Extension methods can be Overridden if required, for example to set AuditInfo.
If having problems with Deadlock there is useful info in issue/46.

TPH (Table-Per-Hierarchy) inheritance model can can be set in 2 ways.
First is automatically by Convention in which case Discriminator column is not directly in Entity but is Shadow Property.
And second is to explicitly define Discriminator property in Entity and configure it with .HasDiscriminator().
Important remark regarding the first case is that since we can not set directly Discriminator to certain value we need first to add list of entities to DbSet where it will be set and after that we can call Bulk operation. Note that SaveChanges are not called and we could optionally turn off TrackingChanges for performance. Example:

public class Student : Person { ... }
context.Students.AddRange(entities); // adding to Context so that Shadow property 'Discriminator' gets set
context.BulkInsert(entities);

TPT (Table-Per-Type) way it is supported.

Product Compatible and additional computed target framework versions.
.NET net8.0 is compatible.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (125)

Showing the top 5 NuGet packages that depend on EFCore.BulkExtensions:

Package Downloads
Elsa.Persistence.EntityFramework.Core

Elsa is a set of workflow libraries and tools that enable lean and mean workflowing capabilities in any .NET Core application. This package provides Entity Framework Core entities used by the various Elsa persistence EF Core providers.

CyberEye.Constant.Lib

Package chứa các constant và enum

GreatUtilities.Core

Essencial tools to agile development.

Ssg.Core

Ssg.Core Is Core of Framework fro web application

Adriva.Extensions.Analytics

Adriva Analytics Server Extensions

GitHub repositories (9)

Showing the top 5 popular GitHub repositories that depend on EFCore.BulkExtensions:

Repository Stars
cq-panda/Vue.NetCore
(已支持sqlsugar).NetCore、.Net6、Vue2、Vue3、Element plus+uniapp前后端分离,全自动生成代码;支持移动端(ios/android/h5/微信小程序。http://www.volcore.xyz/
Webreaper/Damselfly
Damselfly is a server-based Photograph Management app. The goal of Damselfly is to index an extremely large collection of images, and allow easy search and retrieval of those images, using metadata such as the IPTC keyword tags, as well as the folder and file names. Damselfly includes support for object/face detection.
dotnetcore/sharding-core
high performance lightweight solution for efcore sharding table and sharding database support read-write-separation .一款ef-core下高性能、轻量级针对分表分库读写分离的解决方案,具有零依赖、零学习成本、零业务代码入侵
WolvenKit/WolvenKit
Community Mod editor/creator for REDengine games.
VahidN/EFCoreSecondLevelCacheInterceptor
EF Core Second Level Cache Interceptor
Version Downloads Last updated
8.0.2 41,887 2/19/2024
8.0.1 198,021 12/14/2023
8.0.0 91,149 11/21/2023
8.0.0-rc.1.2 15,088 10/4/2023
8.0.0-rc.1 1,291 9/13/2023
8.0.0-preview.7 564 8/31/2023
7.8.1 55,990 12/14/2023
7.1.6 518,147 8/29/2023
7.1.5 177,921 7/25/2023
7.1.4 116,892 7/10/2023
7.1.3 63,524 7/3/2023
7.1.2 226,966 5/26/2023
7.1.1 83,493 5/13/2023
7.1.0 136,345 4/26/2023
7.0.4 80,302 4/19/2023
7.0.3 166,481 4/13/2023
7.0.2 3,278 4/13/2023
7.0.1 572,204 1/28/2023
7.0.0 66,699 1/22/2023
6.8.1 49,782 12/18/2023
6.7.16 128,885 8/29/2023
6.7.15 185,791 7/25/2023
6.7.14 27,320 7/10/2023
6.7.13 7,211 7/4/2023
6.7.12 97,084 5/26/2023
6.7.11 24,565 5/13/2023
6.7.1 64,079 4/26/2023
6.7.0 324,709 1/22/2023
6.6.5 334,810 1/5/2023
6.6.4 98,895 12/19/2022
6.6.3 3,502 12/19/2022
6.6.2 211,221 12/7/2022
6.6.1 2,623 12/7/2022
6.6.0 3,446 12/7/2022
6.6.0-rc.2 126 12/7/2022
6.6.0-rc.1 127 12/7/2022
6.5.6 3,091,414 8/8/2022
6.5.5 362,054 7/21/2022
6.5.4 212,574 7/12/2022
6.5.3 61,746 7/7/2022
6.5.2 239,778 6/20/2022
6.5.1 147,818 6/14/2022
6.5.0 531,063 5/10/2022
6.4.4 823,096 4/15/2022
6.4.3 6,597 4/14/2022
6.4.2 635,333 3/17/2022
6.4.1 635,787 2/21/2022
6.4.0 224,903 2/8/2022
6.3.9 139,449 2/7/2022
6.3.8 7,147 2/6/2022
6.3.7 19,762 2/3/2022
6.3.6 3,383 2/3/2022
6.3.5 2,901 2/3/2022
6.3.4 15,069 2/2/2022
6.3.3 85,145 1/31/2022
6.3.2 26,797 1/28/2022
6.3.1 95,525 1/20/2022
6.3.0 96,086 1/15/2022
6.2.9 686,405 1/14/2022
6.2.8 61,690 1/9/2022
6.2.7 6,529 1/9/2022
6.2.6 611,527 1/1/2022
6.2.5 2,843 12/30/2021
6.2.4 20,020 12/25/2021
6.2.3 121,679 12/17/2021
6.2.2 17,546 12/15/2021
6.2.1 29,806 12/13/2021
6.2.0 19,879 12/10/2021
6.1.9 15,198 12/9/2021
6.1.8 9,941 12/9/2021
6.1.7 2,568 12/9/2021
6.1.6 7,880 12/8/2021
6.1.5 6,722 12/8/2021
6.1.4 224,935 12/4/2021
6.1.3 7,157 12/3/2021
6.1.2 10,365 12/2/2021
6.1.1 60,768 11/29/2021
6.1.0 113,401 11/28/2021
6.0.9 37,197 11/26/2021
6.0.8 17,784 11/26/2021
6.0.7 34,331 11/26/2021
6.0.6 59,547 11/24/2021
6.0.5 18,058 11/24/2021
6.0.4 52,822 11/21/2021
6.0.3 47,227 11/18/2021
6.0.2 48,494 11/12/2021
6.0.1 121,126 11/10/2021
6.0.0 200,872 11/10/2021
6.0.0-rc.2 3,235 10/15/2021
6.0.0-rc.1 685 10/6/2021
5.4.2 435,283 1/14/2022
5.4.1 193,976 11/12/2021
5.4.0 784,208 9/9/2021
5.3.9 40,007 9/5/2021
5.3.8 14,653 9/2/2021
5.3.7 225,150 8/10/2021
5.3.6 7,425 8/10/2021
5.3.5 12,734 8/9/2021
5.3.4 3,720 8/9/2021
5.3.3 5,926 8/9/2021
5.3.2 10,762 8/6/2021
5.3.1 82,082 7/26/2021
5.3.0 65,219 7/19/2021
5.2.9 16,228 7/19/2021
5.2.8 91,548 7/9/2021
5.2.7 25,536 7/8/2021
5.2.6 35,330 7/5/2021
5.2.5 86,424 6/20/2021
5.2.4 13,397 6/17/2021
5.2.3 52,832 6/10/2021
5.2.2 258,750 5/19/2021
5.2.1 21,839 5/17/2021
5.2.0 26,568 5/13/2021
5.1.9 5,118 5/13/2021
5.1.8 56,650 5/9/2021
5.1.7 24,482 5/5/2021
5.1.6 7,663 5/4/2021
5.1.5 5,125 5/3/2021
5.1.4 3,818 5/2/2021
5.1.3 3,300 5/1/2021
5.1.2 48,823 4/24/2021
5.1.1 3,512 4/23/2021
5.1.0 39,339 4/20/2021
5.0.9 38,093 4/19/2021
5.0.8 13,402 4/19/2021
5.0.7 44,733 4/12/2021
5.0.6 17,588 4/8/2021
5.0.5 26,867 4/7/2021
5.0.4 73,579 4/7/2021
5.0.3 9,624 4/7/2021
5.0.2 12,394 4/4/2021
5.0.1 10,337 4/3/2021
5.0.0 20,425 4/2/2021
3.6.6 246,505 2/26/2022
3.6.5 118,567 1/14/2022
3.6.4 6,202 1/7/2022
3.6.3 392,213 8/5/2021
3.6.2 20,284 7/26/2021
3.6.1 315,597 4/7/2021
3.6.0 10,375 4/7/2021
3.5.8 112,138 3/30/2021
3.5.7 2,956 3/30/2021
3.5.6 28,199 3/29/2021
3.5.5 11,847 3/27/2021
3.5.4 4,144 3/26/2021
3.5.3 2,542 3/26/2021
3.5.2 32,809 3/25/2021
3.5.1 10,011 3/24/2021
3.5.0 7,103 3/24/2021
3.4.9 15,136 3/23/2021
3.4.8 68,312 3/22/2021
3.4.7 11,618 3/21/2021
3.4.6 5,746 3/20/2021
3.4.5 2,538 3/20/2021
3.4.4 2,984 3/19/2021
3.4.3 12,742 3/18/2021
3.4.2 9,740 3/17/2021
3.4.1 10,621 3/17/2021
3.4.0 40,839 3/15/2021
3.3.9 108,875 3/15/2021
3.3.8 9,227 3/14/2021
3.3.7 6,403 3/13/2021
3.3.6 13,410 3/13/2021
3.3.5 155,513 3/10/2021
3.3.4 34,319 3/9/2021
3.3.3 100,880 3/8/2021
3.3.2 7,118 3/7/2021
3.3.1 421,868 2/7/2021
3.3.0 16,700 2/7/2021
3.2.7 510,849 12/13/2020
3.2.6 5,508 12/12/2020
3.2.5 1,109,009 10/15/2020
3.2.4 199,855 10/6/2020
3.2.3 193,815 9/23/2020
3.2.2 21,009 9/21/2020
3.2.1 8,193 9/21/2020
3.2.0 28,321 9/17/2020
3.1.6 287,446 9/11/2020
3.1.5 911,996 7/14/2020
3.1.4 178,375 7/7/2020
3.1.3 27,950 7/3/2020
3.1.2 12,810 7/1/2020
3.1.1 1,094,713 3/25/2020
3.1.0 1,234,655 12/18/2019
3.0.5 92,058 12/10/2019
3.0.4 65,935 12/1/2019
3.0.3 30,841 11/17/2019
3.0.2 10,017 11/12/2019
3.0.1 6,147 11/11/2019
3.0.0 153,863 10/4/2019
3.0.0-rc 5,135 9/25/2019
2.6.4 870,440 11/30/2019
2.6.3 404,222 9/21/2019
2.6.2 3,207 9/21/2019
2.6.1 116,091 9/12/2019
2.6.0 238,236 8/19/2019
2.6.0-rc 4,831 7/24/2019
2.5.2 174,661 7/22/2019
2.5.1 23,885 7/14/2019
2.5.0 114,875 7/14/2019
2.4.9 127,576 7/4/2019
2.4.8 3,059 7/4/2019
2.4.7 218,641 5/28/2019
2.4.6 124,006 4/22/2019
2.4.5 65,215 4/8/2019
2.4.4 93,419 3/18/2019
2.4.3 35,454 3/5/2019
2.4.2 8,895 3/3/2019
2.4.1 335,205 3/3/2019
2.4.0 214,630 2/4/2019
2.3.9 86,303 1/31/2019
2.3.8 19,387 1/29/2019
2.3.7 98,213 1/4/2019
2.3.6 18,461 12/27/2018
2.3.5 68,967 12/10/2018
2.3.4 21,013 11/27/2018
2.3.3 3,391 11/27/2018
2.3.2 12,859 11/26/2018
2.3.1 13,181 11/25/2018
2.3.0 13,320 11/23/2018
2.2.9 11,088 11/23/2018
2.2.8 3,612 11/22/2018
2.2.7 3,818 11/22/2018
2.2.6 68,292 11/21/2018
2.2.5 8,031 11/16/2018
2.2.4 33,094 11/14/2018
2.2.3 15,222 11/11/2018
2.2.2 54,688 11/8/2018
2.2.1 7,498 11/8/2018
2.2.0 121,248 11/8/2018
2.1.9 57,499 10/28/2018
2.1.8 35,176 10/10/2018
2.1.7 135,131 7/26/2018
2.1.6 13,585 7/13/2018
2.1.5 6,221 7/12/2018
2.1.4 13,949 7/7/2018
2.1.3 11,139 6/24/2018
2.1.2 10,647 6/21/2018
2.1.1 31,857 6/14/2018
2.1.0 21,807 6/11/2018
2.0.9 9,640 6/11/2018
2.0.8 130,965 5/15/2018
2.0.7 31,237 3/28/2018
2.0.6 7,433 3/24/2018
2.0.5 17,869 2/12/2018
2.0.4 4,015 2/6/2018
2.0.3 4,750 1/30/2018
2.0.2 14,322 11/13/2017
2.0.1 12,468 9/7/2017
2.0.0 18,232 9/4/2017
2.0.0-rc 3,213 9/4/2017
1.1.0 5,522 9/4/2017
1.0.8 3,766 8/31/2017
1.0.7 4,600 8/15/2017
1.0.6 3,897 8/9/2017
1.0.5 4,729 7/11/2017
1.0.4 4,108 6/23/2017
1.0.3 4,049 5/30/2017
1.0.2 4,394 5/15/2017
1.0.1 3,849 5/12/2017
1.0.0 10,291 5/12/2017

nugets