2

我有一个使用 Nhibernate 映射的遗留数据库。并且在几个位置,列表 och 字符串或域对象被映射为数据库中的分隔字符串。值类型案例中的“string|string|string”和引用类型案例中的“domainID|domainID|domainID”。

我知道我可以在类上创建一个虚拟属性并映射到该字段,但我想以一种更简洁的方式来完成它,例如使用EnumStringType类将 Enums 映射为其字符串表示形式时。

IUserType 是去这里的方式吗?

提前致谢/约翰

4

1 回答 1

5

I am using this:

public class DelimitedList : IUserType
{
    private const string delimiter = "|";

    public new bool Equals(object x, object y)
    {
        return object.Equals(x, y);
    }

    public int GetHashCode(object x)
    {
        return x.GetHashCode();
    }

    public object NullSafeGet(IDataReader rs, string[] names, object owner)
    {
        var r = rs[names[0]];
        return r == DBNull.Value 
            ? new List<string>()
            : ((string)r).SplitAndTrim(new [] { delimiter });
    }

    public void NullSafeSet(IDbCommand cmd, object value, int index)
    {
        object paramVal = DBNull.Value;
        if (value != null)
        {
            paramVal = ((IEnumerable<string>)value).Join(delimiter);
        }
        var parameter = (IDataParameter)cmd.Parameters[index];
        parameter.Value = paramVal;
    }

    public object DeepCopy(object value)
    {
        return value;
    }

    public object Replace(object original, object target, object owner)
    {
        return original;
    }

    public object Assemble(object cached, object owner)
    {
        return cached;
    }

    public object Disassemble(object value)
    {
        return value;
    }

    public SqlType[] SqlTypes
    {
        get { return new SqlType[] { new StringSqlType() }; }
    }

    public Type ReturnedType
    {
        get { return typeof(IList<string>); }
    }

    public bool IsMutable
    {
        get { return false; }
    }
}

SplitAndTrim is my own extension of string. Then in the class (using ActiveRecord for mapping):

[Property(ColumnType = "My.Common.Repository.UserTypes.DelimitedList, My.Common.Repository")]
public virtual IList<string> FooBar { get; set; }
于 2008-11-27T13:28:00.890 回答