web-dev-qa-db-ja.com

複数の配列キーが存在するかどうかを確認する方法

を含むさまざまな配列があります

story & message

あるいは単に

story

配列にストーリーとメッセージの両方が含まれているかどうかを確認するにはどうすればよいですか? array_key_exists()は、配列内でその単一のキーのみを検索します。

これを行う方法はありますか?

73
Ryan

チェックするキーが2つしかない場合(元の質問のように)、 array_key_exists() を2回呼び出してキーが存在するかどうかをチェックするだけで十分でしょう。

if (array_key_exists("story", $arr) && array_key_exists("message", $arr)) {
    // Both keys exist.
}

ただし、これは明らかに多くのキーにうまく対応できません。そのような状況では、カスタム関数が役立ちます。

function array_keys_exists(array $keys, array $arr) {
   return !array_diff_key(array_flip($keys), $arr);
}
51
alex

多数のキーをチェックする場合でも、スケーラブルなソリューションを次に示します。

<?php

// The values in this arrays contains the names of the indexes (keys) 
// that should exist in the data array
$required = array('key1', 'key2', 'key3');

$data = array(
    'key1' => 10,
    'key2' => 20,
    'key3' => 30,
    'key4' => 40,
);

if (count(array_intersect_key(array_flip($required), $data)) === count($required)) {
    // All required keys exist!
}
181
Erfan

驚くべきことにarray_keys_existは存在しませんか?!暫定的には、この共通タスクの単一行式を把握するためのスペースが残ります。シェルスクリプトまたは別の小さなプログラムを考えています。

注:以下の各ソリューションは、PHP 5.4以降で使用可能な簡潔な[…]配列宣言構文を使用します

array_diff + array_keys

if (0 === count(array_diff(['story', 'message', '…'], array_keys($source)))) {
  // all keys found
} else {
  // not all
}

Kim Stacks へのヒント)

このアプローチは、私が見つけた最も簡単なものです。 array_diff()は、引数2に存在する引数1notに存在するアイテムの配列を返します。したがって、空の配列はすべてのキーが見つかったことを示します。 PHP 5.5では、0 === count(…)を単純化してempty(…)にすることができました。

array_reduce + 未設定

if (0 === count(array_reduce(array_keys($source), 
    function($in, $key){ unset($in[array_search($key, $in)]); return $in; }, 
    ['story', 'message', '…'])))
{
  // all keys found
} else {
  // not all
}

読みにくく、簡単に変更できます。 array_reduce()は、コールバックを使用して配列を反復処理し、値に到達します。 $initial$in値に関心のあるキーを入力し、ソースで見つかったキーを削除することで、すべてのキーが見つかった場合は要素が0で終わることが期待できます。

関心のあるキーが最終行にうまく収まるので、構造は簡単に変更できます。

array_filterin_array

if (2 === count(array_filter(array_keys($source), function($key) { 
        return in_array($key, ['story', 'message']); }
    )))
{
  // all keys found
} else {
  // not all
}

array_reduceソリューションよりも簡単に記述できますが、編集するのは少し複雑です。 array_filterは反復コールバックでもあり、コールバックでtrue(アイテムを新しい配列にコピー)またはfalse(コピーしない)を返すことにより、フィルターされた配列を作成できます。問題は、2を期待するアイテムの数に変更する必要があることです。

これはより耐久性のあるものにすることができますが、途方もない読みやすさに迫っています:

$find = ['story', 'message'];
if (count($find) === count(array_filter(array_keys($source), function($key) use ($find) { return in_array($key, $find); })))
{
  // all keys found
} else {
  // not all
}
32
Mark Fox

私には、これまでで最も簡単な方法は次のように思えます:

$required = array('a','b','c','d');

$values = array(
    'a' => '1',
    'b' => '2'
);

$missing = array_diff_key(array_flip($required), $values);

プリント:

Array(
    [c] => 2
    [d] => 3
)

これにより、どのキーが正確に欠落しているかを確認することもできます。これは、エラー処理に役立つ場合があります。

14
Petr Cibulka

上記のソリューションは賢いですが、非常に遅いです。 issetを使用した単純なforeachループは、array_intersect_keyソリューションの2倍以上の速度です。

function array_keys_exist($keys, $array){
    foreach($keys as $key){
        if(!array_key_exists($key, $array))return false;
    }
    return true;
}

(1000000回の反復で344ms対768ms)

7
iautomation

もう1つの可能な解決策:

if (!array_diff(['story', 'message'], array_keys($array))) {
    // OK: all the keys are in $array
} else {
   // FAIL: some keys are not
}
4
Vasily

これはどうですか:

isset($arr['key1'], $arr['key2']) 

両方がnullでない場合にのみtrueを返します

nullの場合、キーは配列にありません

3
David Dutkovsky

このようなものがある場合:

$stuff = array();
$stuff[0] = array('story' => 'A story', 'message' => 'in a bottle');
$stuff[1] = array('story' => 'Foo');

