Skip to content Skip to sidebar Skip to footer

How To Replace Last Occurrence Of A Word In Javascript?

for example: var str='
hi
hi'; to replace the last(second)
, to change into '
hihi' I tried: str.replace(/
(.*?)$/,\1); but it's w

Solution 1:

You can use the fact that quantifiers are greedy:

str.replace(/(.*)<br>/, "$1");

But the disadvantage is that it will cause backtracking.

Another solution would be to split up the string, put the last two elements together and then join the parts:

var parts = str.split("<br>");
if (parts.length > 1) {
    parts[parts.length - 2] += parts.pop();
}
str = parts.join("<br>");

Solution 2:

I think you want this:

str.replace(/^(.*)<br>(.*?)$/, '$1$2')

This greedily matches everything from the start to a <br>, then a <br>, then ungreedily matches everything to the end.


Solution 3:

String.prototype.replaceLast = function(what, replacement) { 
    return this.replace(new RegExp('^(.*)' + what + '(.*?)$'), '$1' + replacement + '$2');
}

str = str.replaceLast(what, replacement);

Post a Comment for "How To Replace Last Occurrence Of A Word In Javascript?"