web-dev-qa-db-ja.com

PHP)の連想配列のキーを変更します

次のような配列があるとします。

array(2) {
  [0]=> array(2) {
    ["n"]=> string(4) "john"
    ["l"]=> string(3) "red"
  }
  [1]=> array(2) {
    ["n"]=> string(5) "nicel"
    ["l"]=> string(4) "blue"
  }
}

内部配列のキーをどのように変更しますか?たとえば、「name」の「n」と「last_name」の「l」を変更したいとします。配列に特定のキーがない場合よりも発生する可能性があることを考慮に入れてください。

12
Hommer Smith

Array_walkの使用

array_walk($array, function (& $item) {
   $item['new_key'] = $item['old_key'];
   unset($item['old_key']);
});
12
anydasa

多分このような何か:

if (isset($array['n'])) {
    $array['name'] = $array['n'];
    unset($array['n']);
}

注:このソリューションでは、キーの順序が変更されます。順序を維持するには、配列を再作成する必要があります。

15
Carl Owens

あなたが持つことができます:

  1. 鍵交換をマップする配列(プロセスをパラメーター化可能にするため)
  2. ループは元の配列を処理し、参照によってすべての配列項目にアクセスします

例えば。:

$array = array( array('n'=>'john','l'=>'red'), array('n'=>'nicel','l'=>'blue') );

$mapKeyArray = array('n'=>'name','l'=>'last_name');

foreach( $array as &$item )
{
    foreach( $mapKeyArray as $key => $replace )
    {
        if (key_exists($key,$item))
        {
            $item[$replace] = $item[$key];
            unset($item[$key]); 
        }
    }
}

このようにして、$mapKeyArray変数にいくつかのキー/値を追加するだけで他の置換を行うことができます。

このソリューションは、元の配列で一部のキーが使用できない場合にも機能します

3
Alberto Arena

キーの名前を変更し、順序の一貫性を維持します(次のコードが記述されたユースケースでは、後者が重要でした)。

<?php
/**
 * Rename a key and preserve the key ordering.
 *
 * An E_USER_WARNING is thrown if there is an problem.
 *
 * @param array &$data The data.
 * @param string $oldKey The old key.
 * @param string $newKey The new key.
 * @param bool $ignoreMissing Don't raise an error if the $oldKey does not exist.
 * @param bool $replaceExisting Don't raise an error if the $newKey already exists.
 *
 * @return bool True if the rename was successful or False if the old key cannot be found or the new key already exists.
 */
function renameKey(array &$data, $oldKey, $newKey, $ignoreMissing = false, $replaceExisting = false)
{
    if (!empty($data)) {
        if (!array_key_exists($oldKey, $data)) {
            if ($ignoreMissing) {
                return false;
            }

            return !trigger_error('Old key does not exist', E_USER_WARNING);
        } else {
            if (array_key_exists($newKey, $data)) {
                if ($replaceExisting) {
                    unset($data[$newKey]);
                } else {
                    return !trigger_error('New key already exists', E_USER_WARNING);
                }
            }

            $keys = array_keys($data);
            $keys[array_search($oldKey, array_map('strval', $keys))] = $newKey;
            $data = array_combine($keys, $data);

            return true;
        }
    }

    return false;
}

そして、いくつかのユニットテスト(PHPUnitが使用されていますが、テストの目的として理解できることを願っています)。

public function testRenameKey()
{
    $newData = $this->data;
    $this->assertTrue(Arrays::renameKey($newData, 200, 'TwoHundred'));
    $this->assertEquals(
        [
            100 => $this->one,
            'TwoHundred' => $this->two,
            300 => $this->three,
        ],
        $newData
    );
}

public function testRenameKeyWithEmptyData()
{
    $newData = [];
    $this->assertFalse(Arrays::renameKey($newData, 'junk1', 'junk2'));
}

public function testRenameKeyWithExistingNewKey()
{
    Arrays::renameKey($this->data, 200, 200);
    $this->assertError('New key already exists', E_USER_WARNING);
}

public function testRenameKeyWithMissingOldKey()
{
    Arrays::renameKey($this->data, 'Unknown', 'Unknown');
    $this->assertError('Old key does not exist', E_USER_WARNING);
}

public function testRenameKeyWithMixedNumericAndStringIndicies()
{
    $data = [
        'Nice', // Index 0
        'car' => 'fast',
        'none', // Index 1
    ];
    $this->assertTrue(Arrays::renameKey($data, 'car', 2));
    $this->assertEquals(
        [
            0 => 'Nice',
            2 => 'fast',
            1 => 'none',
        ],
        $data
    );
}

AssertErrorアサーションは、PHPUnitで https://github.com/digitickets/phpunit-errorhandler から利用できます。

1

古い値をメモし、 nset を使用して配列から削除し、新しいキーと古い値のペアを追加します。

1
Ed Heal

配列のキーを変更するおよび配列内の元の位置を維持するの解決策を次に示します。連想配列を対象としています。私の場合、値はオブジェクトでしたが、この例を簡略化しました。

// Our array
$fields = array(
    'first_name' => 'Radley',
    'last_name' => 'Sustaire',
    'date' => '6/26/2019', // <== Want to rename the key from "date" to "date_db"
    'amazing' => 'yes',
);

// Get the field value
$date_field = $fields['date'];

// Get the key position in the array (numeric)
$key_position = array_search( 'date', array_keys($fields) );

// Remove the original value
unset($fields['date']);

// Add the new value back in, with the new key, at the old position
$fields = array_merge(
    array_slice( $fields, 0, $key_position, true ),
    array( 'date_db' => $date_field ), // Notice the new key ends with "_db"
    array_slice( $fields, $key_position, null, true )
);

/*
Input:
Array(
    [first_name] => Radley
    [last_name] => Sustaire
    [date] => 6/26/2019
    [amazing] => yes
)

Output:
Array(
    [first_name] => Radley
    [last_name] => Sustaire
    [date_db] => 6/26/2019
    [amazing] => yes
)
*/
0
Radley Sustaire
function arrayReplaceKey($array, $oldKey, $newKey) {
    $r = array();
    foreach ($array as $k => $v) {
        if ($k === $oldKey) $k = $newKey;
        $r[$k] = $v;
    }
    return $r;
}
0
Davin

array_flip 関数を使用できます:

$original = array('n'=>'john','l'=>'red');
$flipped = array_flip($original);
foreach($flipped as $k => $v){
    $flipped[$k] = ($v === 'n' ? 'name' : ($v === 'l' ? 'last_name' : $v));
}
$correctedOriginal = array_flip($flipped);
0
Lajos Meszaros