过程或函数需要未提供的参数
本文关键字:参数 函数 过程 | 更新日期: 2023-09-27 18:02:05
我试图执行存储过程并打印输出,但是当我运行下面的代码时,我得到错误,如"过程或函数'SPInsertLocal'期望参数'@RES',未提供。"
private void InsertPdtLocal(string code, string PON,string Qty)
{
string str = Properties.Settings.Default.conLocal;
SqlConnection con = new SqlConnection(str);
SqlCommand cmd = new SqlCommand("Execute SPInsertLocal @PON,@TCode,@Qty,@Type", con);
try
{
con.Open();
cmd.CommandTimeout = 150;
cmd.Parameters.AddWithValue("@PON", PON);
cmd.Parameters.AddWithValue("@Qty", Qty);
cmd.Parameters.AddWithValue("@TCode", code);
cmd.Parameters.AddWithValue("@Type", Globals.s_type);
SqlParameter output = new SqlParameter("@RES", SqlDbType.Int);
output.Direction = ParameterDirection.Output;
cmd.Parameters.Add(output);
cmd.ExecuteNonQuery();
con.Close();
int id = Convert.ToInt32(output.Value);
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
我哪里做错了?
SqlCommand cmd = new SqlCommand("Execute SPInsertLocal @PON,@TCode,@Qty,@Type,@RES", con);
我没有传递参数,修复问题
您可以按照以下方式重构代码,其中using语句用于自动管理连接关闭,并避免在c#代码中硬编码Execute语句,这是一个不好的实践
private void InsertPdtLocal(string code, string PON,string Qty)
{
string str = Properties.Settings.Default.conLocal;
try
{
using (SqlConnection con = new SqlConnection(str))
{
using (SqlCommand cmd = con.CreateCommand())
{
cmd.Parameters.AddWithValue("@PON", PON);
cmd.Parameters.AddWithValue("@Qty", Qty);
cmd.Parameters.AddWithValue("@TCode", code);
cmd.Parameters.AddWithValue("@Type", Globals.s_type);
var output = cmd.Parameters.Add("@RES" , SqlDbType.Int);
output.Direction = ParameterDirection.Output;
cmd.ExecuteNonQuery();
int id = Convert.ToInt32(output.Value);
}
}
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
}