A grande maioria das respostas aqui não responde à parte editada, acho que foram adicionadas antes. Isso pode ser feito com regex, como uma resposta menciona. Eu tive uma abordagem diferente.
Essa função pesquisa $ string e localiza a primeira entre $ strings e $ end, começando na posição de deslocamento $. Em seguida, atualiza a posição de deslocamento $ para apontar para o início do resultado. Se $ includeDelimiters for verdadeiro, ele incluirá os delimitadores no resultado.
Se a cadeia $ start ou $ end não for encontrada, ela retornará nulo. Ele também retornará null se $ string, $ start ou $ end forem uma string vazia.
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);
}
A função a seguir localiza todas as cadeias que estão entre duas cadeias (sem sobreposições). Requer a função anterior e os argumentos são os mesmos. Após a execução, $ offset aponta para o início da última sequência de resultados encontrada.
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;
}
Exemplos:
str_between_all('foo 1 bar 2 foo 3 bar', 'foo', 'bar')
dá [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar 2', 'foo', 'bar')
dá [' 1 ']
.
str_between_all('foo 1 foo 2 foo 3 foo', 'foo', 'foo')
dá [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar', 'foo', 'foo')
dá []
.
\Illuminate\Support\Str::between('This is my name', 'This', 'name');
é conveniente. Laravel.com/docs/7.x/helpers#method-str-between