Entity Framework
Entity Framework
#entity-
framework
Table of Contents
About 1
Remarks 2
Versions 2
Examples 2
Examples 9
Introduction 11
Examples 11
Entity splitting 11
Table splitting 12
Introduction 14
Examples 14
Remarks 26
Examples 26
Mapping models 26
Primary Key 28
Maximum Length 29
Remarks 31
Examples 31
Removing Conventions 31
Type Discovery 31
DecimalPropertyConvention 33
Relationship Convention 34
Remarks 37
Examples 37
[Key] attribute 37
[Required] attribute 38
[Range(min,max)] attribute 39
[DatabaseGenerated] attribute 40
[NotMapped] attribute 41
[Table] attribute 42
[Column] attribute 42
[Index] attribute 43
[ForeignKey(string)] attribute 43
[StringLength(int)] attribute 44
[Timestamp] attribute 45
[ConcurrencyCheck] Attribute 45
[InverseProperty(string)] attribute 46
[ComplexType] attribute 47
Examples 48
Examples 49
Examples 53
CreateDatabaseIfNotExists 53
DropCreateDatabaseIfModelChanges 53
DropCreateDatabaseAlways 53
MigrateDatabaseToLatestVersion 54
Examples 55
Introduction 57
Examples 57
Required Fixes 58
Examples 60
Pre-Steps needed in order to use Entity Framework 6.1.3 with PostgresSql using Npgsqlddexp 60
Chapter 14: Entity-framework Code First Migrations 61
Examples 61
Enable Migrations 61
Other Usage 65
Examples 67
Remarks 70
Examples 70
Lazy loading 70
Eager loading 71
Strongly typed. 71
String overload. 71
Explicit loading 72
Projection Queries 72
Remarks 74
Examples 74
Example 75
Chapter 18: Mapping relationship with Entity Framework Code First: One-to-many and Many-to 76
Introduction 76
Examples 76
Mapping one-to-many 76
Many-to-many 79
Chapter 19: Mapping relationship with Entity Framework Code First: One-to-one and variatio 85
Introduction 85
Examples 85
Mapping one-to-one 89
Examples 91
One-to-many relationships 91
Examples 93
Using AsNoTracking 93
Bad Example 94
Good Example 95
Remarks 98
Examples 98
Tracking queries 98
No-tracking queries 98
Examples 100
Database.BeginTransaction() 100
Credits 101
About
You can share this PDF with anyone you feel could benefit from it, downloaded the latest version
from: entity-framework
It is an unofficial and free Entity Framework ebook created for educational purposes. All the
content is extracted from Stack Overflow Documentation, which is written by many hardworking
individuals at Stack Overflow. It is neither affiliated with Stack Overflow nor official Entity
Framework.
The content is released under Creative Commons BY-SA, and the list of contributors to each
chapter are provided in the credits section at the end of this book. Images may be copyright of
their respective owners unless otherwise specified. All trademarks and registered trademarks are
the property of their respective company owners.
Use the content presented in this book at your own risk; it is not guaranteed to be correct nor
accurate, please send your feedback and corrections to info@zzzprojects.com
https://riptutorial.com/ 1
Chapter 1: Getting started with Entity
Framework
Remarks
Entity Framework (EF) is an object-relational mapper (ORM) that enables .NET developers to
work with relational data using domain-specific objects. It eliminates the need for most of the data-
access code that developers usually need to write.
Entity Framework allows you to create a model by writing code or using boxes and lines in the EF
Designer. Both of these approaches can be used to target an existing database or create a new
database.
Entity Framework is the main ORM that Microsoft provides for the .NET Framework and
Microsoft’s recommended data access technology.
Versions
1.0 2008-08-11
4.0 2010-04-12
4.1 2011-04-12
4.3.1 2012-02-29
5.0 2012-08-11
6.0 2013-10-17
6.1 2014-03-17
Examples
Using Entity Framework from C# (Code First)
https://riptutorial.com/ 2
Code first allows you to create your entities (classes) without using a GUI designer or a .edmx file.
It is named Code first, because you can create your models first and Entity framework will create
database according to mappings for you automatically. Or you can also use this approach with
existing database, which is called code first with existing database For example, if you want a
table to hold a list of planets:
Now create your context which is the bridge between your entity classes and the database. Give it
one or more DbSet<> properties:
using System.Data.Entity;
context.Planets.Add(jupiter);
context.SaveChanges();
}
In this example we create a new Planet with the Name property with the value of "Jupiter" and the
AverageDistanceFromSun property with the value of 778.5
We can then add this Planet to the context by using the DbSet's Add() method and commit our
changes to the database by using the SaveChanges() method.
https://riptutorial.com/ 3
In your Visual Studio open the Solution Explorer window then right click on your project then
choose Manage NuGet Packages from the menu:
In the window that opens type EntityFramework in the search box in the top right.
https://riptutorial.com/ 4
Or if you are using Visual Studio 2015 you'll see something like this:
https://riptutorial.com/ 5
Then click Install.
We can also install entity framework using the package manager console. To do you have first to
open it using the Tools menu -> NuGet Package Manager -> Package Manager Console then
enter this:
Install-Package EntityFramework
https://riptutorial.com/ 6
This will install Entity Framework and automatically add a reference to the assembly in your
project.
Writing and managing ADO.Net code for data access is a tedious and monotonous job. Microsoft
has provided an O/RM framework called "Entity Framework" to automate database related
activities for your application.
What is O/RM?
ORM is a tool for storing data from domain objects to the relational database like MS SQL Server,
in an automated way, without much programming. O/RM includes three main parts:
ORM allows us to keep our database design separate from our domain class design. This makes
the application maintainable and extendable. It also automates standard CRUD operation (Create,
https://riptutorial.com/ 7
Read, Update & Delete) so that the developer doesn't need to write it manually.
https://riptutorial.com/ 8
Chapter 2: .t4 templates in entity-framework
Examples
Dynamically adding Interfaces to model
When working with existing model that is quite big and is being regenerated quite often in cases
where abstraction needed it might be costly to manually go around redecorating model with
interfaces. In such cases one might want to add some dynamic behavior to model generation.
Following example will show how automatically add interfaces on classes that have specific
column names:
In your model go to .tt file modify the EntityClassOpening method in following way, this will add
IPolicyNumber interface on entities that have POLICY_NO column, and IUniqueId on UNIQUE_ID
This is one specific case but it shows a power of being able to modify .tt templates.
On every generated model classes there are no documentation comments added by default. If you
want to use XML documentation comments for every generated entity classes, find this part inside
[modelname].tt (modelname is current EDMX file name):
You can add the XML documentation comments before UsingDirectives line as shown in example
below:
https://riptutorial.com/ 9
foreach (var entity in typeMapper.GetItemsToGenerate<EntityType>(itemCollection))
{
fileManager.StartNewFile(entity.Name + ".cs");
BeginNamespace(code);
#>
/// <summary>
/// <#=entity.Name#> model entity class.
/// </summary>
<#=codeStringGenerator.UsingDirectives(inHeader: false)#>
The generated documentation comment should be includes entity name as given below.
/// <summary>
/// Example model entity class.
/// </summary>
public partial class Example
{
// model contents
}
https://riptutorial.com/ 10
Chapter 3: Advanced mapping scenarios:
entity splitting, table splitting
Introduction
How to configure your EF model to support entity splitting or table splitting.
Examples
Entity splitting
And then let's say that you want to map this Person entity into two tables — one with the PersonId
and the Name, and another one with the address details. Of course you would need the PersonId
here as well in order to identify which person the address belongs to. So basically what you want
is to split the entity into two (or even more) parts. Hence the name, entity splitting. You can do this
by mapping each of the properties to a different table:
This will create two tables: People and PersonDetails. Person has two fields, PersonId and Name,
PersonDetails has four columns, PersonId, AddressLine, City and ZipCode. In People, PersonId is
the primary key. In PersonDetails the primary key is also PersonId, but it is also a foreign key
https://riptutorial.com/ 11
referencing PersonId in the Person table.
If you query the People DbSet, EF will do a join on the PersonIds to get the data from both tables
to populate the entities.
This will create the same table structure, but in the People table there will be a PersonName
column instead of the Name column, and in the PersonDetails table there will be a ProprietorId
instead of the PersonId column.
Table splitting
And now let's say you want to do the opposite of entity splitting: instead of mapping one entity into
two tables, you would like to map one table into two entities. This is called table splitting. Let's say
you have one table with five columns: PersonId, Name, AddressLine, City, ZipCode, where
PersonId is the primary key. And then you would like to create an EF model like this:
One thing jumps right out: there is no AddressId in Address. That's because the two entities are
mapped to the same table, so they must have the same primary key as well. If you do table
splitting, this is something you just have to deal with. So besides table splitting, you also have to
configure the Address entity and specify the primary key. And here's how:
https://riptutorial.com/ 12
public class MyDemoContext : DbContext
{
public DbSet<Person> Products { get; set; }
public DbSet<Address> Addresses { get; set; }
https://riptutorial.com/ 13
Chapter 4: Best Practices For Entity
Framework (Simple & Professional)
Introduction
This article is to introduce a simple and professional practice to use Entity Framework.
Examples
1- Entity Framework @ Data layer (Basics)
In this article we will use a simple database called “Company” with two tables:
[dbo].[Categories]([CategoryID], [CategoryName])
In this layer we generate the Entity Framework code (in project library) (see this article in how can
you do that) then you will have the following classes
https://riptutorial.com/ 14
#region Transactions Functions
int Commit();
Task<int> CommitAsync(CancellationToken cancellationToken = default(CancellationToken));
/// <summary>
/// Implementing basic tables, views, procedures, functions, and transaction functions
/// Select (GetAll), Insert (Add), Delete, and Attach
/// No Edit (Modify) function (can modify attached entity without function call)
/// Executes database procedures or functions (Execute)
/// Transaction functions (Commit)
/// More functions can be added if needed
/// </summary>
/// <typeparam name="TEntity">Entity Framework table or view</typeparam>
public class DbRepository : IDbRepository
{
#region Protected Members
#region Constractors
/// <summary>
/// Repository constructor
/// </summary>
/// <param name="dbContext">Entity framework databse context</param>
public DbRepository(DbContext dbContext)
{
_dbContext = dbContext;
ConfigureContext();
}
#endregion Constractors
/// <summary>
/// Query all
/// Set noTracking to true for selecting only (read-only queries)
/// Set noTracking to false for insert, update, or delete after select
/// </summary>
public virtual IQueryable<TResult> GetAll<TResult>(bool noTracking = true) where TResult :
class
{
https://riptutorial.com/ 15
var entityDbSet = GetDbSet<TResult>();
if (noTracking)
return entityDbSet.AsNoTracking();
return entityDbSet;
}
/// <summary>
/// Delete loaded (attached) or unloaded (Detached) entitiy
/// No need to load object to delete it
/// Create new object of TEntity and set the id then call Delete function
/// </summary>
/// <param name="entity">TEntity</param>
/// <returns></returns>
public virtual TEntity Delete<TEntity>(TEntity entity) where TEntity : class
{
if (_dbContext.Entry(entity).State == EntityState.Detached)
{
_dbContext.Entry(entity).State = EntityState.Deleted;
return entity;
}
else
return GetDbSet<TEntity>().Remove(entity);
}
return entity;
}
/// <summary>
/// Saves all changes made in this context to the underlying database.
/// </summary>
/// <returns>The number of objects written to the underlying database.</returns>
public virtual int Commit()
{
return _dbContext.SaveChanges();
}
/// <summary>
/// Asynchronously saves all changes made in this context to the underlying database.
/// </summary>
/// <param name="cancellationToken">A System.Threading.CancellationToken to observe while
https://riptutorial.com/ 16
waiting for the task to complete.</param>
/// <returns>A task that represents the asynchronous save operation. The task result
contains the number of objects written to the underlying database.</returns>
public virtual Task<int> CommitAsync(CancellationToken cancellationToken =
default(CancellationToken))
{
return _dbContext.SaveChangesAsync(cancellationToken);
}
/// <summary>
/// Executes any function in the context
/// use to call database procesdures and functions
/// </summary>>
/// <typeparam name="TResult">return function type</typeparam>
/// <param name="functionName">context function name</param>
/// <param name="parameters">context function parameters in same order</param>
public virtual TResult Execute<TResult>(string functionName, params object[] parameters)
{
MethodInfo method = _dbContext.GetType().GetMethod(functionName);
/// <summary>
/// Set Context Configuration
/// </summary>
protected virtual void ConfigureContext()
{
// set your recommended Context Configuration
_dbContext.Configuration.LazyLoadingEnabled = false;
}
https://riptutorial.com/ 17
}
It is recommended for each presentation screen, you create the business interface and
implementation class that contain all required functions for the screen.
/// <summary>
/// Contains Product Business functions
/// </summary>
public interface IProductBusiness
{
Product SelectById(int productId, bool noTracking = true);
Task<IEnumerable<dynamic>> SelectByCategoryAsync(int CategoryId);
Task<Product> InsertAsync(string productName, int categoryId);
Product InsertForNewCategory(string productName, string categoryName);
Product Update(int productId, string productName, int categoryId);
Product Update2(int productId, string productName, int categoryId);
int DeleteWithoutLoad(int productId);
int DeleteLoadedProduct(Product product);
IEnumerable<GetProductsCategory_Result> GetProductsCategory(int categoryId);
}
/// <summary>
/// Implementing Product Business functions
/// </summary>
public class ProductBusiness : IProductBusiness
{
#region Private Members
#region Constructors
/// <summary>
/// Product Business Constructor
/// </summary>
/// <param name="dbRepository"></param>
public ProductBusiness(IDbRepository dbRepository)
{
_dbRepository = dbRepository;
}
#endregion Constructors
/// <summary>
/// Selects Product By Id
https://riptutorial.com/ 18
/// </summary>
public Product SelectById(int productId, bool noTracking = true)
{
var products = _dbRepository.GetAll<Product>(noTracking);
/// <summary>
/// Selects Products By Category Id Async
/// To have async method, add reference to EntityFramework 6 dll or higher
/// also you need to have the namespace "System.Data.Entity"
/// </summary>
/// <param name="CategoryId">CategoryId</param>
/// <returns>Return what ever the object that you want to return</returns>
public async Task<IEnumerable<dynamic>> SelectByCategoryAsync(int CategoryId)
{
var products = _dbRepository.GetAll<Product>();
var categories = _dbRepository.GetAll<Category>();
/// <summary>
/// Insert Async new product for given category
/// </summary>
public async Task<Product> InsertAsync(string productName, int categoryId)
{
var newProduct = _dbRepository.Add(new Product() { ProductName = productName,
CategoryID = categoryId });
await _dbRepository.CommitAsync();
return newProduct;
}
/// <summary>
/// Insert new product and new category
/// Do many database actions in one transaction
/// each _dbRepository.Commit(); will commit one transaction
/// </summary>
public Product InsertForNewCategory(string productName, string categoryName)
{
var newCategory = _dbRepository.Add(new Category() { CategoryName = categoryName });
var newProduct = _dbRepository.Add(new Product() { ProductName = productName, Category
= newCategory });
_dbRepository.Commit();
https://riptutorial.com/ 19
return newProduct;
}
/// <summary>
/// Update given product with tracking
/// </summary>
public Product Update(int productId, string productName, int categoryId)
{
var product = SelectById(productId,false);
product.CategoryID = categoryId;
product.ProductName = productName;
_dbRepository.Commit();
return product;
}
/// <summary>
/// Update given product with no tracking and attach function
/// </summary>
public Product Update2(int productId, string productName, int categoryId)
{
var product = SelectById(productId);
_dbRepository.Attach(product);
product.CategoryID = categoryId;
product.ProductName = productName;
_dbRepository.Commit();
return product;
}
/// <summary>
/// Deletes product without loading it
/// </summary>
public int DeleteWithoutLoad(int productId)
{
_dbRepository.Delete(new Product() { ProductID = productId });
return _dbRepository.Commit();
}
/// <summary>
/// Deletes product after loading it
/// </summary>
public int DeleteLoadedProduct(Product product)
{
_dbRepository.Delete(product);
return _dbRepository.Commit();
}
/// <summary>
/// Assuming we have the following procedure in database
/// PROCEDURE [dbo].[GetProductsCategory] @CategoryID INT, @OrderBy VARCHAR(50)
/// </summary>
public IEnumerable<GetProductsCategory_Result> GetProductsCategory(int categoryId)
{
return
_dbRepository.Execute<IEnumerable<GetProductsCategory_Result>>("GetProductsCategory",
https://riptutorial.com/ 20
categoryId, "ProductName DESC");
}
In this example we will use the Business layer in Presentation layer. And we will use MVC as
example of Presentation layer (but you can use any other Presentation layer).
We need first to register the IoC (we will use Unity, but you can use any IoC), then write our
Presentation layer
// Business Layer
container.RegisterType<IProductBusiness, ProductBusiness>(new
PerThreadLifetimeManager());
IProductBusiness _productBusiness;
#region Constractors
#endregion Constractors
https://riptutorial.com/ 21
#region Action Functions
[HttpPost]
public ActionResult InsertForNewCategory(string productName, string categoryName)
{
try
{
// you can use any of IProductBusiness functions
var newProduct = _productBusiness.InsertForNewCategory(productName, categoryName);
[HttpDelete]
public ActionResult SmartDeleteWithoutLoad(int productId)
{
try
{
// deletes product without load
var deletedProduct = _productBusiness.DeleteWithoutLoad(productId);
In Unit Test layer we usually test the Business Layer functionalities. And in order to do this, we will
remove the Data Layer (Entity Framework) dependencies.
And the question now is: How can I remove the Entity Framework dependencies in order to unit
test the Business Layer functions?
https://riptutorial.com/ 22
And the answer is simple: we will a fake implementation for IDbRepository Interface then we can
do our unit test
#region Constractors
#endregion Constractors
return entity;
https://riptutorial.com/ 23
}
return (List<TEntity>)_dbContext[typeof(TEntity)];
}
https://riptutorial.com/ 24
4-2 Run your unit testing
[TestClass]
public class ProductUnitTest
{
[TestMethod]
public void TestInsertForNewCategory()
{
// Initialize repositories
FakeDbRepository _dbRepository = new FakeDbRepository();
Assert.AreEqual<int>(1, _productCount);
Assert.AreEqual<int>(1, _categoryCount);
}
[TestMethod]
public void TestProceduresFunctionsCall()
{
// Initialize Procedures / Functions result
Hashtable _contextFunctionsResults = new Hashtable();
_contextFunctionsResults.Add("GetProductsCategory", new
List<GetProductsCategory_Result> {
new GetProductsCategory_Result() { ProductName = "Product 1", ProductID = 1,
CategoryName = "Category 1" },
new GetProductsCategory_Result() { ProductName = "Product 2", ProductID = 2,
CategoryName = "Category 1" },
new GetProductsCategory_Result() { ProductName = "Product 3", ProductID = 3,
CategoryName = "Category 1" }});
// Initialize repositories
FakeDbRepository _dbRepository = new FakeDbRepository(_contextFunctionsResults);
Assert.AreEqual<int>(3, results.Count());
}
}
Read Best Practices For Entity Framework (Simple & Professional) online:
https://riptutorial.com/entity-framework/topic/8879/best-practices-for-entity-framework--simple---
professional-
https://riptutorial.com/ 25
Chapter 5: Code First - Fluent API
Remarks
There are two general ways of specifying HOW Entity Framework will map POCO classes to
database tables, columns, etc.: Data Annotations and Fluent API.
While Data Annotations are a simple to read and understand, they lack of certain features such as
specifying the "Cascade on Delete" behavior for an entity. The Fluent API on the other hand is a
bit more complex to use, but provides a far more advanced set of features.
Examples
Mapping models
EntityFramewok Fluent API is a powerful and elegant way of mapping your code-first domain
models to underlying database. This also can be used with code-first with existing database. You
have two options when using Fluent API: you can directly map your models on OnModelCreating
method or you can create mapper classes which inherits from EntityTypeConfiguration and then
add that models to modelBuilder on OnModelCreating method. Second option is which I prefer
and am going to show example of it.
https://riptutorial.com/ 26
{
// Primary key
this.HasKey(m => m.Id);
// Properties
this.Property(m => m.Surname)
.HasMaxLength(50);
• HasKey - defines the primary key. Composite primary keys can also be used. For example:
this.HasKey(m => new { m.DepartmentId, m.PositionId }).
• Property - lets us to configure model properties.
• HasColumnType - specify database level column type. Please note that, it can be different
for different databases like Oracle and MS SQL.
• HasDatabaseGeneratedOption - specifies if property is calculated at database level.
Numeric PKs are DatabaseGeneratedOption.Identity by default, you should specify
DatabaseGeneratedOption.None if you do not want them to be so.
• HasMaxLength - limits the length of string.
• IsRequired - marks the property as requiered.
• HasPrecision - lets us to specify precision for decimals.
• Ignore - Ignores property completely and does not map it to database. We ignored
FullName, because we do not want this column at our table.
• ToTable - specify table name and schema name (optional) for model.
• HasColumnName - relate property with column name. This is not needed when property
https://riptutorial.com/ 27
names and column names are identical.
Primary Key
By using the .HasKey() method, a property can be explicitly configured as primary key of the
entity.
using System.Data.Entity;
// ..
By using the .HasKey() method, a set of properties can be explicitly configured as the composite
primary key of the entity.
using System.Data.Entity;
// ..
https://riptutorial.com/ 28
modelBuilder.Entity<Person>().HasKey(p => new { p.FirstName, p.LastName });
}
}
Maximum Length
By using the .HasMaxLength() method, the maximum character count can be configured for a
property.
using System.Data.Entity;
// ..
modelBuilder.Entity<Person>()
.Property(t => t.Name)
.HasMaxLength(100);
}
}
By using the .IsRequired() method, properties can be specified as mandatory, which means that
the column will have a NOT NULL constraint.
using System.Data.Entity;
// ..
modelBuilder.Entity<Person>()
.Property(t => t.Name)
.IsRequired();
}
}
https://riptutorial.com/ 29
The resulting column with the NOT NULL constraint:
When a navigation property exist on a model, Entity Framework will automatically create a Foreign
Key column. If a specific Foreign Key name is desired but is not contained as a property in the
model, it can be set explicitly using the Fluent API. By utilizing the Map method while establishing
the Foreign Key relationship, any unique name can be used for Foreign Keys.
After specifying the relationship, the Map method allows the Foreign Key name to be explicitly set
by executing MapKey. In this example, what would have resulted in a column name of Employer_Id
is now EmployerId.
https://riptutorial.com/ 30
Chapter 6: Code First Conventions
Remarks
Convention is a set of default rules to automatically configure a conceptual model based on
domain class definitions when working with Code-First. Code-First conventions are defined in
System.Data.Entity.ModelConfiguration.Conventions namespace (EF 5 & EF 6).
Examples
Primary Key Convention
By default a property is a primary key if a property on a class is named “ID” (not case sensitive), or
the class name followed by "ID". If the type of the primary key property is numeric or GUID it will
be configured as an identity column. Simple Example:
Removing Conventions
By default EF will create DB table with entity class name suffixed by 's'. In this example, Code First
is configured to ignore PluralizingTableName convention so, instead of dbo.Products table
dbo.Product table will be created.
Type Discovery
https://riptutorial.com/ 31
By default Code First includes in model
Here is an example, that we are only adding Company as DbSet<Company> in our context class:
[Table("Staff")]
public class Person
{
public int Id { set; get; }
public string Name { set; get; }
public decimal Salary { set; get; }
}
https://riptutorial.com/ 32
DecimalPropertyConvention
https://riptutorial.com/ 33
}
Relationship Convention
Code First infer the relationship between the two entities using navigation property. This
navigation property can be a simple reference type or collection type. For example, we defined
Standard navigation property in Student class and ICollection navigation property in Standard
class. So, Code First automatically created one-to-many relationship between Standards and
Students DB table by inserting Standard_StandardId foreign key column in the Students table.
https://riptutorial.com/ 34
//Navigation property
public Standard Standard { get; set; }
}
The above entities created the following relationship using Standard_StandardId foreign key.
If class A is in relationship with class B and class B has property with the same name and type as
the primary key of A, then EF automatically assumes that property is foreign key.
https://riptutorial.com/ 35
public int DepartmentId { set; get; }
public virtual Department Department { set; get; }
}
https://riptutorial.com/ 36
Chapter 7: Code First DataAnnotations
Remarks
Entity Framework Code-First provides a set of DataAnnotation attributes, which you can apply to
your domain classes and properties. DataAnnotation attributes override default Code-First
conventions.
Note: DataAnnotations only give you a subset of configuration options. Fluent API provides a full
set of configuration options available in Code-First.
Examples
[Key] attribute
Key is a field in a table which uniquely identifies each row/record in a database table.
Use this attribute to override the default Code-First convention. If applied to a property, it will
be used as the primary key column for this class.
using System.ComponentModel.DataAnnotations;
If a composite primary key is required, the [Key] attribute can also be added to multiple properties.
The order of the columns within the composite key must be provided in the form [Key,
Column(Order = x)].
using System.ComponentModel.DataAnnotations;
https://riptutorial.com/ 37
public string PersonName { get; set; }
}
Without the [Key] attribute, EntityFramework will fall back to the default convention which is to
use the property of the class as a primary key that is named "Id" or "{ClassName}Id".
[Required] attribute
When applied to a property of a domain class, the database will create a NOT NULL column.
using System.ComponentModel.DataAnnotations;
[Required]
public string PersonName { get; set; }
}
[MaxLength(int)] attribute can be applied to a string or array type property of a domain class.
Entity Framework will set the size of a column to the specified value.
using System.ComponentModel.DataAnnotations;
[MinLength(3), MaxLength(100)]
public string PersonName { get; set; }
}
https://riptutorial.com/ 38
[MinLength(int)] attribute is a validation attribute, it does not affect the database structure. If we
try to insert/update a Person with PersonName with length less than 3 characters, this commit will
fail. We’ll get a DbUpdateConcurrencyException that we'll need to handle.
Both [MaxLength] and [MinLength] attributes can also be used with asp.net-mvc as a validation
attribute.
[Range(min,max)] attribute
using System.ComponentModel.DataAnnotations;
[Range(0, 4)]
public Nullable<decimal> Grade { get; set; }
}
If we try to insert/update a Grade with value out of range, this commit will fail. We’ll get a
DbUpdateConcurrencyException that we'll need to handle.
try
{
db.SaveChanges();
}
catch (DbEntityValidationException ex)
{
// Validation failed for one or more entities
https://riptutorial.com/ 39
}
}
Result:
[DatabaseGenerated] attribute
Specifies how the database generates values for the property. There are three possible values:
1. None specifies that the values are not generated by the database.
2. Identity specifies that the column is an identity column, which is typically used for integer
primary keys.
3. Computed specifies that the database generates the value for the column.
If the value is anything other than None, Entity Framework will not commit changes made to the
property back to the database.
using System.ComponentModel.DataAnnotations.Schema;
To create an entity for representing the records in the above table, you would need to use the
https://riptutorial.com/ 40
DatabaseGenerated attribute with a value of Computed.
[Table("Person")]
public class Person
{
[Key, StringLength(100)]
public string Name { get; set; }
public DateTime DateOfBirth { get; set; }
[DatabaseGenerated(DatabaseGeneratedOption.Computed)]
public int Age { get; set; }
}
[NotMapped] attribute
By Code-First convention, Entity Framework creates a column for every public property that is of a
supported data type and has both a getter and a setter. [NotMapped] annotation must be applied
to any properties that we do NOT want a column in a database table for.
An example of a property that we might not want to store in the database is a student’s full name
based on their first and last name. That can be calculated on the fly and there is no need to store it
in the database.
The "FullName" property has only a getter and no setter, so by default, Entity Framework will NOT
create a column for it.
Another example of a property that we might not want to store in the database is a student’s
"AverageGrade". We do not want to get the AverageGrade on-demand; instead we might have a
routine elsewhere that calculates it.
[NotMapped]
public float AverageGrade { set; get; }
The "AverageGrade" must be marked [NotMapped] annotation, else Entity Framework will create
a column for it.
using System.ComponentModel.DataAnnotations.Schema;
[NotMapped]
public float AverageGrade { set; get; }
}
https://riptutorial.com/ 41
For the above Entity we will see inside DbMigration.cs
CreateTable(
"dbo.Students",
c => new
{
Id = c.Int(nullable: false, identity: true),
FirstName = c.String(),
LastName = c.String(),
})
.PrimaryKey(t => t.Id);
[Table] attribute
[Table("People")]
public class Person
{
public int PersonID { get; set; }
public string PersonName { get; set; }
}
Tells Entity Framework to use a specific table name instead of generating one (i.e. Person or
Persons)
We can also specify a schema for the table using [Table] attribute
[Column] attribute
[Column("NameOfPerson")]
public string PersonName { get; set; }
}
Tells Entity Framework to use a specific column name instead using the name of the property. You
https://riptutorial.com/ 42
can also specify the database data type and the order of the column in table:
[Index] attribute
[Index]
public int Age { get; set; }
}
[Index("IX_Person_Age")]
public int Age { get; set; }
[Index(IsUnique = true)]
public int Age { get; set; }
[Index("IX_Person_NameAndAge", 1)]
public int Age { get; set; }
[Index("IX_Person_NameAndAge", 2)]
public string PersonName { get; set; }
This creates a composite index using 2 columns. To do this you must specify the same index
name and provide a column order.
Note: The Index attribute was introduced in Entity Framework 6.1. If you are using an earlier
version the information in this section does not apply.
[ForeignKey(string)] attribute
Specifies custom foreign key name if a foreign key not following EF's convention is desired.
[ForeignKey(nameof(IdAddress))]
public virtual Address HomeAddress { get; set; }
}
https://riptutorial.com/ 43
This can also be used when you have multiple relationships to the same entity type.
using System.ComponentModel.DataAnnotations.Schema;
[ForeignKey("MailingAddressID")]
public virtual Address MailingAddress { get; set; }
[ForeignKey("BillingAddressID")]
public virtual Address BillingAddress { get; set; }
}
Without the ForeignKey attributes, EF might get them mixed up and use the value of
BillingAddressID when fetching the MailingAddress, or it might just come up with a different name
for the column based on its own naming conventions (like Address_MailingAddress_Id) and try to
use that instead (which would result in an error if you're using this with an existing database).
[StringLength(int)] attribute
using System.ComponentModel.DataAnnotations;
[StringLength(100)]
public string Title { get; set;}
[StringLength(300)]
public string Abstract { get; set; }
https://riptutorial.com/ 44
[Timestamp] attribute
[TimeStamp] attribute can be applied to only one byte array property in a given Entity class. Entity
Framework will create a non-nullable timestamp column in the database table for that property.
Entity Framework will automatically use this TimeStamp column in concurrency check.
using System.ComponentModel.DataAnnotations.Schema;
[Timestamp]
public byte[] RowVersion { get; set; }
}
[ConcurrencyCheck] Attribute
This attribute is applied to the class property. You can use ConcurrencyCheck attribute when you
want to use existing columns for concurrency check and not a separate timestamp column for
concurrency.
using System.ComponentModel.DataAnnotations;
[ConcurrencyCheck]
public string AuthorName { get; set; }
}
https://riptutorial.com/ 45
[InverseProperty(string)] attribute
using System.ComponentModel.DataAnnotations.Schema;
[InverseProperty("PrimaryEmployees")]
public virtual Department PrimaryDepartment { get; set; }
[InverseProperty("SecondaryEmployees")]
public virtual Department SecondaryDepartment { get; set; }
}
InverseProperty can be used to identify two way relationships when multiple two way
relationships exist between two entities.
It tells Entity Framework which navigation properties it should match with properties on the other
side.
Entity Framework doesn't know which navigation property map with which properties on the other
side when multiple bidirectional relationships exist between two entities.
It needs the name of the corresponding navigation property in the related class as its parameter.
This can also be used for entities that have a relationship to other entities of the same type,
forming a recursive relationship.
using System.ComponentModel.DataAnnotations;
using System.ComponentModel.DataAnnotations.Schema;
...
[ForeignKey("ParentID")]
public TreeNode ParentNode { get; set; }
[InverseProperty("ParentNode")]
public virtual ICollection<TreeNode> ChildNodes { get; set; }
}
Note also the use of the ForeignKey attribute to specify the column that is used for the foreign key
https://riptutorial.com/ 46
on the table. In the first example, the two properties on the Employee class could have had the
ForeignKey attribute applied to define the column names.
[ComplexType] attribute
using System.ComponentModel.DataAnnotations.Schema;
[ComplexType]
public class BlogDetails
{
public DateTime? DateCreated { get; set; }
[MaxLength(250)]
public string Description { get; set; }
}
Complex Types (Or Value Objects In Domain Driven Design) cannot be tracked on their own but
they are tracked as part of an entity. This is why BlogDetails in the example does not have a key
property.
They can be useful when describing domain entities across multiple classes and layering those
classes into a complete entity.
https://riptutorial.com/ 47
Chapter 8: Complex Types
Examples
Code First Complex Types
A complex type allows you to map selected fields of a database table into a single type that is a
child of the main type.
[ComplexType]
public class Address
{
public string Street { get; set; }
public string Street_2 { get; set; }
public string City { get; set; }
public string State { get; set; }
public string ZipCode { get; set; }
}
This complex type can then be used in multiple entity types. It can even be used more than once
in the same entity type.
This entity type would then be stored in a table in the database that would look something like this.
Of course, in this case, a 1:n association (Customer-Address) would be the preferred model, but
the example shows how complex types can be used.
https://riptutorial.com/ 48
Chapter 9: Database first model generation
Examples
Generating model from database
In Visual Studio go to your Solution Explorer then click on Project you will be adding model Right
mouse. Choose ADO.NET Entity Data Model
Then choose Generate from database and click Next in next window click New Connection... and point
to the database you want to generate model from (Could be MSSQL, MySQL or Oracle)
https://riptutorial.com/ 49
After you done this click Test Connection to see if you have configured connection properly (do not
go any further if it fails here).
Click Next then choose options that you want (like style for generating entity names or to add
foreign keys).
Click Next again, at this point you should have model generated from database.
In T4 code-generation strategy used by Entity Framework 5 and higher, data annotation attributes
are not included by default. To include data annotations on top of certain property every model
regeneration, open template file included with EDMX (with .tt extension) then add a using
statement under UsingDirectives method like below:
https://riptutorial.com/ 50
(itemCollection))
{
fileManager.StartNewFile(entity.Name + ".cs");
BeginNamespace(code);
#>
<#=codeStringGenerator.UsingDirectives(inHeader: false)#>
using System.ComponentModel.DataAnnotations; // --> add this line
As an example, suppose the template should include KeyAttribute which indicates a primary key
property. To insert KeyAttribute automatically while regenerating model, find part of code
containing codeStringGenerator.Property as below:
By applying changes above, all generated model classes will have KeyAttribute on their primary
key property after updating model from database.
Before
using System;
After
using System;
https://riptutorial.com/ 51
using System.ComponentModel.DataAnnotations;
https://riptutorial.com/ 52
Chapter 10: Database Initialisers
Examples
CreateDatabaseIfNotExists
Usage:
DropCreateDatabaseIfModelChanges
This implementation of IDatabaseInitializer drops and recreates the database if the model
changes automatically.
Usage:
DropCreateDatabaseAlways
This implementation of IDatabaseInitializer drops and recreates the database everytime your
context is used in applications app domain. Beware of the data loss due to the fact, that the
database is recreated.
Usage:
https://riptutorial.com/ 53
Example implementation of an initializer, that will migrate the database to 0 and then migrate all
the way to the newest migration (usefull e.g. when running integration tests). In order to do that
you would need a DbMigrationsConfiguration type too.
public RecreateFromScratch()
{
_configuration = new TMigrationsConfiguration();
}
MigrateDatabaseToLatestVersion
An implementation of IDatabaseInitializer that will use Code First Migrations to update the
database to the latest version. To use this initializer you have to use DbMigrationsConfiguration
type too.
Usage:
https://riptutorial.com/ 54
Chapter 11: Entity Framework Code First
Examples
Connect to an existing database
First is the entity class, that will be mapped to our database table dbo.People.
class Person
{
public int PersonId { get; set; }
public string FirstName { get; set; }
}
The class will use Entity Framework's conventions and map to table dbo.People which is expected
to have primary key PersonId and a varchar(max) property FirstName.
Second is the context class which derives from System.Data.Entity.DbContext and which will
manage the entity objects during runtime, pupulate them from database, handle concurrency and
save them back to the database.
Please mind, that in the constructor of our context we need to set database initializer to null - we
don't want Entity Framework to create the database, we just want to access it.
Now you are able manipulate data from that table, e.g. change the FirstName of first person in the
database from a console application like this:
class Program
{
static void Main(string[] args)
{
using (var ctx = new Context("DbConnectionString"))
{
var firstPerson = ctx.People.FirstOrDefault();
if (firstPerson != null) {
firstPerson.FirstName = "John";
ctx.SaveChanges();
}
https://riptutorial.com/ 55
}
}
}
In the code above we created instance of Context with an argument "DbConnectionString". This
has to be specified in our app.config file like this:
<connectionStrings>
<add name="DbConnectionString"
connectionString="Data Source=.;Initial Catalog=ExampleDatabase;Integrated Security=True"
providerName="System.Data.SqlClient"/>
</connectionStrings>
https://riptutorial.com/ 56
Chapter 12: Entity Framework with SQLite
Introduction
SQLite is a self-contained, serverless, transactional SQL database. It can be used within a .NET
application by utilizing both a freely available .NET SQLite library and Entity Framework SQLite
provider. This topic will go into setup and usage of the Entity Framework SQLite provider.
Examples
Setting up a project to use Entity Framework with an SQLite provider
The Entity Framework library comes only with an SQL Server provider. To use SQLite will require
additional dependencies and configuration. All required dependencies are available on NuGet.
https://riptutorial.com/ 57
As shown above, when installing System.Data.SQLite, all related managed libraries are installed
with it. This includes System.Data.SQLite.EF6, the EF provider for SQLite. The project also now
references the assemblies required to use the SQLite provider.
Note: This assembly is bit-dependent, meaning you will need to include a specific
assembly for each bitness you plan to support (x86/x64).
Required Fixes
When installing the package, the app.config file is automatically updated to include the necessary
entries for SQLite and SQLite EF. Unfortunately these entries contain some errors. They need to
be modified before it will work correctly.
First, locate the DbProviderFactorieselement in the config file. It is within the system.data element
and will contain the following
<DbProviderFactories>
<remove invariant="System.Data.SQLite.EF6" />
https://riptutorial.com/ 58
<add name="SQLite Data Provider (Entity Framework 6)" invariant="System.Data.SQLite.EF6"
description=".NET Framework Data Provider for SQLite (Entity Framework 6)"
type="System.Data.SQLite.EF6.SQLiteProviderFactory, System.Data.SQLite.EF6" />
<remove invariant="System.Data.SQLite" /><add name="SQLite Data Provider"
invariant="System.Data.SQLite" description=".NET Framework Data Provider for SQLite"
type="System.Data.SQLite.SQLiteFactory, System.Data.SQLite" />
</DbProviderFactories>
<DbProviderFactories>
<add name="SQLite Data Provider" invariant="System.Data.SQLite.EF6" description=".NET
Framework Data Provider for SQLite" type="System.Data.SQLite.SQLiteFactory,
System.Data.SQLite" />
</DbProviderFactories>
With this, we have specified the EF6 SQLite providers should use the SQLite factory.
<connectionStrings>
<add name="TestContext" connectionString="data source=testdb.sqlite;initial
catalog=Test;App=EntityFramework;" providerName="System.Data.SQLite.EF6"/>
</connectionStrings>
The important thing to note here is the provider. It has been set to System.Data.SQLite.EF6. This
tells EF that when we use this connection string, we want to use SQLite. The data source specified
is just an example and will be dependent on the location and name of your SQLite database.
By specifying name=TestContext, I have indicating that the TestContext connection string located in
the app.configfile should be used to create the context. That connection string was configured to
use SQLite, so this context will use an SQLite database.
https://riptutorial.com/ 59
Chapter 13: Entity-Framework with
Postgresql
Examples
Pre-Steps needed in order to use Entity Framework 6.1.3 with PostgresSql
using Npgsqlddexprovider
b)if already exist above entry, check verison and update it.
https://riptutorial.com/ 60
Chapter 14: Entity-framework Code First
Migrations
Examples
Enable Migrations
Enable-Migrations
You need to have a valid DbContext implementation containing your database objects managed by
EF. In this example the database context will contain to objects BlogPost and Author:
PM> Enable-Migrations
Checking if the context targets an existing database...
Code First Migrations enabled for project <YourProjectName>.
PM>
In addition, a new folder Migrations should appear with a single file Configuration.cs inside:
The next step would be to create your first database migration script which will create the initial
database (see next example).
After you've enabled migrations (please refer to this example) you are now able to create your first
migration containing an initial creation of all database tables, indexes and connections.
https://riptutorial.com/ 61
A migration can be created by using the command
Add-Migration <migration-name>
This command will create a new class containing two methods Up and Down that are used to apply
and remove the migration.
Now apply the command based on the example above to create a migration called Initial:
A new file timestamp_Initial.cs is created (only the important stuff is shown here):
CreateTable(
"dbo.BlogPosts",
c => new
{
Id = c.Int(nullable: false, identity: true),
Title = c.String(nullable: false, maxLength: 128),
Message = c.String(),
Author_AuthorId = c.Int(),
})
.PrimaryKey(t => t.Id)
.ForeignKey("dbo.Authors", t => t.Author_AuthorId)
.Index(t => t.Author_AuthorId);
}
As you can see, in method Up() two tables Authors and BlogPosts are created and the fields are
created accordingly. In addition, the relation between the two tables is created by adding the field
Author_AuthorId. On the other side the method Down() tries to reverse the migration activities.
https://riptutorial.com/ 62
If you feel confident with your migration, you can apply the migration to the database by using the
command:
Update-Database
All pending migrations (in this case the Initial-migration) are applied to the database and
afterwards the seed method is applied (the appropriate example)
PM> update-database
Specify the '-Verbose' flag to view the SQL statements being applied to the target
database.
Applying explicit migrations: [201609302203541_Initial].
Applying explicit migration: 201609302203541_Initial.
Running Seed method.
You can see the results of the activities in the SQL explorer:
For the commands Add-Migration and Update-Database several options are available which can be
used to tweak the activities. To see all options, please use
get-help Add-Migration
and
get-help Update-Database
After enabling and creating migrations there might be a need to initially fill or migrate data in your
database. There are several possibilities but for simple migrations you can use the method
'Seed()' in the file Configuration created after calling enable-migrations.
The Seed() function retrieves a database context as it's only parameter and you are able to
perform EF operations inside this function:
You can perform all types of activities inside Seed(). In case of any failure the complete transaction
(even the applied patches) are being rolled back.
https://riptutorial.com/ 63
An example function that creates data only if a table is empty might look like this:
A nice feature provided by the EF developers is the extension method AddOrUpdate(). This method
allows to update data based on the primary key or to insert data if it does not exist already (the
example is taken from the generated source code of Configuration.cs):
Please be aware that Seed() is called after the last patch has been applied. If you need
to migration or seed data during patches, other approaches need to be used.
For example: You are going to migrate an existing column from non-required to required. In this
case you might need to fill some default values in your migration for rows where the altered fields
are actually NULL. In case the default value is simple (e.g. "0") you might use a default or
defaultSql property in your column definition. In case it's not so easy, you may use the Sql()
function in Up() or Down() member functions of your migrations.
Here's an example. Assuming a class Author which contains an email-address as part of the data
set. Now we decide to have the email-address as a required field. To migrate existing columns the
business has the smart idea of creating dummy email-addresses like fullname@example.com, where
full name is the authors full name without spaces. Adding the [Required] attribute to the field Email
would create the following migration:
https://riptutorial.com/ 64
}
This would fail in case some NULL fields are inside the database:
Adding the following like before the AlterColumn command will help:
Sql(@"Update dbo.Authors
set Email = REPLACE(name, ' ', '') + N'@example.com'
where Email is null");
The update-database call succeeds and the table looks like this (example data shown):
Other Usage
You may use the Sql() function for all types of DML and DDL actibities in your database. It is
executed as part of the migration transaction; If the SQL fails, the complete migration fails and a
rollback is done.
A workaround is the following code sequence which checks for updates to be performed, and
executes them in order. Please ensure proper transactions & exception handling to ensure no data
gets lost in case of errors.
https://riptutorial.com/ 65
void UpdateDatabase(MyDbConfiguration configuration) {
DbMigrator dbMigrator = new DbMigrator( configuration);
if ( dbMigrator.GetPendingMigrations().Any() )
{
// there are pending migrations run the migration job
dbMigrator.Update();
}
}
https://riptutorial.com/ 66
Chapter 15: Inheritance with EntityFramework
(Code First)
Examples
Table per hierarchy
This approach will generate one table on the database to represent all the inheritance structure.
Example:
// On DbContext
public DbSet<Person> People { get; set; }
public DbSet<Employee> Employees { get; set; }
public DbSet<Customer> Customers { get; set; }
Where 'Discriminator' will hold the name of the subclass on the inheritance and 'AdmissionDate',
'JobDescription', 'LastPurchaseDate', 'TotalVisits' are nullable.
Advantages
• Better performance since no joins are required although for to many columns the database
might require many paging operations.
• Simple to use and create
• Easy to add more subclasses and fields
https://riptutorial.com/ 67
Disadvantages
This approach will generate (n+1) tables on the database to represent all the inheritance structure
where n is the number of subclasses.
How to:
[Table("Employees")]
public class Employee : Person
{
public DateTime AdmissionDate { get; set; }
public string JobDescription { get; set; }
}
[Table("Customers")]
public class Customer : Person
{
public DateTime LastPurchaseDate { get; set; }
public int TotalVisits { get; set; }
}
// On DbContext
public DbSet<Person> People { get; set; }
public DbSet<Employee> Employees { get; set; }
public DbSet<Customer> Customers { get; set; }
Where 'PersonId' on all tables will be a primary key and a constraint to People.Id
Advantages
• Normalized tables
• Easy to add columns and subclasses
• No nullable columns
Disadvantages
https://riptutorial.com/ 68
• Join is required to retrieve the data
• Subclass inference is more expensive
https://riptutorial.com/ 69
Chapter 16: Loading related entities
Remarks
If models are correctly related you can easily load related data using EntityFramework. You have
three options to chose from: lazy loading, eager loading and explicit loading.
// Navigation properties
public virtual Person Founder { get; set; }
public virtual ICollection<Address> Addresses { get; set; }
}
// Navigation properties
public virtual Company Company { get; set; }
public virtual Country Country { get; set; }
public virtual City City { get; set; }
}
Examples
Lazy loading
Lazy loading is enabled by default. Lazy loading is achieved by creating derived proxy classes and
overriding virtual navigation proeprties. Lazy loading occurs when property is accessed for the first
time.
To turn Lazy loading off for specific navigation properties just remove virtual keyword from
https://riptutorial.com/ 70
property declaration:
public Person Founder { get; set; } // "virtual" keyword has been removed
If you want to completely turn off Lazy loading, then you have to change Configuration, for
example, at Context constructor:
Note: Please remember to turn off Lazy loading if your are using serialization. Because serializers
access every property you are going to load all of them from database. Additionally, you can run
into loop between navigation properties.
Eager loading
Eager loading lets you load all your needed entities at once. If you prefer to get all your entities to
work on in one database call, then Eager loading is the way to go. It also lets you load multiple
levels.
You have two options to load related entities, you can choose either strongly typed or string
overloads of the Include method.
Strongly typed.
// Load one company with founder and address details
int companyId = ...;
Company company = context.Companies
.Include(m => m.Founder)
.Include(m => m.Addresses)
.SingleOrDefault(m => m.Id == companyId);
// Load 5 companies with address details, also retrieve country and city
// information of addresses
List<Company> companies = context.Companies
.Include(m => m.Addresses.Select(a => a.Country));
.Include(m => m.Addresses.Select(a => a.City))
.Take(5).ToList();
This method is available since Entity Framework 4.1. Make sure you have the reference using
System.Data.Entity; set.
String overload.
https://riptutorial.com/ 71
int companyId = ...;
Company company = context.Companies
.Include("Founder")
.Include("Addresses")
.SingleOrDefault(m => m.Id == companyId);
// Load 5 companies with address details, also retrieve country and city
// information of addresses
List<Company> companies = context.Companies
.Include("Addresses.Country");
.Include("Addresses.City"))
.Take(5).ToList();
Explicit loading
After turning Lazy loading off you can lazily load entities by explicitly calling Load method for
entries. Reference is used to load single navigation properties, whereas Collection is used to get
collections.
As it is on Eager loading you can use overloads of above methods to load entiteis by their names:
Projection Queries
If one needs related data in a denormalized type, or e.g. only a subset of columns one can use
projection queries. If there is no reason for using an extra type, there is the possibility to join the
values into an anonymous type.
https://riptutorial.com/ 72
var dbContext = new MyDbContext();
var denormalizedType = from company in dbContext.Company
where company.Name == "MyFavoriteCompany"
join founder in dbContext.Founder
on company.FounderId equals founder.Id
select new
{
CompanyName = company.Name,
CompanyId = company.Id,
FounderName = founder.Name,
FounderId = founder.Id
};
Or with query-syntax:
https://riptutorial.com/ 73
Chapter 17: Managing entity state
Remarks
Entities in Entity Framework can have various states that are listed by the
System.Data.Entity.EntityState enumeration. These states are:
Added
Deleted
Detached
Modified
Unchanged
Entity Framework works with POCOs. That means that entities are simple classes that have no
properties and methods to manage their own state. Entity state is managed by a context itself, in
the ObjectStateManager.
Examples
Setting state Added of a single entity
context.Entry(entity).State = EntityState.Added;
context.Entities.Add(entity);
When calling SaveChanges, the entity will be inserted into the database. When it's got an identity
column (an auto-set, auto-incrementing primary key), then after SaveChanges, the primary key
property of the entity will contain the newly generated value, even when this property already had
a value.
Setting the state of an object graph (a collection of related entities) to Added is different than setting
a single entity as Added (see this example).
Class model
https://riptutorial.com/ 74
public class Planet
{
public Planet()
{
Moons = new HashSet<Moon>();
}
public int ID { get; set; }
public string Name { get; set; }
public ICollection<Moon> Moons { get; set; }
}
Context
Example
context.Planets.Add(mars);
Console.WriteLine(context.Entry(mars).State);
Console.WriteLine(context.Entry(mars.Moons.First()).State);
Output:
Added
Added
What we see here is that adding a Planet also sets the state of a moon to Added.
When setting an entity's state to Added, all entities in its navigation properties (properties that
"navigate" to other entities, like Planet.Moons) are also marked as Added, unless they already are
attached to the context.
https://riptutorial.com/ 75
Chapter 18: Mapping relationship with Entity
Framework Code First: One-to-many and
Many-to-many
Introduction
The topic discusses how you can map one-to-many and many-to-many relationships using Entity
Framework Code First.
Examples
Mapping one-to-many
So let's say you have two different entities, something like this:
And you want to setup a one-to-many relationship between them, that is, one person can have
zero, one or more cars, and one car belongs to one person exactly. Every relationship is
bidirectional, so if a person has a car, the car belongs to that person.
https://riptutorial.com/ 76
{
public int CarId { get; set; }
public string LicensePlate { get; set; }
public int PersonId { get; set; }
public virtual Person Person { get; set; }
}
And that's it :) You already have your relationship set up. In the database, this is represented with
foreign keys, of course.
In the last example, you can see that EF figures out which column is the foreign key and where
should it point to. How? By using conventions. Having a property of type Person that is named
Person with a PersonId property leads EF to conclude that PersonId is a foreign key, and it points to
the primary key of the table represented by the type Person.
But what if you were to change PersonId to OwnerId and Person to Owner in the Car type?
Well, unfortunately in this case, the conventions are not enough to produce the correct DB
https://riptutorial.com/ 77
schema:
No worries; you can help EF with some hints about your relationships and keys in the model.
Simply configure your Car type to use the OwnerId property as the FK. Create an entity type
configuration and apply it in your OnModelCreating():
This basically says that Car has a required property, Owner (HasRequired()) and in the type of Owner,
the Cars property is used to refer back to the car entities (WithMany()). And finally the property
representing the foreign key is specified (HasForeignKey()). This gives us the schema we want:
https://riptutorial.com/ 78
You could configure the relationship from the Person side as well:
The idea is the same, just the sides are different (note how you can read the whole thing: 'this
person has many cars, each car with a required owner'). Doesn't matter if you configure the
relationship from the Person side or the Car side. You can even include both, but in this case be
careful to specify the same relationship on both sides!
In the previous examples a car cannot exist without a person. What if you wanted the person to be
optional from the car side? Well, it's kind of easy, knowing how to do one-to-many. Just change
the PersonId in Car to be nullable:
And then use the HasOptional() (or WithOptional(), depending from which side you do the
configuration):
Many-to-many
Let's move on to the other scenario, where every person can have multiple cars and every car can
have multiple owners (but again, the relationship is bidirectional). This is a many-to-many
relationship. The easiest way is to let EF do it's magic using conventions.
https://riptutorial.com/ 79
public virtual ICollection<Car> Cars { get; set; }
}
You might want to rename the fields in the join table to be a little more friendly. You can do this by
using the usual configuration methods (again, it doesn't matter which side you do the configuration
https://riptutorial.com/ 80
from):
Quite easy to read even: this car has many owners (HasMany()), with each owner having many
cars (WithMany()). Map this so that you map the left key to OwnerId (MapLeftKey()), the right key
to CarId (MapRightKey()) and the whole thing to the table PersonCars (ToTable()). And this gives
you exactly that schema:
https://riptutorial.com/ 81
Many-to-many: custom join entity
I have to admit, I'm not really a fan of letting EF infer the join table wihtout a join entity. You cannot
track extra information to a person-car association (let's say the date from which it is valid),
because you can't modify the table.
Also, the CarId in the join table is part of the primary key, so if the family buys a new car, you have
to first delete the old associations and add new ones. EF hides this from you, but this means that
you have to do these two operations instead of a simple update (not to mention that frequent
inserts/deletes might lead to index fragmentation — good thing there is an easy fix for that).
In this case what you can do is create a join entity that has a reference to both one specific car
and one specific person. Basically you look at your many-to-many association as a combinations
of two one-to-many associations:
https://riptutorial.com/ 82
public class PersonToCar
{
public int PersonToCarId { get; set; }
public int CarId { get; set; }
public virtual Car Car { get; set; }
public int PersonId { get; set; }
public virtual Person Person { get; set; }
public DateTime ValidFrom { get; set; }
}
This gives me much more control and it's a lot more flexible. I can now add custom data to the
association and every association has its own primary key, so I can update the car or the owner
reference in them.
https://riptutorial.com/ 83
Note that this really is just a combination of two one-to-many relationships, so you can use all the
configuration options discussed in the previous examples.
Read Mapping relationship with Entity Framework Code First: One-to-many and Many-to-many
online: https://riptutorial.com/entity-framework/topic/9413/mapping-relationship-with-entity-
framework-code-first--one-to-many-and-many-to-many
https://riptutorial.com/ 84
Chapter 19: Mapping relationship with Entity
Framework Code First: One-to-one and
variations
Introduction
This topic discusses how to map one-to-one type relationships using Entity Framework.
Examples
Mapping one-to-zero or one
And now you want to set it up so that you can express the following specification: one person can
have one or zero car, and every car belongs to one person exactly (relationships are bidirectional,
so if CarA belongs to PersonA, then PersonA 'owns' CarA).
So let's modify the model a bit: add the navigation properties and the foreign key properties:
https://riptutorial.com/ 85
public string LicensePlate { get; set; }
public int PersonId { get; set; }
public virtual Person Person { get; set; }
}
By this time this should be self-explanatory. The car has a required person (HasRequired()), with
the person having an optional car (WithOptional()). Again, it doesn't matter which side you
configure this relationship from, just be careful when you use the right combination of Has/With
and Required/Optional. From the Person side, it would look like this:
https://riptutorial.com/ 86
Look closely: you can see that there is no FK in People to refer to Car. Also, the FK in Car is not the
PersonId, but the CarId. Here's the actual script for the FK:
So this means that the CarId and PersonId foregn key properties we have in the model are basically
ignored. They are in the database, but they are not foreign keys, as it might be expected. That's
because one-to-one mappings does not support adding the FK into your EF model. And that's
because one-to-one mappings are quite problematic in a relational database.
The idea is that every person can have exactly one car, and that car can only belong to that
person. Or there might be person records, which do not have cars associated with them.
So how could this be represented with foreign keys? Obviously, there could be a PersonId in Car,
and a CarId in People. To enforce that every person can have only one car, PersonId would have to
be unique in Car. But if PersonId is unique in People, then how can you add two or more records
where PersonId is NULL(more than one car that don't have owners)? Answer: you can't (well
actually, you can create a filtered unique index in SQL Server 2008 and newer, but let's forget
about this technicality for a moment; not to mention other RDBMS). Not to mention the case where
you specify both ends of the relationship...
The only real way to enforce this rule if the People and the Car tables have the 'same' primary key
(same values in the connected records). And to do this, CarId in Car must be both a PK and an FK
https://riptutorial.com/ 87
to the PK of People. And this makes the whole schema a mess. When I use this I rather name the
PK/FK in Car PersonId, and configure it accordingly:
Not ideal, but maybe a bit better. Still, you have to be alert when using this solution, because it
goes against the usual naming conventions, which might lead you astray. Here's the schema
generated from this model:
So this relationship is not enforced by the database schema, but by Entity Framework itself. That's
why you have to be very careful when you use this, not to let anybody temper directly with the
database.
https://riptutorial.com/ 88
Mapping one-to-one
Mapping one-to-one (when both sides are required) is also a tricky thing.
Let's imagine how this could be represented with foreign keys. Again, a CarId in People that refers
to CarId in Car, and a PersonId in Car that refers to the PersonId in People.
Now what happens if you want to insert a car record? In order for this to succeed, there must be a
PersonId specified in this car record, because it is required. And for this PersonId to be valid, the
corresponding record in People must exist. OK, so let's go ahead and insert the person record. But
for this to succeed, a valid CarId must be in the person record — but that car is not inserted yet! It
cannot be, because we have to insert the referred person record first. But we cannot insert the
referred person record, because it refers back to the car record, so that must be inserted first
(foreign key-ception :) ).
So this cannot be represented the 'logical' way either. Again, you have to drop one of the foreign
keys. Which one you drop is up to you. The side that is left with a foreign key is called the
'dependent', the side that is left without a foreign key is called the 'principal'. And again, to ensure
the uniqueness in the dependent, the PK has to be the FK, so adding an FK column and importing
that to your model is not supported.
By now you really should have gotten the logic of it :) Just remember that you can choose the
other side as well, just be careful to use the Dependent/Principal versions of WithRequired (and
you still have to configure the PK in Car).
If you check the DB schema, you'll find that it's exactly the same as it was in the case of the one-
to-one or zero solution. That's because again, this is not enforced by the schema, but by EF itself.
So again, be careful :)
https://riptutorial.com/ 89
And to finish off, let's briefly look at the case when both sides are optional.
By now you should be really bored with these examples :), so I'm not going into the details and
play with the idea of having two FK-s and the potential problems and warn you about the dangers
of not enforcing these rules in the schema but in just EF itself.
Again, you can configure from the other side as well, just be careful to use the right methods :)
Read Mapping relationship with Entity Framework Code First: One-to-one and variations online:
https://riptutorial.com/entity-framework/topic/9412/mapping-relationship-with-entity-framework-
code-first--one-to-one-and-variations
https://riptutorial.com/ 90
Chapter 20: Model Restraints
Examples
One-to-many relationships
One way navigation property with optional (foreign key must be Nullable type)
Two way navigation property with (required/optional change the foreign key property as needed)
Required
https://riptutorial.com/ 91
Entity<User>().HasRequired(u => u.UserType).WithMany(ut => ut.Users).HasForeignKey(u =>
u.UserTypeId);
Optional
https://riptutorial.com/ 92
Chapter 21: Optimization Techniques in EF
Examples
Using AsNoTracking
Bad Example:
return location;
Since the above code is simply returning an entity without modifying or adding it, we can avoid
tracking cost.
Good Example:
return location;
When we use function AsNoTracking() we are explicitly telling Entity Framework that the entities are
not tracked by the context. This can be especially useful when retrieving large amounts of data
from your data store. If you want to make changes to un-tracked entities however, you must
remember to attach them before calling SaveChanges.
One problem often seen in code is loading all the data. This will greatly increase the load on the
server.
Let's say I have a model called "location" that has 10 fields in it, but not all the fields are required
at the same time. Let's say I only want the 'LocationName' parameter of that model.
Bad Example
return location.Name;
Good Example
https://riptutorial.com/ 93
var location = dbContext.Location
.Where(l => l.Location.ID == location_ID)
.Select(l => l.LocationName);
.SingleOrDefault();
return location;
The code in the "good example" will only fetch 'LocationName' and nothing else.
Note that since no entity is materialized in this example, AsNoTracking() isn't necessary. There's
nothing to be tracked anyway.
Same as the example before, only the fields 'LocationName' and 'LocationArea' will be retrieved
from the database, the Anonymous Type can hold as many values you want.
The query is correct, but inefficient. States.Single(…) loads a state from the database. Next,
Counties loads all 254 counties with all of their fields in a second query. .Count() is then performed
in memory on the loaded Counties collection.
We've loaded a lot of data we don't need, and we can do better:
Here we only do one query, which in SQL translates to a count and a join. We return only the
count from the database - we've saved returning rows, fields, and creation of objects.
It is easy to see where the query is made by looking at the collection type: IQueryable<T> vs.
IEnumerable<T>.
When using async queries, you can execute multiple queries at the same time, but not on the
same context. If the execution time of one query is 10s, the time for the bad example will be 20s,
while the time for the good example will be 10s.
https://riptutorial.com/ 94
Bad Example
IEnumerable<TResult1> result1;
IEnumerable<TResult2> result2;
Good Example
public async Task<IEnumerable<TResult>> GetResult<TResult>()
{
using(var context = new Context())
{
return await context.Set<TResult1>().ToListAsync().ConfigureAwait(false);
}
}
IEnumerable<TResult1> result1;
IEnumerable<TResult2> result2;
If you just want to get data, but not modify anything, you can turn off change tracking and proxy
creation. This will improve your performance and also prevent lazy loading.
Bad Example:
Good Example:
https://riptutorial.com/ 95
context.Configuration.ProxyCreationEnabled = false;
It is particularly common to turn these off from within the constructor of your context, especially if
you wish these to be set across your solution:
//snip
}
If we want to add a Category to a Product, we have to load the product and add the category to its
Categories, for example:
Bad Example:
https://riptutorial.com/ 96
(where db is a DbContext subclass).
This creates one record in the junction table between Product and Category. However, this table
only contains two Id values. It's a waste of resources to load two full entities in order to create one
tiny record.
A more efficient way is to use stub entities, i.e. entity objects, created in memory, containing only
the bare minimum of data, usually only an Id value. This is what it looks like:
Good example:
product.Categories.Add(category);
db.SaveChanges();
The end result is the same, but it avoids two roundtrips to the database.
Prevent duplicates
It you want to check if the association already exists, a cheap query suffices. For example:
var exists = db.Categories.Any(c => c.Id == 1 && c.Products.Any(p => p.Id == 14));
Again, this won't load full entities into memory. It effectively queries the junction table and only
returns a boolean.
https://riptutorial.com/ 97
Chapter 22: Tracking vs. No-Tracking
Remarks
Tracking behavior controls whether or not Entity Framework will keep information about an entity
instance in its change tracker. If an entity is tracked, any changes detected in the entity will be
persisted to the database during SaveChanges().
Examples
Tracking queries
Example :
• The change to the book rating will be detected and persisted to the database during
SaveChanges().
No-tracking queries
• No tracking queries are useful when the results are used in a read-only scenario
• They are quicker to execute because there is no need to setup change tracking information
Example :
With EF Core 1.0 you are also able to change the default tracking behavior at the context instance
level.
Example :
https://riptutorial.com/ 98
context.ChangeTracker.QueryTrackingBehavior = QueryTrackingBehavior.NoTracking;
• Even if the result type of the query isn’t an entity type, if the result contains entity types they
will still be tracked by default
Example :
• In the following query, which returns an anonymous type, the instances of Book in the result set
will be tracked
• If the result set does not contain any entity types, then no tracking is performed
Example :
• In the following query, which returns an anonymous type with some of the values from the
entity (but no instances of the actual entity type), there is no tracking performed.
https://riptutorial.com/ 99
Chapter 23: Transactions
Examples
Database.BeginTransaction()
Multiple operations can be executed against a single transaction so that changes can be rolled
back if any of the operations fail.
https://riptutorial.com/ 100
Credits
S.
Chapters Contributors
No
.t4 templates in
2 Matas Vaitkevicius, Tetsuya Yamamoto
entity-framework
Advanced mapping
scenarios: entity
3 Akos Nagy
splitting, table
splitting
Entity Framework
11 Balázs Nagy, Jozef Lačný
Code First
Entity Framework
12 Jason Tyler
with SQLite
Entity-Framework
13 skj123
with Postgresql
https://riptutorial.com/ 101
Entity-framework
14 Code First CGritton, hasan, Joshit, Mostafa, RamenChef, Stephen Reindl
Migrations
Inheritance with
15 EntityFramework lucavgobbi
(Code First)
Loading related Adil Mammadov, Florian Haider, Gert Arnold, hasan, Joshit,
16
entities Matas Vaitkevicius, tmg
Managing entity
17 Gert Arnold
state
Mapping relationship
with Entity
18 Framework Code Akos Nagy
First: One-to-many
and Many-to-many
Mapping relationship
with Entity
19 Framework Code Akos Nagy
First: One-to-one
and variations
https://riptutorial.com/ 102