web-dev-qa-db-ja.com

最初にエンティティフレームワークコードで多対多の関係をマッピングする

私はEFでテストをして、多対多の関係を作成しようとしています。なぜなら、私は常に1対1または1対多をマッピングするからですレジスタを読み取れません

これが私のクラスです。HashSetが何なのかわかりません。このコードはサイトで入手できます

public class Person
{
    public int PersonId { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }

    public ICollection<Course> CoursesAttending { get; set; }

    public Person()
    {
        CoursesAttending = new HashSet<Course>();
    }
}

public class Course
{
    public int CourseId { get; set; }
    public string Title { get; set; }

    public ICollection<Person> Students { get; set; }

    public Course()
    {
        Students = new HashSet<Person>();
    }
}

ここに私のコンテキストがあります

public class SchoolContext : DbContext
{
    public DbSet<Course> Courses { get; set; }
    public DbSet<Person> People { get; set; }

    public SchoolContext()
        : base("MyDb")
    {
    }

    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        modelBuilder.Entity<Course>().
            HasMany(c => c.Students).
            WithMany(p => p.CoursesAttending).
            Map(
                m =>
                {
                    m.MapLeftKey("CourseId");
                    m.MapRightKey("PersonId");
                    m.ToTable("PersonCourses");
                });

    }
}

レジスタを挿入すると正しい

static void Main(string[] args)
{
    using (SchoolContext db = new SchoolContext())
    {
        Course math = new Course();
        Course history = new Course();
        Course biology = new Course();
        math.Title = "Math";
        history.Title = "History";
        biology.Title = "Biology";

        db.Courses.Add(math);
        db.Courses.Add(history);
        db.Courses.Add(biology);

        Person john = new Person();
        john.FirstName = "John";
        john.LastName = "Paul";
        john.CoursesAttending.Add(history);
        john.CoursesAttending.Add(biology);

        db.People.Add(john);
        db.SaveChanges();
    }
}

しかし、ショーのコンテンツに登録を選択しようとすると、うまくいかず、何も印刷されません

static void Main(string[] args)
{
    using (SchoolContext db = new SchoolContext())
    {
        Pearson p = db.Peasons.First();
        Console.WriteLine(p.CoursesAttending.First().Title);
    }
}

データベースをチェックインしましたが、レジスタが存在しますが、問題は何ですか?

最初にコードとの多対多の関係を選択する方法を教えてください。

19
Lai32290

まず、コレクションを作成して遅延読み込みを有効にしたい場合がありますvirtual

public virtual ICollection<Course> CoursesAttending { get; set; }
public virtual ICollection<Person> Students { get; set; }

これにより、EFはCourseおよびPersonから派生クラス(プロキシ)を作成し、データストアからデータをロードするロジックでコレクションをオーバーライドできます。

あなたがそれをするとき、あなたはそれを見るでしょう

Console.WriteLine(p.CoursesAttending.First().Title);

別のクエリを実行してCoursesAttendingを設定します。

代わりに、または追加として、eager loadingのようにデータベースへのラウンドトリップを防ぐことを決定できます:

Person p = db.Persons.Include(p => p.CoursesAttending).First();

Personand the CoursesAttendingを一度にロードします。

34
Gert Arnold