我有一个NHibernate IUserType,我试图将几个固定大小的double []字段(不同大小)绑定到单个数据库列作为BLOB。我有以下代码但不知何故我需要传递一个常量整数,所以它知道数组应该有多大。我不认为有一种方法可以在运行时以自定义方式实例化这种类型,因此大小确实需要成为类型本身的一部分。如果我能避免的话,我宁愿没有这个丑陋课程的两个副本!
public class DoubleArrayUserType<Size> : NHibernate.UserTypes.IUserType
{
private int _size = sizeof(Size);
public object Assemble(object cached, object owner)
{
if (cached == null)
return null;
if (cached == DBNull.Value)
return null;
if (!(cached is byte[]))
throw new ArgumentException();
var arrayBytes = cached as byte[];
var arrayStream = new BinaryReader(new MemoryStream(arrayBytes));
var values = new double[_size];
for (int i = 0; i < _size; ++i)
values[i] = arrayStream.ReadDouble();
return values;
}
public object Disassemble(object value)
{
if (value == null)
return DBNull.Value;
if (value == DBNull.Value)
return DBNull.Value;
if (!(value is double[]))
throw new ArgumentException();
var values = value as double[];
var bytes = new List<byte>(sizeof(double) * _size);
for (int i = 0; i < _size; ++i)
bytes.AddRange(BitConverter.GetBytes(values[i]));
return bytes.ToArray();
}
public NHibernate.SqlTypes.SqlType[] SqlTypes
{
get { return new NHibernate.SqlTypes.SqlType[] { NHibernate.SqlTypes.SqlTypeFactory.GetBinaryBlob(1) }; }
}
}
答案 0 :(得分:6)
这是一个有争议的解决方案(期待downvotes!),但它不会产生常数。我相信你也能以不同的方式解决你的问题:
public interface IHasSize{
int Size { get; }
}
public class MySize : IHasSize {
public int Size { get { return 4; } }
}
public class RequiresASize<TSize> where TSize : IHasSize, new()
{
private int _size = new TSize().Size;
}
public class ProvidesASize : RequiresASize<MySize>{
//_size in base class will be 4
}
所以RequiresASize<TSize>
是你问题中最重要的一员。我在最后通过ProvidesASize
类型使用继承来演示它是如何工作的。