[.net] Dapper로 저장 프로 시저를 호출하는 방법이 있습니까?

stackoverflow.com에 대한 Dapper Micro ORM 의 결과에 깊은 인상을 받았습니다 . 나는 새로운 프로젝트를 위해 그것을 고려하고 있지만 때로는 내 프로젝트에 저장 프로 시저가 필요하고 웹에서 많이 검색하지만 저장 프로 시저로 아무것도 찾지 못하는 것에 대해 한 가지 우려가 있습니다. Dapper가 저장 프로 시저와 작동하게하는 방법이 있습니까?

가능하다면 제게 알려주세요.



답변

간단한 경우에는 다음을 수행 할 수 있습니다.

var user = cnn.Query<User>("spGetUser", new {Id = 1},
        commandType: CommandType.StoredProcedure).First();

더 멋진 것을 원한다면 다음을 수행하십시오.

 var p = new DynamicParameters();
 p.Add("@a", 11);
 p.Add("@b", dbType: DbType.Int32, direction: ParameterDirection.Output);
 p.Add("@c", dbType: DbType.Int32, direction: ParameterDirection.ReturnValue);

 cnn.Execute("spMagicProc", p, commandType: CommandType.StoredProcedure);

 int b = p.Get<int>("@b");
 int c = p.Get<int>("@c"); 

또한 배치에서 exec를 사용할 수 있지만 더 복잡합니다.


답변

대답은 사용해야하는 저장 프로 시저의 기능에 달려 있다고 생각합니다.

결과 세트를 리턴하는 스토어드 프로시 저는 Query; 결과 세트를 리턴하지 않는 스토어드 프로시 저는 Execute두 경우 모두-를 사용 EXEC <procname>하여 SQL 명령 (및 필요에 따라 입력 매개 변수 포함)을 사용하여 실행할 수 있습니다 . 자세한 내용은 설명서 를 참조하십시오.

개정 2d128ccdc9a2부터는OUTPUT 매개 변수에 대한 기본 지원이없는 것으로 보입니다 . 이를 추가하거나 QueryTSQL 변수를 선언하고 SP 수집 OUTPUT매개 변수를 로컬 변수로 실행 한 후 결과 세트로 리턴 하는보다 복잡한 명령을 구성 할 수 있습니다 .

DECLARE @output int

EXEC <some stored proc> @i = @output OUTPUT

SELECT @output AS output1


답변

다음은 Store 프로 시저에서 값을 가져 오는 코드입니다.

저장 프로 시저 :

alter proc [dbo].[UserlogincheckMVC]
@username nvarchar(max),
@password nvarchar(max)
as
begin
    if exists(select Username from Adminlogin where Username =@username and Password=@password)
        begin
            return 1
        end
    else
        begin
            return 0
        end
end 

암호:

var parameters = new DynamicParameters();
string pass = EncrytDecry.Encrypt(objUL.Password);
conx.Open();
parameters.Add("@username", objUL.Username);
parameters.Add("@password", pass);
parameters.Add("@RESULT", dbType: DbType.Int32, direction: ParameterDirection.ReturnValue);
var RS = conx.Execute("UserlogincheckMVC", parameters, null, null, commandType: CommandType.StoredProcedure);
int result = parameters.Get<int>("@RESULT");


답변

위와 동일, 조금 더 자세하게

.Net Core 사용

제어 장치

public class TestController : Controller
{
    private string connectionString;

    public IDbConnection Connection
    {
        get { return new SqlConnection(connectionString); }
    }

    public TestController()
    {
        connectionString = @"Data Source=OCIUZWORKSPC;Initial Catalog=SocialStoriesDB;Integrated Security=True";
    }

    public JsonResult GetEventCategory(string q)
    {
        using (IDbConnection dbConnection = Connection)
        {
            var categories = dbConnection.Query<ResultTokenInput>("GetEventCategories", new { keyword = q },
    commandType: CommandType.StoredProcedure).FirstOrDefault();

            return Json(categories);
        }
    }

    public class ResultTokenInput
    {
        public int ID { get; set; }
        public string name { get; set; }
    }
}

저장 프로 시저 (부모 자식 관계)

create PROCEDURE GetEventCategories
@keyword as nvarchar(100)
AS
    BEGIN

    WITH CTE(Id, Name, IdHierarchy,parentId) AS
    (
      SELECT
        e.EventCategoryID as Id, cast(e.Title as varchar(max)) as Name,
        cast(cast(e.EventCategoryID as char(5)) as varchar(max)) IdHierarchy,ParentID
      FROM
        EventCategory e  where e.Title like '%'+@keyword+'%'
     -- WHERE 
      --  parentid = @parentid

      UNION ALL

      SELECT
        p.EventCategoryID as Id, cast(p.Title + '>>' + c.name as varchar(max)) as Name,
        c.IdHierarchy + cast(p.EventCategoryID as char(5)),p.ParentID
      FROM
        EventCategory p
      JOIN  CTE c ON c.Id = p.parentid

        where p.Title like '%'+@keyword+'%'
    )
    SELECT
      *
    FROM
      CTE
    ORDER BY
      IdHierarchy

경우에 대한 참조

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Http;
using SocialStoriesCore.Data;
using Microsoft.EntityFrameworkCore;
using Dapper;
using System.Data;
using System.Data.SqlClient;


답변

다중 리턴 및 다중 매개 변수

string ConnectionString = CommonFunctions.GetConnectionString();
using (IDbConnection conn = new SqlConnection(ConnectionString))
{
    IEnumerable<dynamic> results = conn.Query(sql: "ProductSearch",
        param: new { CategoryID = 1, SubCategoryID="", PageNumber=1 },
        commandType: CommandType.StoredProcedure);.  // single result

    var reader = conn.QueryMultiple("ProductSearch",
        param: new { CategoryID = 1, SubCategoryID = "", PageNumber = 1 },
        commandType: CommandType.StoredProcedure); // multiple result

    var userdetails = reader.Read<dynamic>().ToList(); // instead of dynamic, you can use your objects
    var salarydetails = reader.Read<dynamic>().ToList();
}

public static string GetConnectionString()
{
    // Put the name the Sqlconnection from WebConfig..
    return ConfigurationManager.ConnectionStrings["DefaultConnection"].ConnectionString;
}


답변

public static IEnumerable<T> ExecuteProcedure<T>(this SqlConnection connection,
    string storedProcedure, object parameters = null,
    int commandTimeout = 180)
    {
        try
        {
            if (connection.State != ConnectionState.Open)
            {
                connection.Close();
                connection.Open();
            }

            if (parameters != null)
            {
                return connection.Query<T>(storedProcedure, parameters,
                    commandType: CommandType.StoredProcedure, commandTimeout: commandTimeout);
            }
            else
            {
                return connection.Query<T>(storedProcedure,
                    commandType: CommandType.StoredProcedure, commandTimeout: commandTimeout);
            }
        }
        catch (Exception ex)
        {
            connection.Close();
            throw ex;
        }
        finally
        {
            connection.Close();
        }

    }
}

var data = db.Connect.ExecuteProcedure<PictureModel>("GetPagePicturesById",
    new
    {
        PageId = pageId,
        LangId = languageId,
        PictureTypeId = pictureTypeId
    }).ToList();


답변