hsinxh
hsinxh

Reputation: 1883

Determine if qualifying values exist in an array

Suppose I have an array of names, I want to search this array against a string or regular expression and then store the found matches in another array.

How can this be done?

Upvotes: 0

Views: 819

Answers (4)

Brad Christie
Brad Christie

Reputation: 101604

To offer yet another solution, I would recommend using PHP's internal array_filter to perform the search.

function applyFilter($element){
  // test the element and see if it's a match to
  // what you're looking for
}

$matches = array_filter($myArray,'applyFilter');

As of PHP 5.3, you can use an anonymous function (same code as above, just declared differently):

$matches = array_filter($myArray, function($element) {
  // test the element and see if it's a match to
  // what you're looking for
});

Upvotes: 2

RobertPitt
RobertPitt

Reputation: 57268

what you would need to di is map the array with a callback like so:

array_filter($myarray,"CheckMatches");

function CheckMatches($key,$val)
{
    if(preg_match("...",$val,$match))
    {
        return $match[2];
    }
}

This will run the callback for every element in the array!

Updated to array_filter

Upvotes: 1

Angelin Nadar
Angelin Nadar

Reputation: 9300

1) Store the strings in array1 2) array2 against you want to match 3) array3 in which you store the matches

$array1 = array("1","6","3");
$array2 = array("1","2","3","4","5","6","7");
foreach($array1 as $key=>$value){
  if(in_array($value,$array2))
      $array3[] = $value;
}
echo '<pre>';
print_r($array3);
echo '</pre>';

Upvotes: 1

user372743
user372743

Reputation:

well in this case you would probably do something along the lines of a foreach loop to iterate through the array to find what you are looking for.

foreach ($array as $value) {
  if ($searching_for === $value) {/* You've found what you were looking for, good job! */}
}

If you wish to use a PHP built in method, you can use in_array

$array = array("1", "2", "3");
if (in_array("2", $array)) echo 'Found ya!';

Upvotes: 1

Related Questions