Eu sei que isso é bobo, mas estou me sentindo criativo esta manhã:
'one two, one three, one four, one'
.split(' ') // array: ["one", "two,", "one", "three,", "one", "four,", "one"]
.reverse() // array: ["one", "four,", "one", "three,", "one", "two,", "one"]
.join(' ') // string: "one four, one three, one two, one"
.replace(/one/, 'finish') // string: "finish four, one three, one two, one"
.split(' ') // array: ["finish", "four,", "one", "three,", "one", "two,", "one"]
.reverse() // array: ["one", "two,", "one", "three,", "one", "four,", "finish"]
.join(' '); // final string: "one two, one three, one four, finish"
Então, realmente, tudo o que você precisa fazer é adicionar esta função ao protótipo String:
String.prototype.replaceLast = function (what, replacement) {
return this.split(' ').reverse().join(' ').replace(new RegExp(what), replacement).split(' ').reverse().join(' ');
};
Em seguida, execute-o assim:
str = str.replaceLast('one', 'finish');
Uma limitação que você deve saber é que, como a função é dividida por espaço, provavelmente você não conseguirá encontrar / substituir nada por um espaço.
Na verdade, agora que penso nisso, você poderia contornar o problema de 'espaço' dividindo com um token vazio.
String.prototype.reverse = function () {
return this.split('').reverse().join('');
};
String.prototype.replaceLast = function (what, replacement) {
return this.reverse().replace(new RegExp(what.reverse()), replacement.reverse()).reverse();
};
str = str.replaceLast('one', 'finish');