Réponse à la question
La fonction json_last_error
renvoie la dernière erreur survenue lors de l'encodage et du décodage JSON. Donc, le moyen le plus rapide de vérifier le JSON valide est
// decode the JSON data
// set second parameter boolean TRUE for associative array output.
$result = json_decode($json);
if (json_last_error() === JSON_ERROR_NONE) {
// JSON is valid
}
// OR this is equivalent
if (json_last_error() === 0) {
// JSON is valid
}
Notez que cela json_last_error
n'est pris en charge qu'en PHP> = 5.3.0.
Programme complet pour vérifier l'erreur exacte
Il est toujours bon de connaître l'erreur exacte pendant le temps de développement. Voici un programme complet pour vérifier l'erreur exacte sur la base des documents PHP.
function json_validate($string)
{
// decode the JSON data
$result = json_decode($string);
// switch and check possible JSON errors
switch (json_last_error()) {
case JSON_ERROR_NONE:
$error = ''; // JSON is valid // No error has occurred
break;
case JSON_ERROR_DEPTH:
$error = 'The maximum stack depth has been exceeded.';
break;
case JSON_ERROR_STATE_MISMATCH:
$error = 'Invalid or malformed JSON.';
break;
case JSON_ERROR_CTRL_CHAR:
$error = 'Control character error, possibly incorrectly encoded.';
break;
case JSON_ERROR_SYNTAX:
$error = 'Syntax error, malformed JSON.';
break;
// PHP >= 5.3.3
case JSON_ERROR_UTF8:
$error = 'Malformed UTF-8 characters, possibly incorrectly encoded.';
break;
// PHP >= 5.5.0
case JSON_ERROR_RECURSION:
$error = 'One or more recursive references in the value to be encoded.';
break;
// PHP >= 5.5.0
case JSON_ERROR_INF_OR_NAN:
$error = 'One or more NAN or INF values in the value to be encoded.';
break;
case JSON_ERROR_UNSUPPORTED_TYPE:
$error = 'A value of a type that cannot be encoded was given.';
break;
default:
$error = 'Unknown JSON error occured.';
break;
}
if ($error !== '') {
// throw the Exception or exit // or whatever :)
exit($error);
}
// everything is OK
return $result;
}
Test avec une entrée JSON valide
$json = '[{"user_id":13,"username":"stack"},{"user_id":14,"username":"over"}]';
$output = json_validate($json);
print_r($output);
SORTIE valide
Array
(
[0] => stdClass Object
(
[user_id] => 13
[username] => stack
)
[1] => stdClass Object
(
[user_id] => 14
[username] => over
)
)
Test avec JSON invalide
$json = '{background-color:yellow;color:#000;padding:10px;width:650px;}';
$output = json_validate($json);
print_r($output);
SORTIE invalide
Syntax error, malformed JSON.
Note supplémentaire pour (PHP> = 5.2 && PHP <5.3.0)
Étant donné que json_last_error
n'est pas pris en charge en PHP 5.2, vous pouvez vérifier si l'encodage ou le décodage retourne booléen FALSE
. Voici un exemple
// decode the JSON data
$result = json_decode($json);
if ($result === FALSE) {
// JSON is invalid
}
J'espère que cela vous sera utile. Codage heureux!
json_decode
fois ... vérifiez également les valeurs d'entrée et de retour dejson_decode
.