EF Core 2.0如何使用SQL存储过程

时间:2018-01-11 16:05:01

标签: stored-procedures entity-framework-core asp.net-core-2.0 entity-framework-core-migrations

我是EF Core 2.0的新手,具有存储过程。

任何人都可以帮助我在EF Core 2.0代码优先方法中使用存储过程吗?

在我之前的项目中,我有一个.edmx模型文件,我正在使用如下的上下文:

public IEnumerable<UserResult> GetUserResults(Entities context)
{
    if (context == null) return new List<UserResult>();
    return context.spGetUsers().Where(u => u.IsDeleted == false);
}

,上下文是:

public virtual ObjectResult<UserResult> spGetUsers()
{
    return ((IObjectContextAdapter)this).ObjectContext.ExecuteFunction<UserResult>("spGetUsers");
}

由于

2 个答案:

答案 0 :(得分:8)

您可以使用FromSQL方法:

var blogs = context.Blogs
    .FromSql("EXECUTE dbo.GetMostPopularBlogs")
    .ToList();

https://docs.microsoft.com/en-us/ef/core/querying/raw-sql

答案 1 :(得分:5)

要为别人节省一个小时左右的时间...

ErikEJ的答案非常完美,但我首先要做一些额外的工作。

在先进行反向代码迁移(到具有存储过程的现有数据库)之后,我遇到了一个问题,即现有数据库上的存储过程没有返回标准表(例如Blog的列表),但是不在数据库中的其他类(例如BlogTitleAndSummary的列表)(因此不进行迁移)。

这篇文章指出,我不确定返回must be an entity type,但another的Eriks帖子为我指明了正确的方向。

要使此方案起作用:

我创建了一个'BlogTitleAndSummary'类,将一个属性标记为[key]

例如

public class BlogTitleAndSummary
{
    [Key]
    public int BlogId { get; set; }

    public string Title { get; set; }

    public string ShortSummary { get; set; }
}

然后,我将其作为DbSet添加到上下文中,例如

public partial class BloggingContext : DbContext
{
    public BloggingContext()
    {
    }

    public BloggingContext(DbContextOptions<BloggingContext> options)
        : base(options)
    {
    }

    // Might be best to move these to another partial class, so they don't get removed in any updates.
    public virtual DbSet<BlogTitleAndSummary> BlogTitleAndSummary { get; set; }

    // Standard Tables
    public virtual DbSet<Blog> Blog { get; set; }
    ...
}

这使我能够使用以下语法来调用存储过程:

注意:我已根据以下评论更新了此内容。在FromSql方法中使用参数。请勿对此类sql queries使用字符串插值。

using (var ctx = new BloggingContext())
{
var dbResults = ctx.BlogTitleAndSummary.FromSql("EXEC dbo.get_bloggingSummary @UserId={0}", userId).ToList();
}