Dapper总结(二)---事务和存储过程

时间:2021-03-07 19:07:10

一  dapper使用事务

  string sql1 = "insert into UserInfo values('user8',27,'s')";
string sql2 = "insert into RoleInfo values('新角色2')";
conn.Open();//在dapper中使用事务,需要手动打开连接
IDbTransaction transaction = conn.BeginTransaction();//开启一个事务
try
{
conn.Execute(sql2, null, transaction);
conn.Execute(sql1, null, transaction); transaction.Commit();//都执行成功时提交
Console.WriteLine("Sucess");
}
catch (Exception ex)
{ transaction.Rollback();//只要有一条执行失败,执行回滚
Console.WriteLine("Fail");
}
conn.Close();

二  dapper执行存储过程

1、有输入输出参数的存储过程

(1)创建存储过程

--插入新用户的存储过程,用户名存在就不插入
create proc sp_insertUser
@username nvarchar(50),
@roleid int ,
@age int,
@count int out
as
begin
declare @c int;
select @c=COUNT(*) from UserInfo where UserName=@username;
if(@c!=0)
set @count =0;
else
begin
insert into UserInfo values(@username,@age,@roleid);
set @count=1;
end
end
GO

(2)c#中使用dapper执行

         //设置参数 (input为默认参数类型,可以不写的)
DynamicParameters dp = new DynamicParameters();
dp.Add("@username", "newuser", DbType.String, ParameterDirection.Input, );
dp.Add("@age", , DbType.Int16, ParameterDirection.Input);
dp.Add("@roleid", , DbType.Int16, ParameterDirection.Input);
dp.Add("@count", , DbType.Int16, ParameterDirection.Output); //执行存储过程
var res = conn.Execute("sp_insertUser", dp, null, null, CommandType.StoredProcedure);
int count = dp.Get<int>("@count");//获取output参数的值

2、无参返回多个结果集

(1)创建存储过程

--获取用户和角色表中的所有数据
create procedure sp_getUsesAndRoles
as
begin
select * from UserInfo;
select * from RoleInfo;
end

(2)c#中使用dapper执行

      //获取多个结果集
Dapper.SqlMapper.GridReader res = conn.QueryMultiple("sp_getUsesAndRoles", null, null, null, CommandType.StoredProcedure); //read方法获取user和roles
IEnumerable<UserInfo> users = res.Read<UserInfo>();
IEnumerable<RoleInfo> roles = res.Read<RoleInfo>();