将静态反射信息传递给静态泛型方法



编辑:我试图在里面运行这个类/方法是静态的,因此我无法将其传递到泛型。调用

我有一个静态的数据访问类,我用它来自动解析来自各种来源的数据。当我开始重构它时,我遇到了一个问题。我试图通过反射将类型传递给泛型方法,(该方法然后解析类型并返回带有值的type)我的代码现在看起来像

Type type1 = typeof( T );
var item = (T)Activator.CreateInstance( typeof( T ), new object[] { } );
foreach (PropertyInfo info in type1.GetProperties())
{
    Type dataType = info.PropertyType;
    Type dataType = info.PropertyType;
    MethodInfo method = typeof( DataReader ).GetMethod( "Read" );
    MethodInfo generic = method.MakeGenericMethod( dataType ); 
    //The next line is causing and error as it expects a 'this' to be passed to it
    //but i cannot as i'm inside a static class
    generic.Invoke( this, info.Name, reader );
    info.SetValue(item,DataReader.Read<dataType>(info.Name, reader ) , null);
}

我猜DataReader.Read是静态方法,对吧?

因此,像下面这样更改错误行,因为您正在调用静态方法。没有对象,所以你只需将null传递给Invoke方法:

var value = generic.Invoke( null, new object[] {info.Name, reader} );

泛型方法的类型参数不是Type的实例;你不能这样使用你的变量。但是,您可以使用反射来创建所需的闭型MethodInfo(即指定类型参数),它看起来像这样:

// this line may need adjusting depending on whether the method you're calling is static
MethodInfo readMethod = typeof(DataReader).GetMethod("Read"); 
foreach (PropertyInfo info in type1.GetProperties())
{
    // get a "closed" instance of the generic method using the required type
    MethodInfo genericReadMethod m.MakeGenericMethod(new Type[] { info.PropertyType });
    // invoke the generic method
    object value = genericReadMethod.Invoke(info.Name, reader);
    info.SetValue(item, value, null);
}

相关内容

  • 没有找到相关文章

最新更新