Get all of the text from a string after the first one sentence

278 Views Asked by At

So Currently I am using this code to get the first sentence only out of a string

preg_match('/^([^.!?]*[\.!?]+){0,1}/', $text, $abstract);

Can you please help me on how to create another regular expression to get the remaining text or get the text after the first sentence only ?

Thanks

2

There are 2 best solutions below

0
On BEST ANSWER

This should give you the general idea using explode():

<?php
$string = 'Sentence one. Sentence two. Sentence three. Sentence four.';
$sentences = explode(".", $string);
echo $sentences[0]; // echos 'Sentence one'
echo $sentences[1]; // echos ' Sentence two'
echo $sentences[2]; // echos ' Sentence three'
echo $sentences[3]; // echos ' Sentence four'
// The following demonstrates how to do what you're asking, but I'm not quite   
// sure what your specific use case is so adapt as necessary.
echo $sentences[0]; // echos 'Sentence one'
// to echo the remaining sentences do this
// start at 1 not 0 to skip the first sentence
for ($i = 1; $i < count($sentences); $i++)
{
    echo $sentences[$i];
}

Note that this will treat any '.' as the end of a sentence so it may not be suitable in all cases, for example if you have 'I.T.' mid-sentence. Therefore the regular expression may be a more appropriate solution if you need this level of accuracy. Just let me know if you have any questions. : )

4
On

This might help you if you know how many sentences are exactly there in that string.

$str = "First Sentence.";
$str .= "Second Sentence. Third Sentence"; 
$result = explode(".",$str)[1].". ".explode(".",$str)[2];

echo $result;

UPDATE

Final Answer >>

$str = "First Sentence.";
$str .= "Second Sentence. Third Sentence"; 
$extract = strpos($str, ".")+1;
$result = substr($str, $extract, strlen($str));


echo $result;