Php JSON Arama ve kaldırmak?

3 Cevap php

Ben bir oturum değişkeni $_SESSION["animals"] değerleri ile derin bir json nesnesi içeren var:

$_SESSION["animals"]='{
"0":{"kind":"mammal","name":"Pussy the Cat","weight":"12kg","age":"5"},
"1":{"kind":"mammal","name":"Roxy the Dog","weight":"25kg","age":"8"},
"2":{"kind":"fish","name":"Piranha the Fish","weight":"1kg","age":"1"},
"3":{"kind":"bird","name":"Einstein the Parrot","weight":"0.5kg","age":"4"}
}'; 

For example, I want to find the line with "Piranha the Fish" and then remove it (and json_encode it again as it was). How to do this? I guess i need to search in json_decode($_SESSION["animals"],true) resulting array and find the parent key to remove but i'm stucked anyways.

3 Cevap

json_decode iç içe diziler kadar yapılmış bir PHP yapıya JSON nesnesi dönecek. Sonra sadece onlara döngü gerekir ve unset biri istemiyorum.

<?php
$animals = '{
 "0":{"kind":"mammal","name":"Pussy the Cat","weight":"12kg","age":"5"},
 "1":{"kind":"mammal","name":"Roxy the Dog","weight":"25kg","age":"8"},
 "2":{"kind":"fish","name":"Piranha the Fish","weight":"1kg","age":"1"},
 "3":{"kind":"bird","name":"Einstein the Parrot","weight":"0.5kg","age":"4"}
 }';

$animals = json_decode($animals, true);
foreach ($animals as $key => $value) {
    if (in_array('Piranha the Fish', $value)) {
        unset($animals[$key]);
    }
}
$animals = json_encode($animals);
?>

Sen JSON son öğenin sonunda fazladan bir virgül var. Çıkarın ve json_decode bir dizi döndürür. Bulduğumda bunun üzerinden sadece döngü, dize test, ardından elemanı unset.

Eğer reindexed son dizi gerekiyorsa, sadece array_values onu geçmek.

Bu benim için çalışıyor:

#!/usr/bin/env php 
<?php

    function remove_json_row($json, $field, $to_find) {

        for($i = 0, $len = count($json); $i < $len; ++$i) {
            if ($json[$i][$field] === $to_find) {
                array_splice($json, $i, 1); 
            }   
        }   

        return $json;
    }   

    $animals =
'{
"0":{"kind":"mammal","name":"Pussy the Cat","weight":"12kg","age":"5"},
"1":{"kind":"mammal","name":"Roxy the Dog","weight":"25kg","age":"8"},
"2":{"kind":"fish","name":"Piranha the Fish","weight":"1kg","age":"1"},
"3":{"kind":"bird","name":"Einstein the Parrot","weight":"0.5kg","age":"4"}
}';

    $decoded = json_decode($animals, true);

    print_r($decoded);

    $decoded = remove_json_row($decoded, 'name', 'Piranha the Fish');

    print_r($decoded);

?>