我正在尝试使用Dapper和存储过程在MVC中进行CRUD操作但是由于我无法解决的转换错误,我无法将结果从模型返回到控制器。任何人都可以帮助我将结果作为结果返回
这是我的控制器
public ActionResult AllMobileList()
{
MobileMain MM = new MobileMain();
return View(MM.AllMobileListing().ToList());
}
[HttpGet]
public ActionResult Edit(string MobileID)
{
MobileMain MM = new MobileMain();
return View(MM.GetMobileList(MobileID));
}
模型
public IEnumerable<TBMobileDetails> AllMobileListing()
{
var para = new DynamicParameters();
para.Add("@Type", 1);
var result= con.Execute("Sp_MVCDapper", para, commandType: CommandType.StoredProcedure).ToString();
return result; // Error happens here
}
public TBMobileDetails GetMobileList(string MobileId)
{
var para = new DynamicParameters();
para.Add("@Type", 2);
para.Add("@MobileId",Convert.ToInt32(MobileId));
var result = con.Execute("Sp_MVCDapper", para, commandType: CommandType.StoredProcedure).ToString();
return result; // Error happens here
}
错误:
无法隐式转换类型&#39;字符串&#39;到&#39; System.Collections.Generic.IEnumerable&#39;
我知道这是一个非常常见的错误,我正在做一些愚蠢的错误。
答案 0 :(得分:6)
如果SP使用select语句返回数据,则应使用Dapper的Query<T>
扩展方法来获取存储过程调用的结果。
Query<T>
会返回IEnumerable<T>
,因此您只需使用IEnumerable<TBMobileDetails> AllMobileListing():
return con.Query<TBMobileDetails>(
"Sp_MVCDapper", para, commandType: CommandType.StoredProcedure)
和TBMobileDetails GetMobileList(string MobileId)
var list = con.Query<TBMobileDetails >(
"Sp_MVCDapper", para, commandType: CommandType.StoredProcedure);
return list.Single(); // assuming that the SP only returns a single item
作为评论:如果您的参数是数字,则不要使用string
类型。它只会引起头痛。