转换Func<>类型

时间:2013-01-30 08:40:47

标签: c# functional-programming

Cannot convert type 'System.Func<int,bool>' to 'System.Func<object,bool>'

尝试将f2强制转换为f1:

    Func<object, bool> f1 = x => true;
    Func<int, bool> f2 = x => true;
    f1 = (Func<object, bool>)f2;

尝试解决地图功能,但这次我得到了

Argument 1: cannot convert from 'C' to 'A' 

异常。转型(a)功能

    Func<int, bool> f3 = Map(f2, x => x);

    Func<C, B> Map<A, B, C>(Func<A, B> input, Func<A, C> transform)
    {
        return x => input(transform(x));
        // return x => input(transform((A)x)); not working
    }

有解决方案吗?

1 个答案:

答案 0 :(得分:9)

这应该有效:

f1 = p => f2((int)p);

然而,当然,使用此f1会产生InvalidCastException,如果您将其传递给无法投放到int的内容。

如果输入类型f2继承自f1的输入类型(在您的示例中为真 - int,则可以创建通用实用程序函数来执行此操作派生自object):

static Func<TOut, TR> ConvertFunc<TIn, TOut, TR>(Func<TIn, TR> func) where TIn : TOut
{
    return p => func((TIn)p);
}

然后你可以像这样使用它:

f1 = ConvertFunc<int, object, bool>(f2);

但这并不比我的第一个例子更简洁,我认为第二种方法的可读性比第一种方法更差。


顺便提一下,如果按正确顺序放置类型参数,则可以编译Map()方法:

static  Func<TNewIn, TOut> Map<TOrigIn, TNewIn, TOut>(Func<TOrigIn, TOut> input, 
                                                      Func<TNewIn, TOrigIn> convert)
{
    return x => input(convert(x));
}

您可以这样称呼它:

f1 = Map(f2, (object x) => (int)x);

您需要明确指出NewIn类型,因为编译器无法推断它。