我想从数据库中检索数据,作为用'|'分隔的单行字符串我正在使用json
/ ajax
/ WebMethod
JS
var request = {
RefNo: $('#txtRefNo').val()
};
var strRequest = JSON.stringify(request);
$('#divDialog').html('<div>Retrieving Information...</div>').dialog({ title: 'Please Wait...', modal: true, resizable: false, draggable: false });
$.ajax({
url: 'ajaxExecute.aspx/GETCUST',
data: strRequest,
dataType: "text",
contentType: "application/json",
cache: false,
context: document.body,
type: 'POST',
error: function (xhr) {
alert(xhr.responseText);
},
success: function (response) {
alert(response);
}
});
C#
[WebMethod]
public static void GETCUST(string RefNo)
{
try
{
DataTable dtOutput = new DataTable();
dtOutput = Generix.getData("dbo.customers", "[first_name],[middle_name]", "reference_no='" + RefNo + "'", "", "", 1);
if (dtOutput.Rows.Count > 0)
{
HttpContext.Current.Response.Write(dtOutput.Rows[0][0].ToString() + "|" + dtOutput.Rows[0][1].ToString());
}
}
catch (Exception xObj)
{
HttpContext.Current.Response.Write("ERROR: " + xObj.Message);
}
}
我的输出结果为{"d":null}
。如何从响应中删除它?或者我在代码中做错了什么
输出:
JAMES|BOND{"d":null}
答案 0 :(得分:6)
您收到{"d":null}
因为WebMethod
没有返回值,您只是写入Response对象。
您应该从方法中返回string
:
[WebMethod]
public static string GETCUST(string RefNo) {
try {
DataTable dtOutput = new DataTable();
dtOutput = Generix.getData("dbo.customers", "[first_name],[middle_name]", "reference_no='" + RefNo + "'", "", "", 1);
if (dtOutput.Rows.Count > 0) {
return dtOutput.Rows[0][0].ToString() + "|" + dtOutput.Rows[0][1].ToString();
}
} catch (Exception xObj) {
return "ERROR: " + xObj.Message;
}
}
然后返回的对象将是{"d":"JAMES|BOND"}
,可以通过javascript中的response.d
进行访问。
$.ajax({
url: 'ajaxExecute.aspx/GETCUST',
data: strRequest,
dataType: 'JSON', // Changed dataType to be JSON so the response is automatically parsed.
contentType: "application/json",
cache: false,
context: document.body,
type: 'POST',
error: function (xhr) {
alert(xhr.responseText);
},
success: function (response) {
alert(response.d); // Should correctly alert JAMES|BOND
}
});
请注意,在Javascript中,我已将Ajax响应的dataType
更改为JSON
,以便解析响应。