如何使用反射调用泛型扩展方法



我编写了扩展方法GenericExtension。现在我要调用扩展方法Extension。但是methodInfo的值总是null

public static class MyClass
{
    public static void GenericExtension<T>(this Form a, string b) where T : Form
    {
        // code...
    }
    public static void Extension(this Form a, string b, Type c)
    {
        MethodInfo methodInfo = typeof(Form).GetMethod("GenericExtension", new[] { typeof(string) });
        MethodInfo methodInfoGeneric = methodInfo.MakeGenericMethod(new[] { c });
        methodInfoGeneric.Invoke(a, new object[] { a, b });
    }
    private static void Main(string[] args)
    {
        new Form().Extension("", typeof (int));
    }
}

什么错了吗?

扩展方法没有附加到类型Form,它附加到类型MyClass,所以将它从该类型中抓取:

MethodInfo methodInfo = typeof(MyClass).GetMethod("GenericExtension",
    new[] { typeof(Form), typeof(string) });

如果您有像

这样的扩展方法
public static class StringExtensions
{
    public static bool IsValidType<T>(this string value);
}

您可以像这样调用它(例如在测试中):

public class StringExtensionTests
{
    [Theory]
    [InlineData("Text", typeof(string), true)]
    [InlineData("", typeof(string), true)]
    [InlineData("Text", typeof(int), false)]
    [InlineData("128", typeof(int), true)]
    [InlineData("0", typeof(int), true)]
    public void ShouldCheckIsValidType(string value, Type type, bool expectedResult)
    {
        var methodInfo = 
            typeof(StringExtensions).GetMethod(nameof(StringExtensions.IsValidType),
            new[] { typeof(string) });
        var genericMethod = methodInfo.MakeGenericMethod(type);
        var result = genericMethod.Invoke(null, new[] { value });
        result.Should().Be(expectedResult);
    }
}

基于@Mike Perrenoud的回答,我需要调用的泛型方法不限于与扩展方法的类相同的类型(即T不是Form类型)。

给定扩展方法:

public static class SqlExpressionExtensions
{
    public static string Table<T>(this IOrmLiteDialectProvider dialect)
}

我使用以下代码来执行该方法:

private IEnumerable<string> GetTrackedTableNames(IOrmLiteDialectProvider dialectProvider)
{
    var method = typeof(SqlExpressionExtensions).GetMethod(nameof(SqlExpressionExtensions.Table), new[] { typeof(IOrmLiteDialectProvider) });
    if (method == null)
    {
        throw new MissingMethodException(nameof(SqlExpressionExtensions), nameof(SqlExpressionExtensions.Table));
    }
    foreach (var table in _trackChangesOnTables)
    {
        if (method.MakeGenericMethod(table).Invoke(null, new object[] { dialectProvider }) is string tableName)
        {
            yield return tableName;
        }
    }
}

,其中_trackChangesOnTables中定义的类型仅在运行时已知。通过使用nameof操作符,如果在重构期间删除了方法或类,则可以防止在运行时出现异常。

相关内容

  • 没有找到相关文章

最新更新