linking with DB
Configuration
- Table name
- Entity Class name defines Table name
- for example, the
Item
class makesItem
table in DB and thePlayer
class makesPlayer
table in DB - you can define table name by annotation, example,
[Table("Item")]
- Primary Key
- [ClassName]Id is specified by primary key
- you can define primary key by annotation, example,
[Key]
- Foreign Key
- reference another class
- Navigational Property
- when type of the object is outer class type, the object is foreign data
- for example, type of the
Owner
isPlayer
, soOwner
is foreign data - to make foreign key to data, make object name to [ObjectName]Id
- or just use annotation
[ForeignKey("[ObjectName]")]
or[ForeignKEy("[ObjectName]Id")]
- Alternate Key
- not primary key but it is unique, then it can be alternate key
- for example, if
Name
is unique, then it can be alternate key inPlayer
table
- DataModel.cs
[Table("Item")]
public class Item
{
public int ItemId { get; set; }
public int TemplatedId { get; set; }
public DateTime CreateDate { get; set; }
public int OwnerId { get; set; }
public Player Owner { get; set; }
}
public class Player
{
public int PlayerId { get; set; }
public string Name { get; set; }
}
EF Core Process
- step
- make DbContext
- search DbSet
- analize modeling class, and search column
- if there is another class which is referenced in modeling class, analize it also
- call OnModelCreating function(extra setting = override)
-
hold all modeling structure of database in inner memory
- DbSet
- notice to EFCore
- ex. there is Items in DB table, and let it reference detail column/ key information on Item class
- DB ConnectionString
- connect DB
- include settings, Authorization, and etc
- SqlServer
- if you use Sql Server, reference
OnConfiguring
method below
- if you use Sql Server, reference
- AppDbContext.cs
class AppDbContext : DbContext
{
public DbSet<Item> Items { get; set; }
public DbSet<Player> Players { get; set; }
public const string ConnectionString = "Data Source=(localdb)\\MSSQLLocalDB;Initial Catalog=EFCoreDb;Integrated Security=True;Connect Timeout=30;Encrypt=False;TrustServerCertificate=False;ApplicationIntent=ReadWrite;MultiSubnetFailover=False";
protected override void OnConfiguring(DbContextOptionsBuilder options)
{
options.UseSqlServer(ConnectionString);
}
}
Initialize DB
- check exsisting DB
(db.GetService<IDatabaseCreator>() as RelationalDatabaseCreator).Exists()
- EnsuredDeleted()
- Delete Database and ensure it
- EnsuredCreated()
- Create Database and ensure it
- using{}
- to avoid
Disposal()
- to avoid
- DbCommands.cs
public static void InitializeDB(bool forceReset = false)
{
using (AppDbContext db = new AppDbContext())
{
if (!forceReset && (db.GetService<IDatabaseCreator>() as RelationalDatabaseCreator).Exists())
return;
db.Database.EnsureDeleted();
db.Database.EnsureCreated();
CreateTestData(db);
Console.WriteLine("DB Initialized");
}
}
data:image/s3,"s3://crabby-images/62c0e/62c0edf13297368f145bd5aeab36338038bf3490" alt=""
CRUD
C(Create)
- AddRange([ListName])
- same function with Add([ObjectName])
- but you can add a bundle of objects in List
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
var hanna = new Player() { Name = "Hanna" };
var faker = new Player() { Name = "Faker" };
var deft = new Player() { Name = "Deft" };
List<Item> items = new List<Item>()
{
new Item()
{
TemplatedId = 101,
CreateDate = DateTime.Now,
Owner = hanna
},
new Item()
{
TemplatedId = 102,
CreateDate = DateTime.Now,
Owner = faker
},
new Item()
{
TemplatedId = 103,
CreateDate = DateTime.Now,
Owner = deft
}
};
db.Items.AddRange(items);
db.SaveChanges();
}
data:image/s3,"s3://crabby-images/a3544/a3544fb8ff26f83c26b59dd1236d6695724287d5" alt=""
data:image/s3,"s3://crabby-images/0d047/0d047c2386fdcca75b5f220c7bb9ad802835c009" alt=""
R(Read)
- AsNoTracking
- ReadOnly
- to skip Tracking Snapshot
- Tracking Snapshot
- detect data’s change
- Include
- Eager Loading
- load foreign data by foreign key
- DbCommands.cs
public static void ReadAll()
{
using(var db = new AppDbContext())
{
foreach(Item item in db.Items.AsNoTracking().Include(i => i.Owner))
{
Console.WriteLine($"TemplatedId({item.TemplatedId}) Owner({item.Owner.Name}) Created({item.CreateDate})");
}
}
}
data:image/s3,"s3://crabby-images/157e8/157e84a8fe93782a46e49b45392f4b55ea29fd09" alt=""
U(Update)
- DbCommands.cs
// change items of CreateDate of speficied player
public static void UpdateDate()
{
Console.WriteLine("Input Player Name");
Console.Write("> ");
string name = Console.ReadLine();
using(var db = new AppDbContext())
{
var items = db.Items.Include(i => i.Owner)
.Where(i => i.Owner.Name == name);
foreach(Item item in items)
{
item.CreateDate = DateTime.Now;
}
db.SaveChanges();
}
ReadAll();
}
data:image/s3,"s3://crabby-images/8ceac/8ceacb7f759c3cfa21023e1433937ddc81850945" alt=""
data:image/s3,"s3://crabby-images/c5a3f/c5a3f0c2e9d64cfed8ddedb6e72d1052d8ca9490" alt=""
D(Delete)
- RemoveRange([ListName])
- same function with Remove([ObjectName])
- but you can remove a bundle of objects in List
- DbCommands.cs
public static void DeleteItem()
{
Console.WriteLine("Input Player Name");
Console.Write("> ");
string name = Console.ReadLine();
using (var db = new AppDbContext())
{
var items = db.Items.Include(i => i.Owner)
.Where(i => i.Owner.Name == name);
db.Items.RemoveRange(items);
db.SaveChanges();
}
ReadAll();
}
data:image/s3,"s3://crabby-images/d0a22/d0a22b5e9a7fe8b78ab0bf1811e4b368afed15f9" alt=""
data:image/s3,"s3://crabby-images/e93c5/e93c50b37832fc0a875db9130bb10cb659fe850f" alt=""
Relationship
DB Relationship
- DB relationship modeling
- 1:1
- 1:N
Normally, Foreign Key is N
- N:N
- 1:1
- DataModel.cs
public class Item
{
...
public Player Owner { get; set; }
}
public class Player
{
...
public ICollection<Item> Items { get; set; } // 1:N
}
- DbCommands.cs
public static void ShowItems()
{
Console.WriteLine("Input Player Name");
Console.Write("> ");
string name = Console.ReadLine();
using(var db = new AppDbContext())
{
foreach(Player player in db.Players.AsNoTracking().Where(p => p.Name == name).Include(p => p.Items))
{
foreach(Item item in player.Items)
{
Console.WriteLine($"{item.TemplateId}");
}
}
}
}
data:image/s3,"s3://crabby-images/3bad8/3bad86bebfb330fd6837956ec022670fe39ce5cf" alt=""
data:image/s3,"s3://crabby-images/e9477/e9477befeedf7b729bd10535cf379ab47f323d88" alt=""
data:image/s3,"s3://crabby-images/10822/10822b135611afa05998dc45f8bfcc32fbe8f9b4" alt=""
Loading
Model change
- DataModel.cs
[Table("Item")]
public class Item
{
...
[ForeignKey("OwnerId")]
public Player Owner { get; set; }
}
[Table("Player")]
public class Player
{
...
// public ICollection<Item> Items { get; set; }
public Item Item { get; set; }
public Guild Guild { get; set; }
}
[Table("Guild")]
public class Guild
{
public int GuildId { get; set; }
public string GuildName { get; set; }
public ICollection<Player> Members { get; set; }
}
- AppDbContext.cs
public DbSet<Player> Players { get; set; }
public DbSet<Guild> Guilds { get; set; }
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
Guild guild = new Guild()
{
GuildName = "T1",
Members = new List<Player>() { hanna, faker, deft }
};
db.Guilds.Add(guild);
}
data:image/s3,"s3://crabby-images/8ff27/8ff278bbd9f1406987966a6a8249c79694c80267" alt=""
Eager Loading
- Pros
- can access DB at once
- Cons
- load all data
- DbCommands.cs
public static void EagerLoading()
{
Console.WriteLine("Input Guild Name");
Console.Write("> ");
string name = Console.ReadLine();
using (var db = new AppDbContext())
{
Guild guild = db.Guilds.AsNoTracking()
.Where(g => g.GuildName == name)
.Include(g => g.Members)
.ThenInclude(p => p.Item)
.First();
foreach (Player player in guild.Members)
{
Console.WriteLine($"TemplateId({player.Item.TemplateId}) Owner({player.Name})");
}
}
}
data:image/s3,"s3://crabby-images/728e8/728e84b93fac48083b095934e0a653d8a424bfe3" alt=""
Explicit Loading
- Pros
- can define loading moment
- Cons
- cost of DB access
- DbCommands.cs
public static void ExplicitLoading()
{
Console.WriteLine("Input Guild Name");
Console.Write("> ");
string name = Console.ReadLine();
using (var db = new AppDbContext())
{
Guild guild = db.Guilds
.Where(g => g.GuildName == name)
.First();
db.Entry(guild).Collection(g => g.Members).Load();
foreach (Player player in guild.Members)
{
db.Entry(player).Reference(p => p.Item).Load();
}
foreach (Player player in guild.Members)
{
Console.WriteLine($"TemplateId({player.Item.TemplateId}) Owner({player.Name})");
}
}
}
data:image/s3,"s3://crabby-images/051bf/051bf6cea13030b60df5366a021c5db4f0de0f23" alt=""
Select Loading
- Pros
- loading data which is really needed
- Cons
- need to write in select
ex. SELECT COUNT(*)
- need to write in select
- DbCommends.cs
public static void SelectLoading()
{
Console.WriteLine("Input Guild Name");
Console.Write("> ");
string name = Console.ReadLine();
using (var db = new AppDbContext())
{
var info = db.Guilds
.Where(g => g.GuildName == name)
.Select(g => new
{
Name = g.GuildName,
MemberCount = g.Members.Count
})
.First();
Console.WriteLine($"GuildName({info.Name}), MemberCount({info.MemberCount})");
}
}
data:image/s3,"s3://crabby-images/845d4/845d4c5e99d7045d5e9d11c9a60b5b52667add78" alt=""
Data Transfer Object(DTO)
Model change
- DataModel.cs
[Table("Item")]
public class Item
{
...
// [ForeignKey("OwnerId")]
public int OwnerId { get; set; }
public Player Owner { get; set; }
}
public class GuildDto
{
public int GuildId { get; set; }
public string Name { get; set; }
public int MemberCount { get; set; }
}
Select Loading
- Select()
- By DTO, you can make a object instead of
.Select()
- and this solution uses LINQ, so it more easier to write and manage
- By DTO, you can make a object instead of
- IEnumerable
- LINQ to Object
- LINQ to XML Query
- IQueryable
- LINQ to SQL Query
- Extension.cs
public static IQueryable<GuildDto> MapGuildToDto(this IQueryable<Guild> guild)
{
return guild.Select(g => new GuildDto()
{
GuildId = g.GuildId,
Name = g.GuildName,
MemberCount = g.Members.Count
});
}
- DbCommands.cs
public static void SelectLoading()
{
...
using (var db = new AppDbContext())
{
var info = db.Guilds
.Where(g => g.GuildName == name)
.MapGuildToDto()
.First();
...
}
data:image/s3,"s3://crabby-images/280b1/280b17382ec23fe47bc2eafb52a521869788e2ed" alt=""
State
State Type
- Detached
- No Tracking
- cannot use SaveChanges()
- Unchanged
- exist in DB, but not change
- not changed from SaveChanges()
- Deleted
- exist in DB, but should be deleted
- apply deleting from SaveChanges()
- Modified
- exist in DB, changed in Client
- apply changing from SaveChanges()
- Added
- not exist in DB
- apply adding from SaveChanges
SaveChanges()
- SaveChanges()
- state of added objects is changed to Unchanged
- manage PK by SQL Identity
- after adding data, received ID and fill Id property of object
- reference Relationship and setting FK and link Object Reference
- link existed player
- first, Tracked Instance
- then, SaveChanges()
State
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
var hanna = new Player() { Name = "Hanna" };
...
// 1) Detached
Console.WriteLine(db.Entry(hanna).State);
...
db.Items.AddRange(items);
db.Guilds.Add(guild);
// 2) Added
Console.WriteLine(db.Entry(hanna).State);
Console.WriteLine(hanna.PlayerId);
db.SaveChanges();
// link with existed item
{
var owner = db.Players.Where(p => p.Name == "Hanna").First();
Item item = new Item()
{
TemplateId = 300,
CreateDate = DateTime.Now,
Owner = owner
};
db.Items.Add(item);
db.SaveChanges();
}
// 3) Unchanged
Console.WriteLine(db.Entry(hanna).State);
Console.WriteLine(hanna.PlayerId);
}
data:image/s3,"s3://crabby-images/5a229/5a2295812845f6b870c074621af07d763cadfbe0" alt=""
Update
Update 3 Step
- Tracked Entity
- change Property of Entity Class(set)
- call SaveChanges
Update
- call SaveChanges
- call DetectChanges innerly
- compare first Snapshot with current Snapshot in DetectChange
- in SQL
SELECT TOP(2) GuildId, GuildName
FROM [Guilds]
WHERE GuildName = N'T1';
SET NOCOUNT ON;
UPDATE [Guilds]
SET GuildName = @p0
WHERE GuildID = @p1;
SELECT @@ROWCOUNT;
public static void UpdateTest()
{
using(AppDbContext db = new AppDbContext())
{
var guild = db.Guilds.Single(g => g.GuildName == "T1");
guild.GuildName = "DWG";
db.SaveChanges();
}
}
data:image/s3,"s3://crabby-images/18a19/18a197d18fee13001e964fb300a50106437fce88" alt=""
data:image/s3,"s3://crabby-images/55567/55567f8fd8b6ada95d161547465d931607e4d2f8" alt=""
Connected vs Disconnected Update
Disconnected
- Disconnected
-
Update
steps occur not at once - this steps are separated
- ex. REST API
-
- Reload method
- send essential data and process 1-2-3 Step
- Full Update method
- send all data and receive
- remake Entity and update
Model Change
- Extentions.cs
public static IQueryable<GuildDto> MapGuildToDto(this IQueryable<Guild> guild)
{
return guild.Select(g => new GuildDto()
{
GuildId = g.GuildId,
...
});
}
}
Reload
- Pros
- update by minimal data
- Cons
- read twice
- DbCommands.cs
public static void ShowGuilds()
{
using(AppDbContext db = new AppDbContext())
{
foreach(var guild in db.Guilds.MapGuildToDto().ToList())
{
Console.WriteLine($"GuildID({guild.GuildId}) GuildName({guild.Name}) MemberCount({guild.MemberCount})");
}
}
}
public static void UpdateByReload()
{
ShowGuilds();
// resume to receive DataId/ Data that need to change from out
Console.WriteLine("Input GuildId");
Console.Write("> ");
int id = int.Parse(Console.ReadLine());
Console.WriteLine("Input GuildNames");
Console.Write("> ");
string name = Console.ReadLine();
using(AppDbContext db = new AppDbContext())
{
Guild guild = db.Find<Guild>(id);
guild.GuildName = name;
db.SaveChanges();
}
Console.WriteLine("----- Update Complete -----");
ShowGuilds();
}
data:image/s3,"s3://crabby-images/d01f9/d01f99cbb4fc9dcb29cb8feefd721a946bd5b464" alt=""
Full
- Pros
- don’t neet to read DB again, update directly
- find data by Primary key, so you don’t need to read original database
- Cons
- need all data
- Security problem(Confidence in the other party)
- JsonConvert
- use Json String in C#
- to make object, use
DeserializeObject
method
- DbCommands.cs by Json
// "GuildId":1, "GuildName": "Hello", "Members":null
public static string MakeUpdateJsonStr()
{
var jsonStr = "{\"GuildId\":1, \"GuildName\":Hello, \"Members\":null}";
return jsonStr;
}
public static void UpdateByFull()
{
ShowGuilds();
string jsonStr = MakeUpdateJsonStr();
Guild guild = JsonConvert.DeserializeObject<Guild>(jsonStr);
using (AppDbContext db = new AppDbContext())
{
db.Guilds.Update(guild);
db.SaveChanges();
}
Console.WriteLine("----- Update Complete -----");
ShowGuilds();
}
data:image/s3,"s3://crabby-images/22910/22910b8bb4e59e48782dde1c0522d5e91fdf36c1" alt=""
- DbCommands.cs by Object
public static void UpdateByFull()
{
ShowGuilds();
string jsonStr = MakeUpdateJsonStr();
// Guild guild = JsonConvert.DeserializeObject<Guild>(jsonStr);
Guild guild = new Guild()
{
GuildId = 1,
GuildName = "TestGuild"
};
...
}
data:image/s3,"s3://crabby-images/72553/7255359dd46350a975bf6422a315853d5aa756ae" alt=""
Foreign Key and Nullable
Relationship
- Principal Entity
- ex. Player
- Dependent Entity
- Foreign Key
- ex. Item
- Policy about Relationship
- Dependent Data can exsist without Principal Data
1) item cannot exsist without player
2) item can exsist without item
- Dependent Data can exsist without Principal Data
- Nullable
- ex. int?
- FK → int → 1)
if player is deleted, item that reference the player is deleted by FK - FK → int? → 2)
if player is deleted, item that reference the player is not deleted by FK
- DbCommands.cs
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
{
if (item.Owner == null)
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner(0)");
else
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner({item.Owner})");
}
}
}
public static void Test()
{
ShowItem();
Console.WriteLine("Input Delete PlayerId");
Console.Write("> ");
int id = int.Parse(Console.ReadLine());
using (AppDbContext db = new AppDbContext())
{
Player player = db.Players
.Include(p => p.Item)
.Single(p => p.PlayerId == id);
db.Players.Remove(player);
db.SaveChanges();
}
Console.WriteLine("----- Test Complete -----");
ShowItem();
}
1) Not Nullable
- DataModel.cs
[Table("Item")]
public class Item
{
...
public int OwnerId { get; set; }
...
}
data:image/s3,"s3://crabby-images/0b82e/0b82eec1133ce8c7aa2a25311074234fcf26f1af" alt=""
2) Nullable
- DataModel.cs
[Table("Item")]
public class Item
{
...
public int? OwnerId { get; set; }
...
}
data:image/s3,"s3://crabby-images/1ffa4/1ffa43f1a86653b88764566568ec8a8c3b4eefe4" alt=""
data:image/s3,"s3://crabby-images/98a4d/98a4d21ccdb139a8d5532ccd9a9dd91e99fc647c" alt=""
Update Relationship
Update Relationship 1:1
- Create new object and remove original data
public static void Update_1v1()
{
ShowItem();
Console.WriteLine("Input ItemSwitch PlayerId");
Console.Write("> ");
int id = int.Parse(Console.ReadLine());
using(AppDbContext db = new AppDbContext())
{
Player player = db.Players
.Include(p => p.Item)
.Single(p => p.PlayerId == id);
player.Item = new Item()
{
TemplateId = 777,
CreateDate = DateTime.Now
};
db.SaveChanges();
}
Console.WriteLine("----- Test Complete -----");
ShowItem();
}
data:image/s3,"s3://crabby-images/17816/17816eeebdf228f2e54e4a8ec4240ca86494da6c" alt=""
- Not create new object, just change the data
...
using(AppDbContext db = new AppDbContext())
{
Player player = db.Players
.Include(p => p.Item)
.Single(p => p.PlayerId == id);
if (player.Item != null)
{
player.Item.TemplateId = 888;
player.Item.CreateDate = DateTime.Now;
}
...
data:image/s3,"s3://crabby-images/00a82/00a82fa1d7506ea27c6dbeefb0024a545a483fee" alt=""
Update Realtionship 1vN
- Create new object and remove original data
public static void ShowGuild()
{
using (AppDbContext db = new AppDbContext())
{
foreach (var guild in db.Guilds.Include(g => g.Members).ToList())
{
Console.WriteLine($"GuildId({guild.GuildId}) GuildName({guild.GuildName}) MemberCount({guild.Members.Count})");
}
}
}
public static void Update_1vN()
{
ShowGuild();
Console.WriteLine("Input GuildId");
Console.Write("> ");
int id = int.Parse(Console.ReadLine());
using (AppDbContext db = new AppDbContext())
{
Guild guild = db.Guilds
.Include(g => g.Members)
.Single(g => g.GuildId == id);
guild.Members = new List<Player>()
{
new Player() {Name = "Dopa" }
};
db.SaveChanges();
}
Console.WriteLine("----- Test Complete -----");
ShowGuild();
}
data:image/s3,"s3://crabby-images/3602a/3602a6fdd6df90c14b965e525203cd9fab17824e" alt=""
data:image/s3,"s3://crabby-images/b313a/b313a8226e92e117a4d3a0a7d8211e4d9b669a7d" alt=""
- Not create new object, just change the data
...
using (AppDbContext db = new AppDbContext())
{
Guild guild = db.Guilds
.Include(g => g.Members)
.Single(g => g.GuildId == id);
/*
guild.Members = new List<Player>()
{
new Player() {Name = "Dopa" }
};
*/
guild.Members.Add(new Player() { Name = "Dopa" });
guild.Members.Add(new Player() { Name = "Keria" });
guild.Members.Add(new Player() { Name = "Pyosik" });
db.SaveChanges();
}
...
data:image/s3,"s3://crabby-images/013e1/013e10636a89de70737cfda83e0af54613835433" alt=""
data:image/s3,"s3://crabby-images/e3bd3/e3bd38789d2c49006a488001482ffe80808a765c" alt=""
Delete
Model Change
- DataModel.cs
[Table("Item")]
public class Item
{
...
public bool SoftDeleted { get; set; }
...
}
- AppDbContext.cs
- filtering of model level when accessing Item entity
- if want ignore filter, add IgnoreQueryfilters option
protected override void OnModelCreating(ModelBuilder builder)
{
builder.Entity<Item>().HasQueryFilter(i => i.SoftDeleted == false);
}
SoftDelete
- Delete
- Tracking Entity
- call Remove
- call SaveChanges
- SoftDelte
- not remove the data in DB
- just check that the data is removed
- DbCommands.cs
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
{
if (item.SoftDeleted)
{
Console.WriteLine($"DELETED - ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner(0)");
}
else
{
if (item.Owner == null)
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner(0)");
else
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner({item.Owner.Name})");
}
}
}
}
public static void TestDelete()
{
ShowItem();
Console.WriteLine("Select Delete ItemId");
Console.Write("> ");
int id = int.Parse(Console.ReadLine());
using (AppDbContext db = new AppDbContext())
{
Item item = db.Items.Find(id);
item.SoftDeleted = true;
db.SaveChanges();
}
Console.WriteLine("----- Test Complete -----");
ShowItem();
}
data:image/s3,"s3://crabby-images/39b6b/39b6b82d35359737254bd0e30320694d9f724ef8" alt=""
data:image/s3,"s3://crabby-images/9a879/9a87951d584a1e0b4f28b033a0ed63152509292c" alt=""
Configuration
Convention
- Convention
- make form and name with fixed rule, be processed automately in EF Core
- easy and fast, but not include all case
- Entity Class
- public access modifier + non-static
- search and analize public getter during property
- property name = table column name
- name, structure, size
- .NET structure ↔ SQL structure
ex. int, bool - follow Nullable or not of .NET structure
ex. string is nullable
ex. int non-nul vs int? is nullable
- .NET structure ↔ SQL structure
- PK
- define property which name is Id or [ClassName]Id to PK
- Composite Key cannot be defined by Convention
Data Annotation
- add Attribute at class/property
Fluent Api
- set Setting directly in OnModelCreating
-
is the biggest in application range
- DB Column type, size, nullable
Data Annotation | Fluent Api | |
---|---|---|
Nullable | [Required] | .Isrequired |
String length | [MayLength(20)] | .Has MaxLength(20) |
char form | .IsUnicode(true) |
- PK
Data Annotation | Fluent Api | |
---|---|---|
Primary Key | [Key][Column(Order=0)] [Key][Column(Order=1)] | .HasKey(x => new {x.Prop1, x.Prop2}) |
- Index
Data Annotation | Fluent Api | |
---|---|---|
add Index | .HasIndex(p => p.Prop1) | |
add complex index | .HasIndex(p => new {p.Prop1, p.Prop2}) | |
set index name | .HasIndex(p => p.Prop1).HasName("Index_MyProp") | |
add unique Index | .HasIndex(p => p.Prop1).IsUnique() |
- table name
Data Annotation | Fluent Api | |
---|---|---|
DbSet <T > | [Property/Class]name [Table("MyTable")] | .ToTable("MyTable") |
- column name
- in Convention, using [Property]name
Data Annotation | Fluent Api | |
---|---|---|
Column Name<T> | [Column("MyCol")] | .HasColumnName("MyCol") |
- use code modeling, but not in DB modeling(Property and Class)
Data Annotation | Fluent Api | |
---|---|---|
use only in code<T> | [NotMapped] | .Ignore() |
- Soft Delete
Data Annotation | Fluent Api | |
---|---|---|
Soft Delete<T> | .HasQueryFilter() |
- Order
- Convention is the easist
- Validation and related parts → Data Annotation(directly, call SaveChanges)
- etc → Fluent Api
Test
- DataModel.cs
[Table("Player")]
public class Player
{
...
[Required]
[MaxLength(20)]
public string Name { get; set; }
...
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Player>()
.HasIndex(p => p.Name)
.HasName("Index_Person_Name")
.IsUnique();
...
}
data:image/s3,"s3://crabby-images/c5253/c52530bb5bb8ab8d043fbe1fe2aa3e31035f07d5" alt=""
data:image/s3,"s3://crabby-images/1fdc6/1fdc60bf52ee0d03379f3c5907b5fd3b2fe7171b" alt=""
Relationship Configuration
- Relationship
- Principal Entity
- Dependent Entity
- Navigational Property
- Primary Key(PK)
- Foreign Key(FK)
- Principal Key = PK or Unique Alternate Key
- Required Relationship(Not-Null)
- Optional Relationship(Nullable)
- Set FK by Convention
- [PrincipalKeyName]
ex. PlayerId - [Class][PrincipalKeyName]
ex. PlayerPlayerId - [NagivationalPropertyName][PrincipalKeyName]
ex. OwnerPlayerId / OwnerId
- [PrincipalKeyName]
FK and Nullable
- Required Relationship(Not-Null)
- when delete, call
OnDelete
factor byCascase
mode → if delete Principal, delete Dependent
- when delete, call
- Optional Relationship(Nullable)
- when delete, call
OnDelete
factor byClientSetNull
mode - if delete Principal and Dependent Tracking, FK is setted null
- if delete Principal and not Dependent Tracking, occur Exception
- when delete, call
Not in Convention
- Complex FK
- several Navigational Property reference same class
- DB or Delete Customizing
Set Relationship with Data Annotation
- [ForeignKey(“Prop1”)]
- [InversProperty]
- several Navigational Property reference same class
Set Relationship with Fluent Api
.HasOne() | .HasMany() | |
.WithOne() | .WithMany() | |
.HasForeignKey() | .IsRequired() | .OnDelete() |
Test
- DataModel.cs
[Table("Item")]
public class Item
{
...
public int TestOwnerId { get; set; }
// public int OwnerId { get; set; }
...
public int? TestCreatorId { get; set; }
public Player Creator { get; set; }
...
}
[Table("Player")]
public class Player
{
...
public Item OwnedItem { get; set; }
public ICollection<Item> CreatedItems { get; set; }
//public Item Item { get; set; }
...
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Player>()
.HasMany(p => p.CreatedItems)
.WithOne(i => i.Creator)
.HasForeignKey(i => i.TestCreatorId);
builder.Entity<Player>()
.HasOne(p => p.OwnedItem)
.WithOne(i => i.Owner)
.HasForeignKey<Item>(i => i.TestOwnerId);
}
data:image/s3,"s3://crabby-images/b42bd/b42bd12855298d05b58f9786c6e5df880170618e" alt=""
data:image/s3,"s3://crabby-images/e1218/e1218539e1d84f4392f5d834dcfc3678d08b030e" alt=""
Shadow Property & Backing Field
Shadow Property
- in Class OK, but Not in DB
Data Annotation | Fluent Api | |
---|---|---|
only use in code | [NotMapped] | .Ignore() |
- in DB OK, but Not in Class → Shadow Property
Data Annotation | Fluent Api | |
---|---|---|
create | .Property<DateTime>("RecoveredDate") | |
Read/Write | .Property("RecoveredDate").CurrentVale |
Test
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Item>().Property<DateTime>("RecoveredDate");
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
db.Entry(items[0]).Property("RecoveredDate").CurrentValue = DateTime.Now;
}
data:image/s3,"s3://crabby-images/9e612/9e6121dcf67d499fa689c2d1209db5325d3597f9" alt=""
data:image/s3,"s3://crabby-images/1f300/1f30054e7494d097bf104c6c8ca3ca0cc9c9c585" alt=""
Backing Field (EF Core)
- mapping private field in DB and change to public getter to use
- ex. save string by Json type in DB and getter use json with processing
-
Fluent Api in normal
- DataModel.cs
public struct ItemOption
{
public int str;
public int dex;
public int hp;
}
[Table("Item")]
public class Item
{
private string _jsonData;
public string JsonData
{
get { return _jsonData; }
//set { _jsonData = value; }
}
public void SetOption(ItemOption option)
{
_jsonData = JsonConvert.SerializeObject(option);
}
public ItemOption GetOption()
{
return JsonConvert.DeserializeObject<ItemOption>(_jsonData);
}
...
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Item>()
.Property(i => i.JsonData)
.HasField("_jsonData");
}
data:image/s3,"s3://crabby-images/9d1d5/9d1d5c182b01a6f87b9d2832739353c157f692ea" alt=""
data:image/s3,"s3://crabby-images/c5677/c56778cd3b70abc5c31d181bac38d3549e56ccd9" alt=""
data:image/s3,"s3://crabby-images/aa412/aa412bb0b18642de7886a3256dd2910eb0539e82" alt=""
Entity ↔ DB Table link
- all Entity Class Read/ Write → Cost (Select Loading, DTO)
Owned Type
- add normal Class in Entity Class
add to same table
- .OwnsOne()
- Relationship .Include() vs Ownership
Test
- DataModel.cs
//public struct ItemOption
//{
// public int str;
// public int dex;
// public int hp;
//}
public class ItemOption
{
public int Str { get; set; }
public int Dex { get; set; }
public int Hp { get; set; }
}
[Table("Item")]
public class Item
{
//private string _jsonData;
//public string JsonData
//{
// get { return _jsonData; }
// set { _jsonData = value; }
//}
//public void SetOption(ItemOption option)
//{
// _jsonData = JsonConvert.SerializeObject(option);
//}
//public ItemOption GetOption()
//{
// return JsonConvert.DeserializeObject<ItemOption>(_jsonData);
//}
public ItemOption Option { get; set; }
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Item>()
.OwnsOne(i => i.Option);
...
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
items[1].Option = new ItemOption() { Dex = 1, Hp = 2, Str = 3 };
...
}
data:image/s3,"s3://crabby-images/b87a2/b87a2da012ea379311c86a77ba9bdd21037c0081" alt=""
data:image/s3,"s3://crabby-images/e6755/e675564098de9c37667c82636069682122a22976" alt=""
data:image/s3,"s3://crabby-images/25ab5/25ab564b9fa1a1711810e19f02bb1546b819af18" alt=""
add to diff table
-
.OwnsOne().ToTable()
-
AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
//builder.Entity<Item>()
// .OwnsOne(i => i.Option);
builder.Entity<Item>()
.OwnsOne(i => i.Option)
.ToTable("ItemOption");
- DbCommands.cs
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
{
...
else
{
if (item.Option != null)
Console.WriteLine("STR " + item.Option.Str);
...
}
data:image/s3,"s3://crabby-images/5450b/5450b295c597f1d1d938b69e903ddc8897b28a76" alt=""
data:image/s3,"s3://crabby-images/9ea44/9ea44a181eac6f0affc5fce3d18c1b56a27c0652" alt=""
data:image/s3,"s3://crabby-images/8d1df/8d1dfa623316bb111ee6027b68db5f88138be388" alt=""
Table Per Hiearchy (TPH)
- several classes of hierarchy relation ↔ mapping in one table
ex. Dog, Cat, Bird, Animal
Convention
- first make class by hiearchy and add DbSet
- Discriminator
Test
- DataModel.cs
public class EventItem : Item
{
public DateTime DestroyDate { get; set; }
}
- AppDbContext.cs
class AppDbContext : DbContext
{
public DbSet<EventItem> EventItems { get; set; }
}
data:image/s3,"s3://crabby-images/4ec8c/4ec8c0c9ce87a3f65846308daee23a1657e02083" alt=""
data:image/s3,"s3://crabby-images/6a480/6a4801851767b2d042e10d9d1344bb3f321416e6" alt=""
data:image/s3,"s3://crabby-images/e286c/e286cf5f3c0f159a68d826a789002526e79106a2" alt=""
Fluent Api
- .HasDiscriminator().HasValue()
Test
- DataModel.cs
public enum ItemType
{
NormalItem,
EventItem
}
[Table("Item")]
public class Item
{
public ItemType Type { get; set; }
...
}
- AppDbContext.cs
class AppDbContext : DbContext
{
//public DbSet<EventItem> EventItems { get; set; }
}
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Item>()
.HasDiscriminator(i => i.Type)
.HasValue<Item>(ItemType.NormalItem)
.HasValue<EventItem>(ItemType.EventItem);
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
new EventItem()
{
...
DestroyDate = DateTime.Now
},
...
}
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
{
...
else
{
...
EventItem eventItem = item as EventItem;
if (eventItem != null)
Console.WriteLine("DestroyDate: " + eventItem.DestroyDate);
...
}
data:image/s3,"s3://crabby-images/b5d5c/b5d5ccc64b0b973004455940a3c148fdca8061a9" alt=""
data:image/s3,"s3://crabby-images/a1520/a1520f970518afd3d8611279ffc116687cdea93a" alt=""
data:image/s3,"s3://crabby-images/516a1/516a1a21a337a162c99aaf4f7dec211b16d8a0c4" alt=""
Table Splitting
- several entity Class ↔ mapping one table
Test
- DataModel.cs
public class ItemDetail
{
public int ItemDetailId { get; set; }
public string Description { get; set; }
}
[Table("Item")]
public class Item
{
...
public ItemDetail Detail { get; set; }
...
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
//builder.Entity<Item>()
// .HasDiscriminator(i => i.Type)
// .HasValue<Item>(ItemType.NormalItem)
// .HasValue<EventItem>(ItemType.EventItem);
builder.Entity<Item>()
.HasOne(i => i.Detail)
.WithOne()
.HasForeignKey<ItemDetail>(i => i.ItemDetailId);
builder.Entity<Item>().ToTable("Items");
builder.Entity<ItemDetail>().ToTable("Items");
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
items[2].Detail = new ItemDetail()
{
Description = "This is a good item."
};
}
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
//foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
foreach (var item in db.Items.Include(i => i.Owner).Include(i => i.Detail).IgnoreQueryFilters().ToList())
{
...
else
{
...
if (item.Detail != null)
Console.WriteLine(item.Detail.Description);
}
data:image/s3,"s3://crabby-images/87727/877277ce63acc9e0cf6736a57436a9c6d089d7d2" alt=""
data:image/s3,"s3://crabby-images/35ed9/35ed9c18b48f81b143f684f97d79365af543e9ec" alt=""
data:image/s3,"s3://crabby-images/47bc5/47bc53489b1c06d8cb68e0a7a701500ff50b51dd" alt=""
Backing Field & Relationship
Backing Field → mapping private field in DB
- can use in Navigation Property
Test
- DataModel.cs
//public class ItemOption
//{
// public int Str { get; set; }
// public int Dex { get; set; }
// public int Hp { get; set; }
//}
//public class ItemDetail
//{
// public int ItemDetailId { get; set; }
// public string Description { get; set; }
//}
//public enum ItemType
//{
// NormalItem,
// EventItem
//}
public class ItemReview
{
public int ItemReviewId { get; set; }
public int Score { get; set; } // 0~5
}
[Table("Item")]
public class Item
{
//public ItemType Type { get; set; }
//public ItemOption Option { get; set; }
//public ItemDetail Detail { get; set; }
...
//public int? TestCreatorId { get; set; }
//public Player Creator { get; set; }
public double? AverageScore { get; set; }
private readonly List<ItemReview> _reviews = new List<ItemReview>();
public IEnumerable<ItemReview> Reviews { get { return _reviews.ToList(); } }
public void AddReview(ItemReview review)
{
_reviews.Add(review);
AverageScore = _reviews.Any() ? _reviews.Average(r => r.Score) : (double?)null;
}
public void RemoveReview(ItemReview review)
{
_reviews.Remove(review);
}
}
//public class EventItem : Item
//{
// public DateTime DestroyDate { get; set; }
//}
- AppDbContext.cs
class AppDbContext : DbContext
{
...
//public DbSet<EventItem> EventItems { get; set; }
...
}
protected override void OnModelCreating(ModelBuilder builder)
{
...
//builder.Entity<Player>()
// .HasMany(p => p.CreatedItems)
// .WithOne(i => i.Creator)
// .HasForeignKey(i => i.TestCreatorId);
...
//builder.Entity<Item>()
// .OwnsOne(i => i.Option)
// .ToTable("ItemOption");
...
//builder.Entity<Item>()
// .HasOne(i => i.Detail)
// .WithOne()
// .HasForeignKey<ItemDetail>(i => i.ItemDetailId);
//builder.Entity<Item>().ToTable("Items");
//builder.Entity<ItemDetail>().ToTable("Items");
builder.Entity<Item>()
.Metadata
.FindNavigation("Reviews")
.SetPropertyAccessMode(PropertyAccessMode.Field);
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
//new EventItem()
new Item()
{
...
//DestroyDate = DateTime.Now
},
//items[1].Option = new ItemOption() { Dex = 1, Hp = 2, Str = 3 };
//items[2].Detail = new ItemDetail()
//{
// Description = "This is a good item."
//};
items[0].AddReview(new ItemReview() { Score = 5 });
items[0].AddReview(new ItemReview() { Score = 4 });
items[0].AddReview(new ItemReview() { Score = 1 });
items[0].AddReview(new ItemReview() { Score = 5 });
...
//{
// var owner = db.Players.Where(p => p.Name == "Hanna").First();
// Item item = new Item()
// {
// TemplateId = 300,
// CreateDate = DateTime.Now,
// Owner = owner
// };
// db.Items.Add(item);
// db.SaveChanges();
//}
}
public static void ShowItem()
{
using (AppDbContext db = new AppDbContext())
{
//foreach (var item in db.Items.Include(i => i.Owner).Include(i => i.Detail).IgnoreQueryFilters().ToList())
foreach (var item in db.Items.Include(i => i.Owner).IgnoreQueryFilters().ToList())
{
...
else
{
//if (item.Option != null)
// Console.WriteLine("STR " + item.Option.Str);
//EventItem eventItem = item as EventItem;
//if (eventItem != null)
// Console.WriteLine("DestroyDate: " + eventItem.DestroyDate);
//if (item.Detail != null)
// Console.WriteLine(item.Detail.Description);
if(item.AverageScore == null)
Console.WriteLine("Score(None)");
else
Console.WriteLine($"Score({item.AverageScore})");
if (item.Owner == null)
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner(0)");
else
Console.WriteLine($"ItemId({item.ItemId}) TemplateId({item.TemplateId}) Owner({item.Owner.Name})");
}
}
}
}
data:image/s3,"s3://crabby-images/a95a3/a95a32e7c88c3e687452500cf12fb863ae425cab" alt=""
data:image/s3,"s3://crabby-images/0413b/0413b15811144f5ea266a1084caff2ba87f2e7cc" alt=""
data:image/s3,"s3://crabby-images/1c34e/1c34e23ffe34eb7bed8ea75d6b606be188c2f00a" alt=""
UserDefined Function(UDF)
- The ability to invoke SQL that you create
- want to perform operations on the DB side.
- EF Core queries are inefficient
Steps
- Configuration
- make static function and assign EF Core
- Database Setup
- Use
Test
- DataModel.cs
[Table("Item")]
public class Item
{
...
//public double? AverageScore { get; set; }
//private readonly List<ItemReview> _reviews = new List<ItemReview>();
//public IEnumerable<ItemReview> Reviews { get { return _reviews.ToList(); } }
//public void AddReview(ItemReview review)
//{
// _reviews.Add(review);
// AverageScore = _reviews.Any() ? _reviews.Average(r => r.Score) : (double?)null;
//}
//public void RemoveReview(ItemReview review)
//{
// _reviews.Remove(review);
//}
public ICollection<ItemReview> Reviews { get; set; }
}
- Program.cs
// assign EFCore
// Annotation(Attribute)
[DbFunction()]
public static double? GetAverageReviewScore(int ItemId)
{
throw new NotImplementedException("Don't Use!");
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
//builder.Entity<Item>()
// .Metadata
// .FindNavigation("Reviews")
// .SetPropertyAccessMode(PropertyAccessMode.Field);
// DbFunction
builder.HasDbFunction(() => Program.GetAverageReviewScore(0));
}
- DbCommands.cs
public static void InitializeDB(bool forceReset = false)
{
using (AppDbContext db = new AppDbContext())
{
...
string command =
@" CREATE FUNCTION GetAverageReviewScore (@itemId INT) RETURNS FLOAT
AS
BEGIN
DECLARE @result AS FLOAT
SELECT @result = AVG(CAST([Score] AS FLOAT))
FROM ItemReview AS r
WHERE @itemId = r.ItemId
RETURN @result
END";
db.Database.ExecuteSqlRaw(command);
...
}
}
public static void CreateTestData(AppDbContext db)
{
...
//items[0].AddReview(new ItemReview() { Score = 5 });
//items[0].AddReview(new ItemReview() { Score = 4 });
//items[0].AddReview(new ItemReview() { Score = 1 });
//items[0].AddReview(new ItemReview() { Score = 5 });
items[0].Reviews = new List<ItemReview>()
{
new ItemReview(){Score = 5},
new ItemReview(){Score = 3},
new ItemReview(){Score = 2},
};
items[1].Reviews = new List<ItemReview>()
{
new ItemReview(){Score = 1},
new ItemReview(){Score = 1},
new ItemReview(){Score = 0},
};
...
}
public static void ShowItem(AppDbContext db)
{
...
//if(item.AverageScore == null)
// Console.WriteLine("Score(None)");
//else
// Console.WriteLine($"Score({item.AverageScore})");
}
public static void CalcAverage()
{
using(AppDbContext db = new AppDbContext())
{
foreach(double? average in db.Items.Select(i => Program.GetAverageReviewScore(i.ItemId)))
{
if(average == null)
Console.WriteLine("No Review!");
else
Console.WriteLine($"Average: {average.Value}");
}
}
}
data:image/s3,"s3://crabby-images/eae5b/eae5ba440a8d0d536fd5b7e617c40dce5fe49a41" alt=""
data:image/s3,"s3://crabby-images/7974f/7974f77b9511cd5c6dfcb6d65539d62a6a8b95ac" alt=""
data:image/s3,"s3://crabby-images/9f2cd/9f2cd72d1fc97af617ec87ee60f1f6723ac8e3ec" alt=""
Default Value
How to be defined
- defined by Entity Class
- defined by DB Table
- if you use DB by other way except EF ↔ DB, it makes diff
ex) SQL Script
- if you use DB by other way except EF ↔ DB, it makes diff
Auto-Property Initializer(C# 6.0)
- Entity default value
- apply DB by SaveChange
Test
- DataModel.cs
[Table("Item")]
public class Item
{
...
public DateTime CreateDate { get; set; } = new DateTime(2020, 1, 1);
...
//public ICollection<ItemReview> Reviews { get; set; }
}
//public class ItemReview
//{
// public int ItemReviewId { get; set; }
// public int Score { get; set; } // 0~5
//}
- DbCommands.cs
public static CreateTestData(AppDbContext db)
{
...
//items[0].Reviews = new List<ItemReview>()
//{
// new ItemReview(){Score = 5},
// new ItemReview(){Score = 3},
// new ItemReview(){Score = 2},
//};
//items[1].Reviews = new List<ItemReview>()
//{
// new ItemReview(){Score = 1},
// new ItemReview(){Score = 1},
// new ItemReview(){Score = 0},
//};
}
data:image/s3,"s3://crabby-images/530ff/530ffc699ce68f5ceab0b9ced4b30146abc2bf28" alt=""
data:image/s3,"s3://crabby-images/97c8b/97c8ba671250b4d4b04d0decdc7aa96a4312524f" alt=""
data:image/s3,"s3://crabby-images/efafe/efafe91ef4b7035898ae5c8590ab862043765b9d" alt=""
Fluent Api
- DB Table
- DEFAULT
Test
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
//builder.HasDbFunction(() => Program.GetAverageReviewScore(0));
builder.Entity<Item>()
.Property("CreateDate")
.HasDefaultValue(DateTime.Now);
}
data:image/s3,"s3://crabby-images/bb5f5/bb5f57a7b2323b99a389193a6a9b0a1d5553fc1f" alt=""
data:image/s3,"s3://crabby-images/a4add/a4add79ee65f9ececee411daa9d9818e7cd3129e" alt=""
data:image/s3,"s3://crabby-images/bf65e/bf65e70d3b053cfbde4c0aaf6a33382387782f77" alt=""
SQL Fragment
- .HasDefaultValueSql
- when add new value, excute in DB
Test
- DataModel.cs
[Table("Item")]
public class Item
{
...
//public DateTime CreateDate { get; set; } = new DateTime(2020, 1, 1);
public DateTime CreateDate { get; private set; }
...
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
//builder.Entity<Item>()
// .Property("CreateDate")
// .HasDefaultValue(DateTime.Now);
builder.Entity<Item>()
.Property("CreateDate")
.HasDefaultValueSql("GETDATE()");
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
List<Item> items = new List<Item>()
{
new Item()
{
TemplateId = 101,
//CreateDate = DateTime.Now,
Owner = hanna
},
new Item()
{
TemplateId = 102,
//CreateDate = DateTime.Now,
Owner = faker,
},
new Item()
{
TemplateId = 103,
//CreateDate = DateTime.Now,
Owner = deft
}
};
...
}
//public static void UpdateDate()
//{
// Console.WriteLine("Input Player Name");
// Console.Write("> ");
// string name = Console.ReadLine();
// using(var db = new AppDbContext())
// {
// var items = db.Items.Include(i => i.Owner)
// .Where(i => i.Owner.Name == name);
// foreach(Item item in items)
// {
// item.CreateDate = DateTime.Now;
// }
// db.SaveChanges();
// }
// ReadAll();
//}
data:image/s3,"s3://crabby-images/70d4b/70d4b8bea91e531be6802bfabe9f507cebc83471" alt=""
data:image/s3,"s3://crabby-images/70660/706609336295dd37a62764c0a127218126835c12" alt=""
data:image/s3,"s3://crabby-images/3b599/3b599874c123a8f67ea7eea5fa4c223107c6ac3c" alt=""
Value Generator
- excute in EF Core
- set Generator rule
Test
- DataModel.cs
public class PlayerNameGenerator : ValueGenerator<string>
{
public override bool GeneratesTemporaryValues => false;
public override string Next(EntityEntry entry)
{
string name = $"Player_{DateTime.Now.ToString("yyyyMMdd")}";
return name;
}
}
- AppDbContext.cs
protected override void OnModelCreating(ModelBuilder builder)
{
...
builder.Entity<Player>()
.Property(p => p.Name)
.HasValueGenerator((p, e) => new PlayerNameGenerator());
}
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
//var hanna = new Player() { Name = "Hanna" };
var hanna = new Player() { };
}
data:image/s3,"s3://crabby-images/bc0a4/bc0a4e95b044ff6b9ad13b0bad0941bf81ed7b3a" alt=""
data:image/s3,"s3://crabby-images/e9d29/e9d298c57e211ad2ffd1acce228b949a5f52b0c0" alt=""
Migration
- EF Core DbContext ↔ need agreement about DB state
Code-First
- the standard is Entity Class or Db Context
-
not always update recently
-
Migration Step
1) make Migration
2) apply Migration - Add-Migration [Name]
1) search DbContext and analize → DB Modeling(recent)
2) DB Modeling most latest Migration state by ModelSnapshot.cs
3) 1-2 Compare and print result
a) ModelSnapshot
b) Migrate.Designer.cs and Migrate.cs -> detail data related with Migration
- Add Up/Down by Hands
data:image/s3,"s3://crabby-images/f2382/f23820139ef4f4175478c4fbea8d30687c620067" alt=""
data:image/s3,"s3://crabby-images/30aa6/30aa6b4c005be634d045f83c15ea082a8d4b8f75" alt=""
data:image/s3,"s3://crabby-images/ecb6c/ecb6c8d7984f5e45f2a96d908bd4f2e86d476634" alt=""
- apply Migration
1) SQL change script
- Script-Migration [From] [To] [Options]
2) call Database.Migrate
3) Command Line method
- Update-Database [options]
- Script-Migration [From] [To] [Options]
Test
- DataModel.cs
[Table("Item")]
public class Item
{
...
public int ItemGreade { get; set; }
...
}
data:image/s3,"s3://crabby-images/4a77f/4a77fa947656c1dcb1d9fbe21c6295d3784229c4" alt=""
data:image/s3,"s3://crabby-images/4b0fc/4b0fc677f8e994576f6692f74cc9daba43283ba5" alt=""
- Sync to specific Migration
- Update-Database [Name]
data:image/s3,"s3://crabby-images/05a18/05a18135c78d22defe69077458a1915e714dddf6" alt=""
- Delete last Migration
- Remove-Migration
data:image/s3,"s3://crabby-images/210ef/210efbc320a93197c8ff0c30e4b035bf96c16003" alt=""
Database-First
-
if you have Database, you can make EF Core DbContext from Database
- Download
- Reverse Engineer
- [EF Core Power Tools] - [Reverse Engineer]
data:image/s3,"s3://crabby-images/60277/6027788010c0cd8c0cae44fd02958465c50a8417" alt=""
data:image/s3,"s3://crabby-images/9d5ad/9d5ad97ce18c5c8b9fa14266dc1ec17aa4ff3593" alt=""
data:image/s3,"s3://crabby-images/22793/227936055ec5db85e604bd750182e16e57833e79" alt=""
data:image/s3,"s3://crabby-images/6f170/6f1701c8f0a1639b94d8a2bfb528249847b5c33c" alt=""
data:image/s3,"s3://crabby-images/37eb1/37eb1dcefc9f7111c2697174c8df4342d30469b0" alt=""
data:image/s3,"s3://crabby-images/d46ed/d46edcc4321abdf9d6e3b402de687ea8c7154f17" alt=""
SQL-First
- Methods
- Hands Power
- Script-Migration [From] [To] [Options]
- Compare DB and extract SQL
DbContext(Optimize)
ChangeTracker
- Tracking State
- State is mostly intuitive but when it include Relationship, it becames more complexive
Database
- Transaction
- DB Creation / Migration
- Raw SQL
Model
-
DB Modeling
- State Check method
- Entry().State
- Entry().Property().IsModified
- Entry().Navigation().IsModified
- state changing on Add/AddRange
- NotTracking State → Added
- Tracking State → seperated Modified or current state maintain by FK setting
- state changing on Remove/RemoveRange
- (key that made by DB) && (not C# default value) → Updated, Modified or Deleted
-
(not Key that made by DB) (C# default value) → Added - above is Added because of behavior consistency
- DB need to the existence first (ex. Cascade Delete Process)
Test
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
var hanna = new Player() { Name = "Hanna" };
//var hanna = new Player() { };
...
db.SaveChanges();
// Add Test
{
Item item = new Item()
{
TemplateId = 500,
Owner = hanna
};
db.Items.Add(item);
// add item -> indirectly infect Player
// Player is Tracking state, it doesn't need to FK setting
Console.WriteLine("2.)" + db.Entry(hanna).State);
}
// Delete Test
{
Player p = db.Players.First();
// DB don't know the new guild (not exist DB key)
p.Guild = new Guild() { GuildName = "This will be deleted Soon" };
// Item is in DB already (exist DB Key)
p.OwnedItem = items[0];
db.Players.Remove(p);
// remove Player directly
Console.WriteLine("3.)" + db.Entry(p).State); // Deleted
Console.WriteLine("4.)" + db.Entry(p.Guild).State); // Added
Console.WriteLine("5.)" + db.Entry(p.OwnedItem).State); // Deleted
}
}
data:image/s3,"s3://crabby-images/a9672/a9672ca2fb0c5404bbc51d9bd226f55a00fc83d6" alt=""
data:image/s3,"s3://crabby-images/13bb7/13bb7f68ec30e1516eec71c2225fc4090fd1412d" alt=""
- Update/UpdateRange
- the normal method to update Entity in EF is not Update
- Tracked Entity → change property → SaveChanges
- Update is to update all Untracked Entity (Disconnected State)
-
Update Step in EF Core
1) call Update
2) Entity State = Modified
3) all IsModified of Non-Relational Property = true - Relationship in Update
- (key that made by DB) && (not 0 → Updated, Modified or Deleted
-
(not Key that made by DB) (0) → Added
- Attach
- change Untracked Entity to Tracked Entity
- Relationship in Attach
- (key that made by DB) && (not 0 → Unchanged
-
(not Key that made by DB) (0) → Added
Test
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
List<Item> items = new List<Item>()
{
...
//new Item()
//{
// TemplateId = 102,
// Owner = faker,
//},
//new Item()
//{
// TemplateId = 103,
// Owner = deft
//}
};
//db.Entry(items[2]).Property("RecoveredDate").CurrentValue = DateTime.Now;
...
}
public static void TestUpdateAttach()
{
using (AppDbContext db = new AppDbContext())
{
// Update Test
{
// Disconnected
Player p = new Player();
p.PlayerId = 2;
p.Name = "FakerLegend";
// DB don't know the new guild(not exist DB Key)
p.Guild = new Guild() { GuildName = "Update Guild" };
Console.WriteLine("6) " + db.Entry(p.Guild).State); // Detached
db.Players.Update(p);
Console.WriteLine("7) " + db.Entry(p.Guild).State); // Added
}
//Attach Test
{
Player p = new Player();
// TEMP
p.PlayerId = 3;
p.Name = "DeftHero";
p.Guild = new Guild() { GuildName = "Update Guild" };
Console.WriteLine("8) "+ db.Entry(p.Guild).State); // Detached
db.Players.Attach(p);
Console.WriteLine("9) " + db.Entry(p.Guild).State); // Added
}
}
}
data:image/s3,"s3://crabby-images/2ac52/2ac527af312b2c4f1551eea6059411f8d594a2a2" alt=""
data:image/s3,"s3://crabby-images/55844/55844d77e5680b52aab6c4e1fb604dac44b4987b" alt=""
- DbCommands.cs
public static void TestUpdateAttach()
{
...
//Attach Test
{
Player p = new Player();
// TEMP
p.PlayerId = 3;
//p.Name = "DeftHero";
p.Guild = new Guild() { GuildName = "Update Guild" };
Console.WriteLine("8) "+ db.Entry(p.Guild).State); // Detached
db.Players.Attach(p);
p.Name = "DeftHero";
Console.WriteLine("9) " + db.Entry(p.Guild).State); // Added
}
}
data:image/s3,"s3://crabby-images/3c63f/3c63f87fd1016ebad21bad4759925530bf2e4a76" alt=""
data:image/s3,"s3://crabby-images/1ed85/1ed85f0bfb8a4d72e461ce3dff2f0208c158fa1a" alt=""
State Control
- can control State (ex. Optimization)
- Entry().State = EntityState.Added
- Entry().Property(“”).IsModified = true
TrackGraph
- State Control of Untracked Entity in Relationship
ex. change speficific data
ChangeTracker
-
detect state data changing
ex. Print log when name of player changing
ex. Put Validation code
ex. add CreateTime data when player is created time -
Steps
1) override SaveChanges
2) extract / use changing data by ChangeTracker.Entries
Test
- DataModel.cs
// detect Created Time
public interface ILogEntity
{
DateTime CreateTime { get; }
void SetCreateTime();
}
[Table("Player")]
public class Player
{
...
//public ICollection<Item> CreatedItems { get; set; }
...
public DateTime CreateTime { get; private set; }
public void SetCreateTime()
{
CreateTime = DateTime.Now;
}
}
- AppDbContext.cs
public override int SaveChanges()
{
var entities = ChangeTracker.Entries()
.Where(e => e.State == EntityState.Added);
foreach(var entity in entities)
{
ILogEntity tracked = entity.Entity as ILogEntity;
if (tracked != null)
tracked.SetCreateTime();
}
return base.SaveChanges();
}
- DbCommands.cs
public static void StateControl()
{
using (AppDbContext db = new AppDbContext())
{
// State Control
{
Player p = new Player { Name = "StateTest" };
db.Entry(p).State = EntityState.Added; // change Tracked
// db.Players.Add(p);
db.SaveChanges();
}
// TrackGraph
{
// Disconnected State
// not all change, only change player name
Player p = new Player()
{
PlayerId = 2,
Name = "Faker_New",
};
p.OwnedItem = new Item() { TemplateId = 777 }; // item data
p.Guild = new Guild() { GuildName = "TrackGraphGuild" }; // guild data
db.ChangeTracker.TrackGraph(p, e =>
{
if(e.Entry.Entity is Player)
{
e.Entry.State = EntityState.Unchanged;
e.Entry.Property("Name").IsModified = true;
}
else if(e.Entry.Entity is Guild)
{
e.Entry.State = EntityState.Unchanged;
}
else if(e.Entry.Entity is Item)
{
e.Entry.State = EntityState.Unchanged;
}
});
db.SaveChanges();
}
}
}
data:image/s3,"s3://crabby-images/ca8c6/ca8c6a98981ca5dfac51242f2369af332faeba57" alt=""
data:image/s3,"s3://crabby-images/fc3c9/fc3c95e39a61ff1e6ee9e822683abc73aecdfd62" alt=""
data:image/s3,"s3://crabby-images/0ff09/0ff09eaf37f7942145e4bada51aa51b39e0c56ef" alt=""
call SQL direct
- you can call your SQL
ex. not to LINQ → call Stored Procedure, etc
ex. Performance Optimizing
FormSql → FromSql / FormSqlInterpolated
- Add Raw SQL in EF Core Query
ExecuteSqlCommand → ExcuteSqlRaw / ExecuteSqlInterpolated
- Non-Query SQL(not SELECT)
Reload
- there is Tracked Entity already
- when DB data is changed by ExecuteSqlCommand, then Reload
Test
- DbCommands.cs
public static void CreateTestData(AppDbContext db)
{
...
List<Item> items = new List<Item>()
{
new Item()
{
TemplateId = 101,
Owner = hanna
},
new Item()
{
TemplateId = 102,
Owner = faker,
},
new Item()
{
TemplateId = 103,
Owner = deft
}
};
//Console.WriteLine("1.)" + db.Entry(hanna).State);
//db.SaveChanges();
//{
// Item item = new Item()
// {
// TemplateId = 500,
// Owner = hanna
// };
// db.Items.Add(item);
// Console.WriteLine("2.)" + db.Entry(hanna).State);
//}
//{
// Player p = db.Players.First();
// p.Guild = new Guild() { GuildName = "This will be deleted Soon" };
// p.OwnedItem = items[0];
// db.Players.Remove(p);
// Console.WriteLine("3.)" + db.Entry(p).State); // Deleted
// Console.WriteLine("4.)" + db.Entry(p.Guild).State); // Added
// Console.WriteLine("5.)" + db.Entry(p.OwnedItem).State); // Deleted
//}
}
public static void CallSQL()
{
using(AppDbContext db = new AppDbContext())
{
// FormSql
{
string name = "Hanna";
// SQL Injection(Web Hacking)
var list = db.Players
.FromSqlRaw("SELECT * FROM dbo.Player WHERE Name = {0}", name)
.Include(p => p.OwnedItem)
.ToList();
foreach(var p in list)
{
Console.WriteLine($"{p.Name} {p.PlayerId}");
}
// String Interpolation C#6.0
var list2 = db.Players
.FromSqlInterpolated($"SELECT * FROM dbo.Player WHERE Name = {name}");
foreach (var p in list2)
{
Console.WriteLine($"{p.Name} {p.PlayerId}");
}
}
// ExecuteSqlCommand (Non-Query SQL)
{
Player p = db.Players.Single(p => p.Name == "Faker");
string prevName = "Faker";
string afterName = "Faker_New";
db.Database.ExecuteSqlInterpolated($"UPDATE dbo.Player SET Name={afterName} WHERE Name={prevName}");
db.Entry(p).Reload();
}
}
}
data:image/s3,"s3://crabby-images/ecb3e/ecb3e23cde488029c09fb8a610321650f4267670" alt=""
data:image/s3,"s3://crabby-images/110cd/110cdccf177bded809bd25211f438ebff9f33912" alt=""
Logging
- print SQL log in console
Test
- AppDbContext.cs
public static readonly ILoggerFactory MyLoggerFactory = LoggerFactory.Create(builder => { builder.AddConsole(); });
protected override void OnConfiguring(DbContextOptionsBuilder options)
{
options
.UseLoggerFactory(MyLoggerFactory)
.UseSqlServer(ConnectionString);
}
data:image/s3,"s3://crabby-images/64569/645697e2f26f179c2764cebf36a2caa11950f93d" alt=""
data:image/s3,"s3://crabby-images/5e539/5e5398fc0c57156d5b8eaf2d99ed7457615a506d" alt=""