This is my code:
$string = '<a href="http://www.example.com/test" class="prevlink">« Previous</a><a href=\'http://www.example.com/test/\' class=\'page\'>1</a><span class=\'current\'>2</span><a href=\'http://www.example.com/test/page/3/\' class=\'page\'>3</a><a href=\'http://www.example.com/test/page/4/\' class=\'page\'>4</a><a href="http://www.example.com/test/page/3/" class="nextlink">Next »</a>';
$string = htmlspecialchars($string, ENT_COMPAT, 'UTF-8');
$string = preg_replace('@(<a).*?(nextlink)@s', '', $string);
echo $string;
I am trying to remove the last link:
<a href="http://www.example.com/test/page/3/" class="nextlink">Next »</a>';
My current output:
">Next »</a>
It removes everything from the start. I want it to remove only the one with strpos, is this possible with preg_replace and how?
quite a tricky question to solve
first off, the .*? will not match like you are expecting it to.
its starts from the left finds the first match for <a, then searches until it finds nextlink, which is essentially picking up the entire string.
for that regex to work as you wanted, it would need to match from the righthand side first and work backwards through the string, finding the smallest (non-greedy) match
i couldn't see any modifiers that would do this so i opted for a callback on each link, that will check and remove any link with nextlink in it
<?php
$string = '<a href="http://www.mysite.com/test" class="prevlink">« Previous</a><a href=\'http://www.mysite.com/test/\' class=\'page\'>1</a><span class=\'current\'>2</span><a href=\'http://www.mysite.com/test/page/3/\' class=\'page\'>3</a><a href=\'http://www.mysite.com/test/page/4/\' class=\'page\'>4</a><a href="http://www.mysite.com/test/page/3/" class="nextlink">Next »</a>';
echo "RAW: $string\r\n\r\n";
$string = htmlspecialchars($string, ENT_COMPAT, 'UTF-8');
echo "SRC: $string\r\n\r\n";
$string = preg_replace_callback(
'@<\;a.+?</a>@',
'remove_nextlink',
$string
);
function remove_nextlink($matches) {
// if you want to see each line as it works, uncomment this
// echo "L: $matches[0]\r\n\r\n";
if (strpos($matches[0], 'nextlink') === FALSE) {
return $matches[0]; // doesn't contain nextlink, put original string back
} else {
return ''; // contains nextlink, replace with blank
}
}
echo "PROCESSED: $string\r\n\r\n";