EF Core 额外的外键字段和单向导航属性

EF CORE 额外的外键字段
using TestDbContext ctx = new TestDbContext();
//即使我只需要id和标题但是还是查询了所有的字段  浪费资源
var book = ctx.Books.First();//此行代码与下面注释的代码效果一样
//var simpleBook = ctx.Books.Select(b => b).First();
//这样写底层生成的sql 只查询了id  和Title
var simpleBook = ctx.Books.Select(b => new {b.Id,b.Title }).First();
Comment
public class Comment
{
	public long Id { get; set; }
	public Article Article { get; set; }
	public string Message { get; set; }
    public long ArticleId { get; set; }//关联的Article表你想要的id 去对应的config配置加上
    //.HasForeignKey(c => c.ArticleId);即可 如下
}
CommentConfig
using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Metadata.Builders;

class CommentConfig : IEntityTypeConfiguration<Comment>
{
	public void Configure(EntityTypeBuilder<Comment> builder)
	{
		builder.ToTable("T_Comments");
		builder.HasOne<Article>(c => c.Article).WithMany(a => a.Comments)
			.IsRequired().HasForeignKey(c => c.ArticleId);
		builder.Property(c => c.Message).IsRequired().IsUnicode();
	}
}

设置外键属性1

EF Core 单向导航属性

add-migration

取消 Remove-Migration.

update-database xxx

配置方法

不设置方向的属性,然后配置的时候,WithMany()不设置参数即可

User以及UserConfig
class User
{
	public long Id { get; set; }
	public string Name { get; set; }//姓名
}

using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Metadata.Builders;

class UserConfig : IEntityTypeConfiguration<User>
{
	public void Configure(EntityTypeBuilder<User> builder)
	{
		builder.ToTable("T_Users");
		builder.Property(u => u.Name).IsRequired()
			.HasMaxLength(100).IsUnicode();
	}
}
Leave以及LeaveConfig
class Leave
{
	public long Id { get; set; }
	public User Requester { get; set; }//申请者
	public User? Approver { get; set; } //审批者
	public string Remarks { get; set; } //说明
	public DateTime From { get; set; } //开始日期
	public DateTime To { get; set; } //结束日期
	public int Status { get; set; }//状态
}

using Microsoft.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore.Metadata.Builders;

class LeaveConfig : IEntityTypeConfiguration<Leave>
{
	public void Configure(EntityTypeBuilder<Leave> builder)
	{
		builder.ToTable("T_Leaves");
		builder.HasOne<User>(l => l.Requester).WithMany();
		builder.HasOne<User>(l => l.Approver).WithMany();
		builder.Property(l => l.Remarks).HasMaxLength(1000).IsUnicode();
	}
}

builder.HasOne(l => l.Requester).WithMany();
builder.HasOne(l => l.Approver).WithMany();

对于主从结构的“一对多”表关系,一般是声明双向导航属性

而对于其他的“一对多”表关系:如果表属于被很多表引用的基础表,则用单项导航属性,否则可以自由决定是否用双向导航属性

需要解决postgresql datatime 只支持UTC格式

EF Core的关系配置 两方配置都可以

EFCore双向配置2

推荐一对多 配置在多的哪一个属性

HasOne().WithMany();