views:

1085

answers:

2

for example:

var str="<br>hi<br>hi";

to replace the last(second) <br>,

to change into "<br>hihi"

I tried:

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

but it's wrong. What's the right version?

+1  A: 

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.

Greg
Wouldnt you want it to be: str.replace(/^(.*)((<br>)*?)$/, '$1$2') so as to include the <br> in the last match?
cottsak
The whole idea is to remove the last <br>
Greg
+2  A: 

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>");
Gumbo