the_drow
the_drow

Reputation: 19181

How to check if a certain part of the array exists in another array?

I have an two associative arrayes and I want to check if

$array1["foo"]["bar"]["baz"] exists in $array2["foo"]["bar"]["baz"]

The values doesn't matter, just the "path". Does array_ intersect_ assoc do what I need?
If not how can I write one myself?

Upvotes: 2

Views: 1980

Answers (2)

Ken Keenan
Ken Keenan

Reputation: 10558

Try this:

<?php
function array_path_exists(&$array, $path, $separator = '/')
{
    $a =& $array;
    $paths = explode($separator, $path);
    $i = 0;
    foreach ($paths as $p) {
        if (isset($a[$p])) {
            if ($i == count($paths) - 1) {
                return TRUE;
            }
            elseif(is_array($a[$p])) {
                $a =& $a[$p];
            }
            else {
                return FALSE;
            }
        }
        else {
            return FALSE;
        }
        $i++;
    }
}

// Test
$test = array(
    'foo' => array(
        'bar' => array(
            'baz' => 1
            )
        ),
    'bar' => 1
    );

echo array_path_exists($test, 'foo/bar/baz');

?>

Upvotes: 6

Glass Robot
Glass Robot

Reputation: 2448

If you only need to check if the keys exist you could use a simple if statement.

<?php
if (isset($array1["foo"]["bar"]["baz"]) && isset($array2["foo"]["bar"]["baz"]

)) { //exists }

Upvotes: 1

Related Questions