I am trying to use regex to compare a string in JavaScript. I want to replace all '.'s
and '%'s
with empty character '' but the catch is I don't want to replace the first occurrence of '.'
.
value.replace(/\%\./g, '');
Expected result like below:
.4.5.6.7. ==> .4567
4.5667.444... ==> 4.56667444
..3445.4 ==> .34454
You can pass in a function to replace
, and skip the first match like this:
var i = 0;
value.replace(/[\.\%]/g, function(match) {
return match === "." ? (i++ === 0 ? '.' : '') : '';
});
Here is a self-contained version with no external variables:
value.replace(/[\.\%]/g, function(match, offset, all) {
return match === "." ? (all.indexOf(".") === offset ? '.' : '') : '';
})
This second version uses the offset
passed into the replace()
function to compare against the index of the first .
found in the original string (all
). If they are the same, the regex leaves it as a .
. Subsequent matches will have a higher offset than the first .
matched, and will be replaced with a ''
. %
will always be replaced with a ''
.
Both versions result in:
4.5667.444... ==> 4.56667444
%4.5667.444... ==> 4.5667444
Demo of both versions: http://jsbin.com/xuzoyud/5/
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With