C# 9 - 如何使用反射调用默认接口方法?

问题描述

我有一个用于自动映射器的接口。并且 DTO 实现了这个接口。如您所见,有一个方法

public interface IMap<T> {
    public void Mapping(Profile profile) {
        profile.CreateMap(typeof(T),GetType()).ReverseMap();
    }
}

public class ItemDto : IMap<Item> {
    public string Name { get; set; }
}

当我尝试调用方法时。找不到方法

public class MappingProfile : Profile {
    public MappingProfile() {
        ApplyMappingsFromAssembly();
    }

    private void ApplyMappingsFromAssembly() {
        var types = AppDomain.CurrentDomain.GetAssemblies().Where(w => !w.IsDynamic).SelectMany(s => s.GetExportedTypes())
            .Where(t => t.GetInterfaces().Any(i =>
                i.IsGenericType && i.GetGenericTypeDeFinition() == typeof(IMap<>)))
            .ToList();

        foreach (var type in types) {
            var instance = Activator.CreateInstance(type);
            var methodInfo = type.getmethod("Mapping");
            //In here I expect to call default interface method.
            methodInfo?.Invoke(instance,new object[] { this });
        }
    }
}

如何调用认接口方法

解决方法

您需要针对接口调用该方法,这也包括通过反射获取该方法。例如:

// Create the IMap<Item> type
var mapType = typeof(IMap<>).MakeGenericType(typeof(Item));

// Create the instance as you did before
var instance = Activator.CreateInstance(typeof(ItemDto));

// Get the method from the interface
var method = mapType.GetMethod("Mapping");

// Invoke the method
method.Invoke(instance,new object[] { ... });

为了适应你的代码,它看起来像这样:

foreach (var type in types)
{
    // Cheating here by getting the first interface,so you might want to be cleverer
    var mapInterface = type.GetInterfaces()[0];
    
    // Get the generic type of the interface,e.g. "Item"
    var genericType = mapInterface.GetGenericArguments()[0];
    
    var instance = Activator.CreateInstance(type);
    var mapType = typeof(IMap<>).MakeGenericType(genericType);
    var methodInfo = mapType.GetMethod("Mapping");

    methodInfo?.Invoke(instance,new object[] { this });
}