simple linq to sql has no supported translation to SQL

前端 未结 1 1446
情话喂你
情话喂你 2020-12-03 06:56

i have this in my BlogRepository

public IQueryable GetPosts()
    {
        var query = from p in db.Posts
                         


        
相关标签:
1条回答
  • 2020-12-03 07:40

    You are calling GetCommentsByPostId within what is ultimately an expression tree. That tree, when composed in BlogService.GetPublicPosts, is converted to SQL.

    During that conversion, it is just a method call, nothing more. Linq to Sql understands certain method calls, and yours is not one of them. Hence the error.

    On the surface, this seems like it should work. You write reusable queries and compose them from other queries. However, what you are actually saying is: "during the processing of each row on the database server, call this method", which it obviously can't do. The fact that it takes an IQueryable<T> and returns an IQueryable<T> does not make it special.

    Think about it this way: you are passing postId to GetCategoriesByPostId. You can't call that method until you have a postId, and you don't have one of those until you are on the server in the query.

    You would probably need to define common Expression<> instances for the sub-queries and use those in the composition. I haven't thought about what this would look like but it's certainly doable.

    Edit:

    If you replace

    let categories = GetCategoriesByPostId(p.PostId)
    let comments = GetCommentsByPostId(p.PostId)
    ...
    Categories = new LazyList<Category>(categories),
    Comments = new LazyList<Comment>(comments),
    

    with

    Categories = new LazyList<Category>(GetCategoriesByPostId(p.PostId)),
    Comments = new LazyList<Comment>(GetCommentsByPostId(p.PostId)),
    

    the query will no longer throw an exception.

    This is because let declares range variables, which are in scope for each row. They must be calculated on the server.

    Projections, however, allow you to put arbitrary code in assignments, which is then executed while building results on the client. This means both methods will be called, each of which will issue its own query.

    0 讨论(0)
提交回复
热议问题