Comment rechercher dans un tableau avec preg_match?
Exemple:
<?php
if( preg_match( '/(my\n+string\n+)/i' , array( 'file' , 'my string => name', 'this') , $match) )
{
//Excelent!!
$items[] = $match[1];
} else {
//Ups! not found!
}
?>
Dans cet article, je vais vous expliquer trois méthodes différentes pour faire ce que vous demandez. En fait, je recommande d'utiliser le dernier extrait, car il est plus facile à comprendre tout en étant assez ordonné en code.
Il y a une fonction dédiée à cette fin, preg_grep
. Il prendra une expression régulière en premier paramètre et un tableau en second.
Voir l'exemple ci-dessous:
$haystack = array (
'say hello',
'hello stackoverflow',
'hello world',
'foo bar bas'
);
$matches = preg_grep ('/^hello (\w+)/i', $haystack);
print_r ($matches);
sortie
Array
(
[1] => hello stackoverflow
[2] => hello world
)
array_reduce
avec preg_match
peut résoudre ce problème de manière propre; voir l'extrait ci-dessous.
$haystack = array (
'say hello',
'hello stackoverflow',
'hello world',
'foo bar bas'
);
function _matcher ($m, $str) {
if (preg_match ('/^hello (\w+)/i', $str, $matches))
$m[] = $matches[1];
return $m;
}
// N O T E :
// ------------------------------------------------------------------------------
// you could specify '_matcher' as an anonymous function directly to
// array_reduce though that kind of decreases readability and is therefore
// not recommended, but it is possible.
$matches = array_reduce ($haystack, '_matcher', array ());
print_r ($matches);
sortie
Array
(
[0] => stackoverflow
[1] => world
)
Documentation
array_reduce
semble fastidieux, n'y a-t-il pas un autre moyen?Oui, et celui-ci est en fait plus propre bien que cela n'implique pas l'utilisation d'un quelconque array_*
ou preg_*
une fonction.
Enveloppez-le dans une fonction si vous comptez utiliser cette méthode plusieurs fois.
$matches = array ();
foreach ($haystack as $str)
if (preg_match ('/^hello (\w+)/i', $str, $m))
$matches[] = $m[1];
Documentation
Utilisez preg_grep
$array = preg_grep(
'/(my\n+string\n+)/i',
array( 'file' , 'my string => name', 'this')
);
Vous pouvez utiliser array_walk
pour appliquer votre preg_match
fonction sur chaque élément du tableau.
$items = array();
foreach ($haystacks as $haystack) {
if (preg_match($pattern, $haystack, $matches)
$items[] = $matches[1];
}
$haystack = array (
'say hello',
'hello stackoverflow',
'hello world',
'foo bar bas'
);
$matches = preg_grep('/hello/i', $haystack);
print_r($matches);
Sortie
Array
(
[1] => say hello
[2] => hello stackoverflow
[3] => hello world
)