在页面test.php
中,我仅激活错误报告,停用日志记录,然后调用不存在的函数test()
。如预期的那样,如果我运行代码,则会收到错误消息:
(!) Fatal error: Uncaught Error: Call to undefined function test() in [path-to]/test.php on line 7 (!) Error: Call to undefined function test() in [path-to]/test.php on line 7 Call Stack # Time Memory Function Location 1 0.1336 355848 {main}( ) .../test.php:0
现在,在另一页index.php
中,我只有一个按钮-名为testButton
。如果按下它,将执行对页面test.php
的ajax请求。我希望在index.php
中看到:
test.php
中引发的错误由ajax请求的error
回调处理; 不幸的是,这一切都没有发生。当我按下按钮时:
success
回调; 您能帮我发现问题,还是找出错误?
谢谢。
使用的系统:
test.php:
<?php
error_reporting(E_ALL);
ini_set('display_errors', 1);
ini_set('log_errors', 0);
$data = test();
index.php:
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" />
<meta name="viewport" content="width=device-width, initial-scale=1, user-scalable=yes" />
<meta charset="UTF-8" />
<!-- The above 3 meta tags must come first in the head -->
<title>Test: Displaying Errors</title>
<script src="https://code.jquery.com/jquery-3.3.1.min.js" type="text/javascript"></script>
<script type="text/javascript">
$(document).ready(function () {
$('#testButton').click(function (event) {
$.ajax({
method: 'post',
dataType: 'html',
url: 'test.php',
data: {},
success: function (response, textStatus, jqXHR) {
$('#result').html('Successful test... Unfortunately :-)');
},
error: function (jqXHR, textStatus, errorThrown) {
/*
* When an HTTP error occurs, errorThrown receives the textual portion of
* the HTTP status, such as "Not Found" or "Internal Server Error". This
* portion of the HTTP status is also called "reason phrase".
*/
var message = errorThrown;
/*
* If a response text exists, then set it as message,
* instead of the textual portion of the HTTP status.
*/
if (jqXHR.responseText !== null && jqXHR.responseText !== 'undefined' && jqXHR.responseText !== '') {
message = jqXHR.responseText;
}
$('#result').html(message);
}
});
});
});
</script>
</head>
<body>
<h3>
Test: Displaying Errors
</h3>
<div id="result">
Hier comes the test result. Since an error is thrown, I expect it to appear hear.
</div>
<br/>
<form method="post" action="">
<button type="button" id="testButton" name="testButton">
Start the test
</button>
</form>
</body>
</html>
答案 0 :(得分:3)
jQuery AJAX调用中的success
和error
函数仅检查请求的HTTP状态代码。当PHP产生错误时,它不会更改状态代码,因此jQuery会触发success
函数。如果要使用jQuery错误,则必须更改状态代码。您可以通过捕获Error
(PHP> = 7)来做到这一点:
try {
$data = test();
}
catch (\Error $e) {
http_response_code(500);
echo $e->getMessage();
}
或者您可以将状态代码保留为200
(默认),并以JSON发送响应,包括所需的成功和错误属性,以及您可能希望随请求返回的任何其他内容。 / p>
header('Content-type: application/json');
$response['success'] = true;
$response['error'] = null;
try {
$data = test();
}
catch (\Error $e) {
$response['success'] = false;
$response['error'] = $e->getMessage();
}
echo json_encode($response);
并确保从ajax请求中删除dataType
属性,以使jQuery自动确定类型标头。
如果您的程序意外抛出错误,则可能意味着您做错了什么。如果您希望它引发错误,则需要捕获它们。这意味着要么将内容包装在try / catch块中,要么将set_exception_handler()
,set_error_handler()
和register_shutdown_function()
组合在一起以全局完成此操作。