测试C#泛型类型的分配

时间:2009-03-27 10:14:41

标签: c# generics

有没有什么方法可以测试泛型方法中泛型参数的实例是否已分配给值或引用类型?我希望能够在一个通用方法中执行此操作,我必须持久化类型,其中T是实例,K是该类型的标识符字段的类型(我持久存在的所有对象都有,因为它们从基类继承类型)。我不想将K限制为值类型。代码是这样的:

public static bool Save<T, K>(T instance)
{
    // variable to hold object identifer
    K instanceId = default(K);

    PropertyInfo[] properties = typeof(T).GetProperties();

    // loop through properties of the T
    // if property is decorated with a specific attribute then assign to instanceId
    // end loop

    // check that we have a value assigned to instanceId other than default(K)
    // if not return false otherwise continue to persist item
}

由于K可以是值类型,因此检查它是否等于默认值(K)会导致错误,因为它依赖于它是可比较的。有办法解决这个问题吗?

请注意,在当前情况下我通过在通用类型T上放置一个必须从基类型BaseObject继承的条件来解决这个问题,所以我的问题是关于泛型和测试赋值的一般问题。 / p>

1 个答案:

答案 0 :(得分:5)

如果您稍后要从instanceId读取,则必须从编译器的角度明确分配。我会用default(K)分配它,并分别有一个标记,说明它是否被赋予有用的值:

public static bool Save<T, K>(T instance)
{
    bool idAssigned = false;
    // variable to hold object identifer
    K instanceId = default(K)

    PropertyInfo[] properties = typeof(T).GetProperties();

    foreach(PropertyInfo property in properties)
    {
        if (SomeCondition(property))
        {
            instanceId = GetId(property);
            idAssigned = true;
        }
    }

    if (!idAssigned)
    {
        return false;
    }
    Persist(whatever);
    return true;
}

编辑:将instanceId的值与任何特定值进行比较是非启动性的,除非您知道该值永远不会用于“正常”值明确分配给instanceId

基本上你在这里有两点信息,所以请分开保存 - 标志是要走的路。