我正在实现自定义表单设计器。我现在想要将布局持久化到数据库。
这是我提出的设计:
public class Control
{
public virtual int Id { get; set; }
public virtual string Type { get; set; }
public virtual Dictionary<string, string> Properties { get; set; }
}
然后我会映射这个,所以我可以像这样做 来重新加载布局:
var controls = GetListOfControlsUsingNHibernate();
foreach (var control in controls){
var newControl = CreateControlFromType(control.Type);
SetPropertiesViaTypeDescriptor(newControl, control.Properties);
this.Controls.Add(newControl);
}
我有两个问题。
答案 0 :(得分:1)
一些替代方法。
一种解决方案是使用继承
public abstract class Control
{
// ...
}
public class TextBox : Control
{
public virtual string Text { get; set; }
}
public class MaskedTextBox : TextBox
{
public virtual string Mask { get; set; }
}
另一种是使用不同种类的属性
public class Control
{
public virtual ISet<Property> Properties { get; set; }
}
public abstract class Property
{
public virtual string Name { get; set; }
}
public class IntProperty : Property
{
public virtual int Value { get; set; }
}
public class DecimalProperty : Property
{
public virtual decimal Value { get; set; }
}
// ...
另一个是使用接口
public abstract class Control
{
}
public class TextBox : Control, ITextControl
{
public virtual string Text { get; set; }
}
public class ConcreteControlMap<T> : SubclassMap<T> where T : Control
{
public ConcreteControlMap()
{
if(typeof(ITextControl).IsAssignableFrom(typeof(T)))
{
Map(c => ((ITextControl)c).Text);
}
}
}
答案 1 :(得分:0)
twitter上的一篇文章指出了我使用Fluent NHibernate进行映射的正确方向:
首先创建一个名为Properties
的表来保存我们的属性:
╔═══════════╦══════════════╦═══════════════╗
║ ControlId ║ PropertyName ║ PropertyValue ║
╚═══════════╩══════════════╩═══════════════╝
现在改变我们的映射:
public class ControlMap : ClassMap<Control>
{
public ControlMap()
{
Table("Controls");
Id(x => x.Id);
Map(x => x.Type);
HasMany(x => x.Properties).Table("ControlProperties")
.AsMap<string>(index => index.Column("PropertyName").Type<string>(),
element => element.Column("PropertyValue").Type<string>())
.Cascade.All();
}
}
关于背后的hbm xml的一些背景,请参阅Ayende的NHibernate Mapping Map。