将接口类型作为参数传递

时间:2014-06-28 09:56:33

标签: c# interface parameters

我已经知道您可以将接口作为参数传递给方法。这允许您仅指定方法所需的对象的相关成员。我想做的是能够将接口类型作为参数传递。

假设我声明了几个接口,这些接口在一系列对象中不均匀地实现,这些对象都形成一个列表/集合。我可以编写一个辅助方法,它既可以从列表中获取对象,也可以将接口类型作为参数,并检查对象是否实现了接口?以下代码显然是垃圾,但它说明了我想要做的事情:

private bool CheckType(object o, interface intrfce)
{
    try
    {
        object x = (object)(intrfce)o;
        return true;
    }
    catch (InvalidCastException e) 
    {
        return false
    }
}

目前我只是计划为接口设置枚举,并要求所有类公开他们实现的接口的数组/列表。然后我可以检查枚举列表以查看它们具有哪些相关的接口(我只对我创建的接口感兴趣 - 我不是在返回IEnumerableICloneable之后等等。)或者我可以为每个接口编写辅助方法。我只是想知道是否有一种更优雅的方式呢?

2 个答案:

答案 0 :(得分:5)

您可以使用泛型来完成:

private bool CheckType<T>(object o) {
    return o is T;
}

你这样称呼它:

foreach (object o in myList) {
    if (CheckType<MyInterface>(o)) {
        ... // Do something
    }
}

考虑到它有多容易,你可以在条件本身中做到这一点。

最后,如果您希望仅处理在混合列表中实现特定接口的对象,则可以使用LINQ的OfType方法执行此操作,如下所示:

foreach (MyInterface o in myList.OfType<MyInterface>()) {
   ...
}

答案 1 :(得分:2)

您可以执行以下操作:

private bool CheckType(object o, params Type[] types)
{
    //you can optionally check, that types are interfaces
    //and throw exceptions if non-interface type was passed
    if(types.Any(type => !type.IsInterface))
        throw new Exception("Expected types to have only interface definitions");

    return types.All(type => type.IsAssignableFrom(o.GetType()));
}


CheckType(new List<int>(), typeof(IEnumerable), typeof(IList)); //returns true
CheckType(0, typeof(IEnumerable)); //return false

要检查一系列对象,您可以使用以下内容:

private bool CheckAllType(IEnumerable<object> items, params Type[] types)
{
    return items.All(item => CheckType(item, types));
}