Come posso rimuovere una chiave e il suo valore da un array associativo?


Risposte:


377

Puoi usare unset:

unset($array['key-here']);

Esempio:

$array = array("key1" => "value1", "key2" => "value2");
print_r($array);

unset($array['key1']);
print_r($array);

unset($array['key2']);
print_r($array);

Produzione:

Array
(
    [key1] => value1
    [key2] => value2
)
Array
(
    [key2] => value2
)
Array
(
)

21
+1: grazie per l'aiuto. PHP newb qui, ma vale la pena notare che se si sta tentando di eseguire queste modifiche all'interno di un foreachciclo, è necessario anteporre una e commerciale alla variabile di enumerazione per consentire l'accesso in scrittura.
FreeAsInBeer,

1
Ecco un link a una soluzione che illustra il commento del link @FreeAsInBeer rispetto alla e commerciale.
Danimal Reks,


22

Utilizzare questa funzione per rimuovere matrici specifiche di chiavi senza modificare l'array originale:

function array_except($array, $keys) {
  return array_diff_key($array, array_flip((array) $keys));   
} 

Il primo parametro passa tutto l'array, il secondo parametro imposta l'array di chiavi da rimuovere.

Per esempio:

$array = [
    'color' => 'red', 
    'age' => '130', 
    'fixed' => true
];
$output = array_except($array, ['color', 'fixed']);
// $output now contains ['age' => '130']

1
devi chiudere le citazioni su$output = array_except($array_1, ['color', 'fixed']);
Abraham Brookes,


3

Considera questo array:

$arr = array("key1" => "value1", "key2" => "value2", "key3" => "value3", "key4" => "value4");
  • Per rimuovere un elemento utilizzando l'array key:

    // To unset an element from array using Key:
    unset($arr["key2"]);
    var_dump($arr);
    // output: array(3) { ["key1"]=> string(6) "value1" ["key3"]=> string(6) "value3" ["key4"]=> string(6) "value4" }
  • Per rimuovere l'elemento per value:

    // remove an element by value:
    $arr = array_diff($arr, ["value1"]);
    var_dump($arr);
    // output: array(2) { ["key3"]=> string(6) "value3" ["key4"]=> string(6) "value4" } 

leggi di più su array_diff: http://php.net/manual/en/function.array-diff.php

  • Per rimuovere un elemento usando index:

    array_splice($arr, 1, 1);
    var_dump($arr);
    // array(1) { ["key3"]=> string(6) "value3" } 

leggi di più su array_splice: http://php.net/manual/en/function.array-splice.php


2

Potrebbero essere necessari due o più loop a seconda dell'array:

$arr[$key1][$key2][$key3]=$value1; // ....etc

foreach ($arr as $key1 => $values) {
  foreach ($key1 as $key2 => $value) {
  unset($arr[$key1][$key2]);
  }
}

1
foreach ($key1sembra sbagliato. Volevi dire foreach ($values?
Pang
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.