I have tried a few things to get a last part out I done this:
JavaScript
x
$string = 'Sim-only 500 | Internet 2500';
preg_replace("Sim-Only ^([1-9]|[1-9][0-9]|[1-9][0-9][0-9][0-9])$ | Internet ","",$string
AND
preg_match("/[^ ]*$/","",{abo_type[1]})
The first one won’t work and the second returns an array but a realy need string.
Advertisement
Answer
If you’re after the last word in a sentence, why not just do something like this?
JavaScript
$string = '•Sim-only 500 •| Internet 2500';
$pieces = explode(' ', $string);
$last_word = array_pop($pieces);
echo $last_word;
I wouldn’t recommend using regular expressions as it’s unnecessary, unless you really want to for some reason.
JavaScript
$string = 'Retrieving the last word of a string using PHP.';
preg_match('/[^ ]*$/', $string, $results);
$last_word = $results[0]; // $last_word = PHP.
Using a substr()
method would be better than both of these if resources/efficiency/overhead is a concern.
JavaScript
$string = 'Retrieving the last word of a string using PHP.';
$last_word_start = strrpos($string, ' ') + 1; // +1 so we don't include the space in our result
$last_word = substr($string, $last_word_start); // $last_word = PHP.
it is faster, although it really doesn’t make that much of a difference on things like this. If you’re constantly needing to know the last word on a 100,000 word string, you should probably be going about it in a different way.