Entity Framework Filter “Expression>”

前端 未结 3 1640
余生分开走
余生分开走 2020-11-28 11:02

I\'m trying to create a filter method for Entity framework List and understand better the Expression

I have a Test Function like this.

相关标签:
3条回答
  • 2020-11-28 11:04

    It's useful to understand the difference between Expression<Func<>> and Func<>.

    An Expression e => e.ID < 500 stores the info about that expression: that there's a T e, that you're accessing the property ID, calling the < operator with the int value 500. When EF looks at that, it might turn it into something like [SomeTable].[ID] < 500.

    A Func e => e.ID < 500 is a method equivalent to:

    static bool MyMethod(T e) { return e.ID < 500; }
    

    It is compiled as IL code that does this; it's not designed to be 'reconstituted' into a SQL query or anything else, only run.

    When EF takes your Expression, it must understand every piece of it, because it uses that to build a SQL query. It is programmed to know what the existing Where method means. It does not know what your Filter method means, even though it's a trivial method, so it just gives up.

    0 讨论(0)
  • 2020-11-28 11:16

    Jon and Tim already explained why it doesn't work.

    Assuming that the filter code inside Filter is not trivial, you could change Filter so that it returns an expression EF can translate.

    Let's assume you have this code:

    context.Table.Where(x => x.Name.Length > 500);
    

    You can now create a method the returns this expression:

    Expression<Func<YourEntity, bool>> FilterByNameLength(int length)
    {
        return x => x.Name.Length > length;
    }
    

    Usage would be like this:

    context.Table.Where(FilterByNameLength(500));
    

    The expression you build inside FilterByNameLength can be arbitrarily complex as long as you could pass it directly to Where.

    0 讨论(0)
  • 2020-11-28 11:17

    Why it works in one case and not in the adder?

    Because EF doesn't really "know" about your Filter method. It has no understanding of what it's meant to do, so it doesn't know how to translate it into SQL. Compare that with Where etc, which it does understand.

    The version where you call it directly on the initial table works because that way you don't end up with an expression tree containing a call to Filter - it just calls Filter directly, which in turn does build up a query... but one which EF understands.

    I'd be very surprised if you could work out a way of getting your Filter method to work within an EF query... but you've already said that using Where works anyway, so why use Filter at all? I'd use the Where version - or better yet, use the Any overload which takes a predicate:

    context.Table.Filter(e => e.SubTable.Any(et => et.ID < 500) && e.ID < 500);
    
    0 讨论(0)
提交回复
热议问题