上篇比较NH和EF一对一的关系写得有点仓促。由于是第一次写Blog,写得不好请大家多多见谅。
在这里只对NH和EF OR 映射部分做个简单的对比,由于本人对EF还不太熟悉在这里不做深层讨论。
EF OR关系对本人来说理解的有点费劲,有时不知道是什么意思。(可能是我悟性太低吧!)
感谢大家的捧场!
一对多的关系我们拿学生和班级来做个例子。
下边是学生和班级的数据库结构图.:
班级和学生的对像模型图:
EF:学生和班级实体
public class Student
{
public int? StuID { get; set; }
public string StudentName { get; set; }
public virtual Class Class { set; get; }
public int? ClassID { get; set; }
}
public class Class
{
public int? ClassID { get; set; }
public string ClassName { get; set; }
public virtual IList<Student> Students { get; set; }
}
NH:学生和班级实体
public class Student
{
public virtual int? StuID { get; set; }
public virtual string StudentName { get; set; }
}
从对像模型上来看我更倾向NH,像EF上边的这样写感觉有点别扭!(主要还是在外键字段上)
public class Class
{
public virtual int? ClassID { get; set; }
public virtual string ClassName { get; set; }
public virtual IList<Student> Students { get; set; }
}
EF中学生和班级表实体关系定义:
public class StudentConfig : EntityTypeConfiguration<Student>
{
public StudentConfig()
{
this.HasKey(p => p.StuID).Property(p=>p.StuID).HasDatabaseGeneratedOption(DatabaseGeneratedOption.Identity);
this.Property(p => p.StudentName).HasMaxLength(255).HasColumnName("StudentName");
this.HasMany(p => p.Students).WithRequired(p => p.Class).HasForeignKey(p => p.ClassID);
this.ToTable("T_Student");
}
}
public class CLassConfig : EntityTypeConfiguration<Class>
{
public CLassConfig()
{
this.HasKey(p => p.ClassID).Property(p => p.ClassID)
.HasDatabaseGeneratedOption(DatabaseGeneratedOption.Identity);
this.Property(p => p.ClassName).HasColumnName("ClassName").HasMaxLength(255);
this.ToTable("T_Class");
}
}
NH中学生和班级表实体关系定义:
<class name="Student" table="N_Student" lazy="true" >
<id name=" StuID " type="int" column=" StuID ">
<generator class="native"/>
</id>
<property name=" StudentName " type="string">
<column name=" StudentName " length="50"/>
</property>
</class>
<class name="Class" table="N_Class" lazy="true" >
<id name=" ClassID " type="int" column="ClassID">
<generator class="native"/>
</id>
<property name=" ClassName " type="string">
<column name=" ClassName " length="50"/>
</property>
<bag name="Students">
<key column=" ClassID"/>
<one-to-many class="Student"/>
</bag>
</class>