これをディエゴの投稿にコメントするつもりでしたが、長すぎて構文の強調表示が必要でした。Diego が投稿した XmlDocType を変更して、厳密に型指定されたオブジェクトとの間で xml シリアル化を使用するようにしました。
強力な型付けを処理するために、独自の汎用 IUserType を作成しました。
//you'll need these at the top of your file
//using System;
//using System.Collections.Generic;
//using System.Linq;
//using System.Text;
//using NHibernate.UserTypes;
//using NHibernate.SqlTypes;
//using System.Data;
//using System.Xml;
//using NHibernate.Type;
[Serializable]
public class XmlType<T> : MutableType
{
public XmlType()
: base(new XmlSqlType())
{
}
public XmlType(SqlType sqlType)
: base(sqlType)
{
}
public override string Name
{
get { return "XmlOfT"; }
}
public override System.Type ReturnedClass
{
get { return typeof(T); }
}
public override void Set(IDbCommand cmd, object value, int index)
{
((IDataParameter)cmd.Parameters[index]).Value = XmlUtil.ConvertToXml(value);
}
public override object Get(IDataReader rs, int index)
{
// according to documentation, GetValue should return a string, at list for MsSQL
// hopefully all DataProvider has the same behaviour
string xmlString = Convert.ToString(rs.GetValue(index));
return FromStringValue(xmlString);
}
public override object Get(IDataReader rs, string name)
{
return Get(rs, rs.GetOrdinal(name));
}
public override string ToString(object val)
{
return val == null ? null : XmlUtil.ConvertToXml(val);
}
public override object FromStringValue(string xml)
{
if (xml != null)
{
return XmlUtil.FromXml<T>(xml);
}
return null;
}
public override object DeepCopyNotNull(object value)
{
var original = (T)value;
var copy = XmlUtil.FromXml<T>(XmlUtil.ConvertToXml(original));
return copy;
}
public override bool IsEqual(object x, object y)
{
if (x == null && y == null)
{
return true;
}
if (x == null || y == null)
{
return false;
}
return XmlUtil.ConvertToXml(x) == XmlUtil.ConvertToXml(y);
}
}
//the methods from this class are also available at: http://blog.nitriq.com/PutDownTheXmlNodeAndStepAwayFromTheStringBuilder.aspx
public static class XmlUtil
{
public static string ConvertToXml(object item)
{
XmlSerializer xmlser = new XmlSerializer(item.GetType());
using (System.IO.MemoryStream ms = new System.IO.MemoryStream())
{
xmlser.Serialize(ms, item);
UTF8Encoding textconverter = new UTF8Encoding();
return textconverter.GetString(ms.ToArray());
}
}
public static T FromXml<T>(string xml)
{
XmlSerializer xmlser = new XmlSerializer(typeof(T));
using (System.IO.StringReader sr = new System.IO.StringReader(xml))
{
return (T)xmlser.Deserialize(sr);
}
}
}
最後に、Fluent.NHibernate を使用して、次のように列をマップできます。
public partial class MyTableEntityMap: ClassMap<MyTableEntity>
{
public MyTableEntityMap()
{
Table("MyTable");
//...
Map(x => x.MyStronglyTypedProperty).Column("SomeXmlTypeSqlColumn").CustomType(typeof(XmlType<TypeOfMyProperty>));
}
}