有什么方法可以在我的 jQuery AJAX 错误消息中显示自定义异常消息作为警报?
例如,如果我想通过 Struts by throw new ApplicationException("User name already exists");
在服务器端抛出异常,我想在 jQuery AJAX 错误消息中捕获此消息('用户名已存在')。
jQuery("#save").click(function () {
if (jQuery('#form').jVal()) {
jQuery.ajax({
type: "POST",
url: "saveuser.do",
dataType: "html",
data: "userId=" + encodeURIComponent(trim(document.forms[0].userId.value)),
success: function (response) {
jQuery("#usergrid").trigger("reloadGrid");
clear();
alert("Details saved successfully!!!");
},
error: function (xhr, ajaxOptions, thrownError) {
alert(xhr.status);
alert(thrownError);
}
});
}
});
在错误回调中的第二个警报中,我提醒 thrownError
,我得到 undefined
并且 xhr.status
代码是 500
。
我不确定我哪里出错了。我能做些什么来解决这个问题?
确保将 Response.StatusCode
设置为 200 以外的值。使用 Response.Write
编写异常消息,然后使用...
xhr.responseText
..在你的javascript中。
控制器:
public class ClientErrorHandler : FilterAttribute, IExceptionFilter
{
public void OnException(ExceptionContext filterContext)
{
var response = filterContext.RequestContext.HttpContext.Response;
response.Write(filterContext.Exception.Message);
response.ContentType = MediaTypeNames.Text.Plain;
filterContext.ExceptionHandled = true;
}
}
[ClientErrorHandler]
public class SomeController : Controller
{
[HttpPost]
public ActionResult SomeAction()
{
throw new Exception("Error message");
}
}
查看脚本:
$.ajax({
type: "post", url: "/SomeController/SomeAction",
success: function (data, text) {
//...
},
error: function (request, status, error) {
alert(request.responseText);
}
});
response.StatusCode = (int)HttpStatusCode.InternalServerError;
和 response.StatusDescription = filterContext.Exception.Message;
服务器端:
doPost(HttpServletRequest request, HttpServletResponse response){
try{ //logic
}catch(ApplicationException exception){
response.setStatus(400);
response.getWriter().write(exception.getMessage());
//just added semicolon to end of line
}
}
客户端:
jQuery.ajax({// just showing error property
error: function(jqXHR,error, errorThrown) {
if(jqXHR.status&&jqXHR.status==400){
alert(jqXHR.responseText);
}else{
alert("Something went wrong");
}
}
});
通用 Ajax 错误处理
如果我需要对所有 ajax 请求进行一些通用错误处理。我将设置 ajaxError 处理程序并在 html 内容顶部名为 errorcontainer 的 div 上显示错误。
$("div#errorcontainer")
.ajaxError(
function(e, x, settings, exception) {
var message;
var statusErrorMap = {
'400' : "Server understood the request, but request content was invalid.",
'401' : "Unauthorized access.",
'403' : "Forbidden resource can't be accessed.",
'500' : "Internal server error.",
'503' : "Service unavailable."
};
if (x.status) {
message =statusErrorMap[x.status];
if(!message){
message="Unknown Error \n.";
}
}else if(exception=='parsererror'){
message="Error.\nParsing JSON Request failed.";
}else if(exception=='timeout'){
message="Request Time out.";
}else if(exception=='abort'){
message="Request was aborted by the server";
}else {
message="Unknown Error \n.";
}
$(this).css("display","inline");
$(this).html(message);
});
您需要将 responseText
转换为 JSON。使用 JQuery:
jsonValue = jQuery.parseJSON( jqXHR.responseText );
console.log(jsonValue.Message);
如果调用 asp.net,这将返回错误消息标题:
我自己并没有编写所有的 formatErrorMessage,但我发现它非常有用。
function formatErrorMessage(jqXHR, exception) {
if (jqXHR.status === 0) {
return ('Not connected.\nPlease verify your network connection.');
} else if (jqXHR.status == 404) {
return ('The requested page not found. [404]');
} else if (jqXHR.status == 500) {
return ('Internal Server Error [500].');
} else if (exception === 'parsererror') {
return ('Requested JSON parse failed.');
} else if (exception === 'timeout') {
return ('Time out error.');
} else if (exception === 'abort') {
return ('Ajax request aborted.');
} else {
return ('Uncaught Error.\n' + jqXHR.responseText);
}
}
var jqxhr = $.post(addresshere, function() {
alert("success");
})
.done(function() { alert("second success"); })
.fail(function(xhr, err) {
var responseTitle= $(xhr.responseText).filter('title').get(0);
alert($(responseTitle).text() + "\n" + formatErrorMessage(xhr, err) );
})
如果有人像 2016 年一样在这里寻求答案,请使用 .fail()
进行错误处理,因为从 jQuery 3.0 开始不推荐使用 .error()
$.ajax( "example.php" )
.done(function() {
alert( "success" );
})
.fail(function(jqXHR, textStatus, errorThrown) {
//handle error here
})
我希望它有帮助
jqXHR.error()
在 jQuery 3.0 中已弃用(实际上已删除),但据我所知,$.ajax()
的 error
和 success
回调并未弃用。
这就是我所做的,到目前为止它在 MVC 5 应用程序中有效。
控制器的返回类型是 ContentResult。
public ContentResult DoSomething()
{
if(somethingIsTrue)
{
Response.StatusCode = 500 //Anything other than 2XX HTTP status codes should work
Response.Write("My Message");
return new ContentResult();
}
//Do something in here//
string json = "whatever json goes here";
return new ContentResult{Content = json, ContentType = "application/json"};
}
在客户端,这就是 ajax 函数的样子
$.ajax({
type: "POST",
url: URL,
data: DATA,
dataType: "json",
success: function (json) {
//Do something with the returned json object.
},
error: function (xhr, status, errorThrown) {
//Here the status code can be retrieved like;
xhr.status;
//The message added to Response object in Controller can be retrieved as following.
xhr.responseText;
}
});
通用/可重复使用的解决方案
提供此答案以供所有遇到此问题的人将来参考。解决方案包括两件事:
在服务器上验证失败时抛出自定义异常 ModelStateException(当我们使用数据注释和使用强类型控制器操作参数时,模型状态报告验证错误) 自定义控制器操作错误过滤器 HandleModelStateExceptionAttribute 捕获自定义异常并返回 HTTP 错误状态和模型状态错误在身体里
这为 jQuery Ajax 调用提供了最佳的基础架构,以充分利用 success
和 error
处理程序的潜力。
客户端代码
$.ajax({
type: "POST",
url: "some/url",
success: function(data, status, xhr) {
// handle success
},
error: function(xhr, status, error) {
// handle error
}
});
服务器端代码
[HandleModelStateException]
public ActionResult Create(User user)
{
if (!this.ModelState.IsValid)
{
throw new ModelStateException(this.ModelState);
}
// create new user because validation was successful
}
整个问题在 this blog post 中有详细说明,您可以在其中找到在应用程序中运行它的所有代码。
错误:函数(xhr,ajaxOptions,throwError){警报(xhr.status);警报(抛出错误); }
如
success: function(data){ // data is object send form server // data的属性 // status type boolean // msg type string // result type string if(data.status){ // true not error $(' #api_text').val(data.result); } 其他 { $('#error_text').val(data.msg); } }
我发现这很好,因为我可以解析我从服务器发送的消息并向用户显示友好的消息,而无需堆栈跟踪......
error: function (response) {
var r = jQuery.parseJSON(response.responseText);
alert("Message: " + r.Message);
alert("StackTrace: " + r.StackTrace);
alert("ExceptionType: " + r.ExceptionType);
}
这个函数基本上会生成唯一的随机 API 密钥,如果没有,则会出现带有错误消息的弹出对话框
在查看页面中:
<div class="form-group required">
<label class="col-sm-2 control-label" for="input-storename"><?php echo $entry_storename; ?></label>
<div class="col-sm-6">
<input type="text" class="apivalue" id="api_text" readonly name="API" value="<?php echo strtoupper(substr(md5(rand().microtime()), 0, 12)); ?>" class="form-control" />
<button type="button" class="changeKey1" value="Refresh">Re-Generate</button>
</div>
</div>
<script>
$(document).ready(function(){
$('.changeKey1').click(function(){
debugger;
$.ajax({
url :"index.php?route=account/apiaccess/regenerate",
type :'POST',
dataType: "json",
async:false,
contentType: "application/json; charset=utf-8",
success: function(data){
var result = data.sync_id.toUpperCase();
if(result){
$('#api_text').val(result);
}
debugger;
},
error: function(xhr, ajaxOptions, thrownError) {
alert(thrownError + "\r\n" + xhr.statusText + "\r\n" + xhr.responseText);
}
});
});
});
</script>
从控制器:
public function regenerate(){
$json = array();
$api_key = substr(md5(rand(0,100).microtime()), 0, 12);
$json['sync_id'] = $api_key;
$json['message'] = 'Successfully API Generated';
$this->response->addHeader('Content-Type: application/json');
$this->response->setOutput(json_encode($json));
}
可选的回调参数指定在 load() 方法完成时运行的回调函数。回调函数可以有不同的参数:
类型:函数(jqXHR jqXHR,字符串 textStatus,字符串 errorThrown )
请求失败时调用的函数。该函数接收三个参数:jqXHR(在 jQuery 1.4.x 中,XMLHttpRequest)对象,一个描述发生的错误类型的字符串和一个可选的异常对象(如果发生)。第二个参数(除了 null)的可能值是“timeout”、“error”、“abort”和“parsererror”。发生 HTTP 错误时,errorThrown 会接收 HTTP 状态的文本部分,例如“未找到”或“内部服务器错误”。从 jQuery 1.5 开始,错误设置可以接受一个函数数组。每个函数都会被依次调用。注意:跨域脚本和跨域 JSONP 请求不调用此处理程序。
这可能是由于 JSON 字段名称没有引号引起的。
更改 JSON 结构:
{welcome:"Welcome"}
至:
{"welcome":"Welcome"}
您在 xhr 对象中有一个抛出异常的 JSON 对象。只需使用
alert(xhr.responseJSON.Message);
JSON 对象公开了另外两个属性:“ExceptionType”和“StackTrace”
我相信 Ajax 响应处理程序使用 HTTP 状态代码来检查是否有错误。
因此,如果您只是在服务器端代码上抛出 Java 异常,但 HTTP 响应没有 500 状态代码,那么 jQuery(或者在这种情况下可能是 XMLHttpRequest 对象)将假设一切正常。
我这么说是因为我在 ASP.NET 中遇到了类似的问题,我抛出了类似 ArgumentException("Don't know what to do...") 的东西,但错误处理程序没有触发。
然后,无论我是否有错误,我都将 Response.StatusCode
设置为 500 或 200。
jQuery.parseJSON 对于成功和错误很有用。
$.ajax({
url: "controller/action",
type: 'POST',
success: function (data, textStatus, jqXHR) {
var obj = jQuery.parseJSON(jqXHR.responseText);
notify(data.toString());
notify(textStatus.toString());
},
error: function (data, textStatus, jqXHR) { notify(textStatus); }
});
$("#save").click(function(){
$("#save").ajaxError(function(event,xhr,settings,error){
$(this).html{'error: ' (xhr ?xhr.status : '')+ ' ' + (error ? error:'unknown') + 'page: '+settings.url);
});
});
使用以下方法在服务器上引发新异常:
Response.StatusCode = 500
Response.StatusDescription = ex.Message()
我相信 StatusDescription 被返回给 Ajax 调用......
例子:
Try
Dim file As String = Request.QueryString("file")
If String.IsNullOrEmpty(file) Then Throw New Exception("File does not exist")
Dim sTmpFolder As String = "Temp\" & Session.SessionID.ToString()
sTmpFolder = IO.Path.Combine(Request.PhysicalApplicationPath(), sTmpFolder)
file = IO.Path.Combine(sTmpFolder, file)
If IO.File.Exists(file) Then
IO.File.Delete(file)
End If
Catch ex As Exception
Response.StatusCode = 500
Response.StatusDescription = ex.Message()
End Try
尽管问这个问题已经很多年了,但我仍然没有找到 xhr.responseText
作为我正在寻找的答案。它以以下格式返回我的字符串:
"{"error":true,"message":"The user name or password is incorrect"}"
我绝对不想向用户展示。我正在寻找的是如下内容:
alert(xhr.responseJSON.message);
xhr.responseJSON.message
为我提供了来自 Json 对象的确切消息,可以显示给用户。
$("#fmlogin").submit(function(){
$("#fmlogin").ajaxError(function(event,xhr,settings,error){
$("#loading").fadeOut('fast');
$("#showdata").fadeIn('slow');
$("#showdata").html('Error please, try again later or reload the Page. Reason: ' + xhr.status);
setTimeout(function() {$("#showdata").fadeOut({"opacity":"0"})} , 5500 + 1000); // delays 1 sec after the previous one
});
});
如果有任何表单提交验证
只需使用其余代码
$("#fmlogin").validate({...
... ... });
首先我们需要在 web.config 中设置
<serviceBehaviors>
<behavior name="">
<serviceMetadata httpGetEnabled="true" />
**<serviceDebug includeExceptionDetailInFaults="true" />**
</behavior>
</serviceBehaviors>
除了 jquery 级别的错误部分之外,您还需要解析包含异常的错误响应,例如:
.error(function (response, q, t) {
var r = jQuery.parseJSON(response.responseText);
});
然后使用 r.Message 您可以实际显示异常文本。
检查完整代码:http://www.codegateway.com/2012/04/jquery-ajax-handle-exception-thrown-by.html
就我而言,我刚刚从控制器中删除了 HTTP VERB。
**//[HttpPost]** ---- just removed this verb
public JsonResult CascadeDpGetProduct(long categoryId)
{
List<ProductModel> list = new List<ProductModel>();
list = dp.DpProductBasedOnCategoryandQty(categoryId);
return Json(new SelectList(list, "Value", "Text", JsonRequestBehavior.AllowGet));
}
xhr.responseJSON
。 :D