根据数据库中的另一个文本框填充文本框值
本文关键字:文本 填充 另一个 数据库 | 更新日期: 2023-09-27 18:35:12
我正在尝试根据另一个文本框填充文本框值,但我无法填充另一个文本框。 我正在分享我的代码,请指导我最好的解决方案
操作方法:
public JsonResult AgreementNo(string id)
{
string no;
string _str = id;
SqlConnection con = new SqlConnection(ConfigurationManager.ConnectionStrings["constr"].ToString());
SqlCommand cmd = new SqlCommand("SELECT top(1) num from loan where id=@str", con);
cmd.Parameters.AddWithValue("@str",id);
cmd.CommandType = CommandType.Text;
DataSet ds = new DataSet();
SqlDataAdapter da = new SqlDataAdapter(cmd);
da.Fill(ds);
no = ds.Tables[0].Rows[0]["num"].ToString();
return Json(new
{
no = no
}, JsonRequestBehavior.AllowGet);
}
脚本:
$("#BarrowerName").blur(function () {
$.ajax({
url: '@Url.Action("AgreementNo", "Home")',
// url: '@Url.Action("AgreementNo", "Home")',
dataType: "json",
data: JSON.stringify({ id: $("#BarrowerName").val() }),
type:"POST",
async: false,
contentType: 'application/json,charset=utf-8',
sucess: function (data) {
$("#AgreementNo").val(data.no)
response(data);
}
});
});
它抛出错误,例如:将 nvarchar 值 '' 转换为数据类型 int 时转换失败。
首先,您的错误在于这一行:-
cmd.Parameters.AddWithValue("@str",id);
由于您尝试将整数值传递给NVARCHAR
列,请像这样更改您的代码:-
cmd.Parameters.Parameters.Add("@str",SqlDbType.NVarChar).Value = id;
请阅读此内容:- 我们可以停止使用AddWithValue吗
现在,一旦修复了这个问题,将您的 jQuery 代码从 sucess
更改为 success
,它应该可以工作了!
除此之外,使用 using 语句自动处置您的贵重资源,如下所示:
string CS = ConfigurationManager.ConnectionStrings["constr"].ConnectionString;
using(SqlConnection con = new SqlConnection(CS))
using(SqlCommand cmd = new SqlCommand("SELECT top(1) num from loan where id=@str", con))
{
cmd.Parameters.Parameters.Add("@str",SqlDbType.NVarChar).Value = id;
cmd.CommandType = CommandType.Text;
DataSet ds = new DataSet();
SqlDataAdapter da = new SqlDataAdapter(cmd);
da.Fill(ds);
no = ds.Tables[0].Rows[0]["num"].ToString();
return Json(new
{
no = no
}, JsonRequestBehavior.AllowGet);
}
您正在向Parameters.AddWithValue
方法传递string
,但int
是预期的。将id
变量转换为int
。
int intID = int.Parse(id);
SqlCommand cmd = new SqlCommand("SELECT top(1) num from loan where id=@str", con);
cmd.Parameters.AddWithValue("@str", intID );
编辑
这是您可以复制/粘贴的完整代码
public JsonResult AgreementNo(string id)
{
string no;
int intId = int.Parse(id);
SqlConnection con = new SqlConnection(ConfigurationManager.ConnectionStrings["constr"].ToString());
SqlCommand cmd = new SqlCommand("SELECT top(1) num from loan where id=@str", con);
cmd.Parameters.AddWithValue("@str", intId);
cmd.CommandType = CommandType.Text;
DataSet ds = new DataSet();
SqlDataAdapter da = new SqlDataAdapter(cmd);
da.Fill(ds);
no = ds.Tables[0].Rows[0]["num"].ToString();
return Json(new
{
no = no
}, JsonRequestBehavior.AllowGet);
}
}
但是,如果您希望AgreementNo(string id)
方法中使用整数 id,则有更好的解决方案。
只需将参数类型更改为int
:
public JsonResult AgreementNo(int id)