web-dev-qa-db-fra.com

Utilisation d'un chemin de chaîne pour définir des données de tableau imbriquées

J'essaie de coder pour un cas d'utilisation inhabituel. L'objectif est le suivant: je veux que le client puisse fournir une chaîne, telle que:

"cars.honda.civic = On"

En utilisant cette chaîne, mon code va définir une valeur comme suit:

$data['cars']['honda']['civic'] = 'On';

Il est assez facile de tokenize l'entrée client en tant que telle:

$token = explode("=",$input);
$value = trim($token[1]);
$path = trim($token[0]);
$exploded_path = explode(".",$path);

Mais maintenant, comment utiliser $ exploded path pour définir le tableau sans faire quelque chose de méchant comme un eval?

36
Anthony

Utilisez l'opérateur de référence pour obtenir les tableaux existants successifs:

$temp = &$data;
foreach($exploded as $key) {
    $temp = &$temp[$key];
}
$temp = $value;
unset($temp);
60
alexisdm

Basé sur la réponse de alexisdm :

/**
 * Sets a value in a nested array based on path
 * See https://stackoverflow.com/a/9628276/419887
 *
 * @param array $array The array to modify
 * @param string $path The path in the array
 * @param mixed $value The value to set
 * @param string $delimiter The separator for the path
 * @return The previous value
 */
function set_nested_array_value(&$array, $path, &$value, $delimiter = '/') {
    $pathParts = explode($delimiter, $path);

    $current = &$array;
    foreach($pathParts as $key) {
        $current = &$current[$key];
    }

    $backup = $current;
    $current = $value;

    return $backup;
}
15
Ugo Méda

Bien testé et code de travail à 100%. Définir, obtenir, annuler les valeurs d'un tableau en utilisant "parents". Les parents peuvent être soit array('path', 'to', 'value') ou une chaîne path.to.value. Basé sur le code de Drupal

 /**
 * @param array $array
 * @param array|string $parents
 * @param string $glue
 * @return mixed
 */
function array_get_value(array &$array, $parents, $glue = '.')
{
    if (!is_array($parents)) {
        $parents = explode($glue, $parents);
    }

    $ref = &$array;

    foreach ((array) $parents as $parent) {
        if (is_array($ref) && array_key_exists($parent, $ref)) {
            $ref = &$ref[$parent];
        } else {
            return null;
        }
    }
    return $ref;
}

/**
 * @param array $array
 * @param array|string $parents
 * @param mixed $value
 * @param string $glue
 */
function array_set_value(array &$array, $parents, $value, $glue = '.')
{
    if (!is_array($parents)) {
        $parents = explode($glue, (string) $parents);
    }

    $ref = &$array;

    foreach ($parents as $parent) {
        if (isset($ref) && !is_array($ref)) {
            $ref = array();
        }

        $ref = &$ref[$parent];
    }

    $ref = $value;
}

/**
 * @param array $array
 * @param array|string $parents
 * @param string $glue
 */
function array_unset_value(&$array, $parents, $glue = '.')
{
    if (!is_array($parents)) {
        $parents = explode($glue, $parents);
    }

    $key = array_shift($parents);

    if (empty($parents)) {
        unset($array[$key]);
    } else {
        array_unset_value($array[$key], $parents);
    }
}
5
ymakux

Basé sur Réponse d'Ugo Méda :

Cette version

  • vous permet de l'utiliser uniquement comme getter (laissez le tableau source intact) 
  • corrige le problème d'erreur fatale si une valeur non-array est rencontrée (Cannot create references to/from string offsets nor overloaded objects)

aucun exemple d'erreur fatale

$a = ['foo'=>'not an array'];
arrayPath($a, ['foo','bar'], 'new value');

$a est maintenant

array(
    'foo' => array(
        'bar' => 'new value',
    ),
)

Utiliser comme getter

$val = arrayPath($a, ['foo','bar']);  // returns 'new value' / $a remains the same

Définir la valeur sur null

$v = null; // assign null to variable in order to pass by reference
$prevVal = arrayPath($a, ['foo','bar'], $v);

$prevVal est "nouvelle valeur"
$a est maintenant

array(
    'foo' => array(
        'bar' => null,
    ),
)

/**
 * set/return a nested array value
 *
 * @param array $array the array to modify
 * @param array $path  the path to the value
 * @param mixed $value (optional) value to set
 *
 * @return mixed previous value
 */
function arrayPath(&$array, $path = array(), &$value = null)
{
    $args = func_get_args();
    $ref = &$array;
    foreach ($path as $key) {
        if (!is_array($ref)) {
            $ref = array();
        }
        $ref = &$ref[$key];
    }
    $prev = $ref;
    if (array_key_exists(2, $args)) {
        // value param was passed -> we're setting
        $ref = $value;  // set the value
    }
    return $prev;
}
4
Brad Kent
$data = $value;
foreach (array_reverse($exploded_path) as $key) {
    $data = array($key => $data);
}
4
deceze

Vous devez utiliser Symfony PropertyPath

<?php
// ...
$person = array();

$accessor->setValue($person, '[first_name]', 'Wouter');

var_dump($accessor->getValue($person, '[first_name]')); // 'Wouter'
// or
// var_dump($person['first_name']); // 'Wouter'

Vous pouvez utiliser cette fonction:

Arr::handleNestedElement($data, $path, $value);

de cette bibliothèque . Il accepte les clés sous forme de chaîne avec délimiteur de points ou tableau.

0
Minwork