単純にcount()

foreach ($stuff as $value) {
  if (count($value) == 2) {
    // story and message
  } else {
    // only story
  }
}

これは、これらの配列キーのみを持っていることが確実にわかっている場合にのみ機能します。

Array_key_exists()の使用は、一度に1つのキーのチェックのみをサポートするため、両方を別々にチェックする必要があります。

foreach ($stuff as $value) {
  if (array_key_exists('story', $value) && array_key_exists('message', $value) {
    // story and message
  } else {
    // either one or both keys missing
  }
}

array_key_exists()は、キーが配列内に存在する場合にtrueを返しますが、それは実際の関数であり、入力するのがたくさんあります。言語構成体isset()は、テストされた値がNULLの場合を除いて、ほぼ同じことを行います。

foreach ($stuff as $value) {
  if (isset($value['story']) && isset($value['message']) {
    // story and message
  } else {
    // either one or both keys missing
  }
}

さらにissetを使用すると、複数の変数を一度にチェックできます。

foreach ($stuff as $value) {
  if (isset($value['story'], $value['message']) {
    // story and message
  } else {
    // either one or both keys missing
  }
}

ここで、設定されているもののテストを最適化するには、次の「if」を使用することをお勧めします。

foreach ($stuff as $value) {
  if (isset($value['story']) {
    if (isset($value['message']) {
      // story and message
    } else {
      // only story
    }
  } else {
    // No story - but message not checked
  }
}
2
Sven

お役に立てれば:

function array_keys_exist($searchForKeys = array(), $inArray = array()) {
    $inArrayKeys = array_keys($inArray);
    return count(array_intersect($searchForKeys, $inArrayKeys)) == count($searchForKeys); 
}
1
K-Alex

私はこのようなものを頻繁に使用します

$wantedKeys = ['story', 'message'];
$hasWantedKeys = count(array_intersect(array_keys($source), $wantedKeys)) > 0

または、必要なキーの値を見つける

$wantedValues = array_intersect_key($source, array_fill_keys($wantedKeys, 1))
1
Steve

これは、クラス内で使用するために自分で作成した関数です。

<?php
/**
 * Check the keys of an array against a list of values. Returns true if all values in the list
 is not in the array as a key. Returns false otherwise.
 *
 * @param $array Associative array with keys and values
 * @param $mustHaveKeys Array whose values contain the keys that MUST exist in $array
 * @param &$missingKeys Array. Pass by reference. An array of the missing keys in $array as string values.
 * @return Boolean. Return true only if all the values in $mustHaveKeys appear in $array as keys.
 */
    function checkIfKeysExist($array, $mustHaveKeys, &$missingKeys = array()) {
        // extract the keys of $array as an array
        $keys = array_keys($array);
        // ensure the keys we look for are unique
        $mustHaveKeys = array_unique($mustHaveKeys);
        // $missingKeys = $mustHaveKeys - $keys
        // we expect $missingKeys to be empty if all goes well
        $missingKeys = array_diff($mustHaveKeys, $keys);
        return empty($missingKeys);
    }


$arrayHasStoryAsKey = array('story' => 'some value', 'some other key' => 'some other value');
$arrayHasMessageAsKey = array('message' => 'some value', 'some other key' => 'some other value');
$arrayHasStoryMessageAsKey = array('story' => 'some value', 'message' => 'some value','some other key' => 'some other value');
$arrayHasNone = array('xxx' => 'some value', 'some other key' => 'some other value');

$keys = array('story', 'message');
if (checkIfKeysExist($arrayHasStoryAsKey, $keys)) { // return false
    echo "arrayHasStoryAsKey has all the keys<br />";
} else {
    echo "arrayHasStoryAsKey does NOT have all the keys<br />";
}

if (checkIfKeysExist($arrayHasMessageAsKey, $keys)) { // return false
    echo "arrayHasMessageAsKey has all the keys<br />";
} else {
    echo "arrayHasMessageAsKey does NOT have all the keys<br />";
}

if (checkIfKeysExist($arrayHasStoryMessageAsKey, $keys)) { // return false
    echo "arrayHasStoryMessageAsKey has all the keys<br />";
} else {
    echo "arrayHasStoryMessageAsKey does NOT have all the keys<br />";
}

if (checkIfKeysExist($arrayHasNone, $keys)) { // return false
    echo "arrayHasNone has all the keys<br />";
} else {
    echo "arrayHasNone does NOT have all the keys<br />";
}

配列に複数のキーがすべて存在することを確認する必要があると仮定しています。少なくとも1つのキーの一致を探している場合は、別の機能を提供できるようにお知らせください。

コードパッドはこちら http://codepad.viper-7.com/AKVPCH

1
Kim Stacks

これを試して

$required=['a','b'];$data=['a'=>1,'b'=>2];
if(count(array_intersect($required,array_keys($data))>0){
    //a key or all keys in required exist in data
 }else{
    //no keys found
  }
1
valmayaki

これを使用できるもの

//Say given this array
$array_in_use2 = ['hay' => 'come', 'message' => 'no', 'story' => 'yes'];
//This gives either true or false if story and message is there
count(array_intersect(['story', 'message'], array_keys($array_in_use2))) === 2;

検索する値が異なる場合は、変更できる2に対するチェックに注意してください。

このソリューションは効率的ではないかもしれませんが、機能します!

更新

1つのfat関数:

 /**
 * Like php array_key_exists, this instead search if (one or more) keys exists in the array
 * @param array $needles - keys to look for in the array
 * @param array $haystack - the <b>Associative</b> array to search
 * @param bool $all - [Optional] if false then checks if some keys are found
 * @return bool true if the needles are found else false. <br>
 * Note: if hastack is multidimentional only the first layer is checked<br>,
 * the needles should <b>not be<b> an associative array else it returns false<br>
 * The array to search must be associative array too else false may be returned
 */
function array_keys_exists($needles, $haystack, $all = true)
{
    $size = count($needles);
    if($all) return count(array_intersect($needles, array_keys($haystack))) === $size;
    return !empty(array_intersect($needles, array_keys($haystack)));

}

たとえば、これで:

$array_in_use2 = ['hay' => 'come', 'message' => 'no', 'story' => 'yes'];
//One of them exists --> true
$one_or_more_exists = array_keys_exists(['story', 'message'], $array_in_use2, false);
//all of them exists --> true
$all_exists = array_keys_exists(['story', 'message'], $array_in_use2);

お役に立てれば :)

// sample data
$requiredKeys = ['key1', 'key2', 'key3'];
$arrayToValidate = ['key1' => 1, 'key2' => 2, 'key3' => 3];

function keysExist(array $requiredKeys, array $arrayToValidate) {
    if ($requiredKeys === array_keys($arrayToValidate)) {
        return true;
    }

    return false;
}
0
j4r3k

これは古いもので、おそらく埋葬されるでしょうが、これは私の試みです。

@Ryanに似た問題がありました。場合によっては、少なくとも1つのキーが配列内にあるかどうかを確認するだけでよく、場合によっては、すべてのneededが存在する必要があります。

だから私はこの関数を書いた:

/**
 * A key check of an array of keys
 * @param array $keys_to_check An array of keys to check
 * @param array $array_to_check The array to check against
 * @param bool $strict Checks that all $keys_to_check are in $array_to_check | Default: false
 * @return bool
 */
function array_keys_exist(array $keys_to_check, array $array_to_check, $strict = false) {
    // Results to pass back //
    $results = false;

    // If all keys are expected //
    if ($strict) {
        // Strict check //

        // Keys to check count //
        $ktc = count($keys_to_check);
        // Array to check count //
        $atc = count(array_intersect($keys_to_check, array_keys($array_to_check)));

        // Compare all //
        if ($ktc === $atc) {
            $results = true;
        }
    } else {
        // Loose check - to see if some keys exist //

        // Loop through all keys to check //
        foreach ($keys_to_check as $ktc) {
            // Check if key exists in array to check //
            if (array_key_exists($ktc, $array_to_check)) {
                $results = true;
                // We found at least one, break loop //
                break;
            }
        }
    }

    return $results;
}

これは、複数の||および&&ブロックを記述するよりもはるかに簡単でした。

0
Casper Wilkes
$myArray = array('key1' => '', 'key2' => '');
$keys = array('key1', 'key2', 'key3');
$keyExists = count(array_intersect($keys, array_keys($myArray)));

$ myArrayに$ keys配列のキーがあるため、trueを返します

0
Andrew Luca

これは機能しませんか?

array_key_exists('story', $myarray) && array_key_exists('message', $myarray)
0
Kiwi

よくない考えですが、非常に単純なforeachループを使用して複数の配列キーをチェックします。

// get post attachment source url
$image     = wp_get_attachment_image_src(get_post_thumbnail_id($post_id), 'single-post-thumbnail');
// read exif data
$tech_info = exif_read_data($image[0]);

// set require keys
$keys = array('Make', 'Model');

// run loop to add post metas foreach key
foreach ($keys as $key => $value)
{
    if (array_key_exists($value, $tech_info))
    {
        // add/update post meta
        update_post_meta($post_id, MPC_PREFIX . $value, $tech_info[$value]);
    }
} 
0
Code Lover
<?php

function check_keys_exists($keys_str = "", $arr = array()){
    $return = false;
    if($keys_str != "" and !empty($arr)){
        $keys = explode(',', $keys_str);
        if(!empty($keys)){
            foreach($keys as $key){
                $return = array_key_exists($key, $arr);
                if($return == false){
                    break;
                }
            }
        }
    }
    return $return;
}

//デモを実行

$key = 'a,b,c';
$array = array('a'=>'aaaa','b'=>'ccc','c'=>'eeeee');

var_dump( check_keys_exists($key, $array));
0
Vuong