Caution
This documentation is for EF Core. For EF6.x and earlier release see http://msdn.com/data/ef.
Including & Excluding Properties¶
Including a property in the model means that EF has metadata about that property and will attempt to read and write values from/to the database.
In this article:
Conventions¶
By convention, public properties with a getter and a setter will be included in the model.
Data Annotations¶
You can use Data Annotations to exclude a property from the model.
1 2 3 4 5 6 7 8 | public class Blog
{
public int BlogId { get; set; }
public string Url { get; set; }
[NotMapped]
public DateTime LoadedFromDatabase { get; set; }
}
|
Fluent API¶
You can use the Fluent API to exclude a property from the model.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | class MyContext : DbContext
{
public DbSet<Blog> Blogs { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Blog>()
.Ignore(b => b.LoadedFromDatabase);
}
}
public class Blog
{
public int BlogId { get; set; }
public string Url { get; set; }
public DateTime LoadedFromDatabase { get; set; }
}
|