La gran mayoría de las respuestas aquí no responden a la parte editada, supongo que se agregaron antes. Se puede hacer con expresiones regulares, como una respuesta menciona. Tenía un enfoque diferente.
Esta función busca $ string y encuentra la primera cadena entre $ start y $ end strings, comenzando en la posición $ offset. Luego actualiza la posición $ offset para señalar el inicio del resultado. Si $ includeDelimiters es verdadero, incluye los delimitadores en el resultado.
Si no se encuentra la cadena $ start o $ end, devuelve nulo. También devuelve un valor nulo si $ string, $ start o $ end son una cadena vacía.
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 siguiente función encuentra todas las cadenas que se encuentran entre dos cadenas (sin superposiciones). Requiere la función anterior, y los argumentos son los mismos. Después de la ejecución, $ offset apunta al inicio de la última cadena de resultados encontrados.
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;
}
Ejemplos:
str_between_all('foo 1 bar 2 foo 3 bar', 'foo', 'bar')
da [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar 2', 'foo', 'bar')
da [' 1 ']
.
str_between_all('foo 1 foo 2 foo 3 foo', 'foo', 'foo')
da [' 1 ', ' 3 ']
.
str_between_all('foo 1 bar', 'foo', 'foo')
da []
.
\Illuminate\Support\Str::between('This is my name', 'This', 'name');
es conveniente. laravel.com/docs/7.x/helpers#method-str-between