Une grande majorité des réponses ici ne répondent pas à la partie éditée, je suppose qu'elles ont été ajoutées auparavant. Cela peut être fait avec regex, comme le mentionne une réponse. J'avais une approche différente.
Cette fonction recherche $ string et trouve la première chaîne entre $ start et $ end, en commençant à la position $ offset. Il met ensuite à jour la position $ offset pour pointer vers le début du résultat. Si $ includeDelimiters est vrai, il inclut les délimiteurs dans le résultat.
Si la chaîne $ start ou $ end n'est pas trouvée, elle renvoie null. Il renvoie également null si $ string, $ start ou $ end sont une chaîne vide.
function str_between(string $string, string $start, string $end, bool $includeDelimiters = false, int &$offset = 0): ?string
{
if ($string === '' || $start === '' || $end === '') return null;
$startLength = strlen($start);
$endLength = strlen($end);
$startPos = strpos($string, $start, $offset);
if ($startPos === false) return null;
$endPos = strpos($string, $end, $startPos + $startLength);
if ($endPos === false) return null;
$length = $endPos - $startPos + ($includeDelimiters ? $endLength : -$startLength);
if (!$length) return '';
$offset = $startPos + ($includeDelimiters ? 0 : $startLength);
$result = substr($string, $offset, $length);
return ($result !== false ? $result : null);
}
La fonction suivante recherche toutes les chaînes situées entre deux chaînes (pas de chevauchements). Il nécessite la fonction précédente et les arguments sont les mêmes. Après l'exécution, $ offset pointe vers le début de la dernière chaîne de résultat trouvée.
function str_between_all(string $string, string $start, string $end, bool $includeDelimiters = false, int &$offset = 0): ?array
{
$strings = [];
$length = strlen($string);
while ($offset < $length)
{
$found = str_between($string, $start, $end, $includeDelimiters, $offset);
if ($found === null) break;
$strings[] = $found;
$offset += strlen($includeDelimiters ? $found : $start . $found . $end); // move offset to the end of the newfound string
}
return $strings;
}
Exemples:
str_between_all('foo 1 bar 2 foo 3 bar', 'foo', 'bar')
donne [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar 2', 'foo', 'bar')
donne [' 1 ']
.
str_between_all('foo 1 foo 2 foo 3 foo', 'foo', 'foo')
donne [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar', 'foo', 'foo')
donne []
.
\Illuminate\Support\Str::between('This is my name', 'This', 'name');
c'est pratique. laravel.com/docs/7.x/helpers#method-str-between