我有一个字符串"1,23,45,448.00"
,我想用小数点替换所有逗号,用逗号替换所有小数点.
我要求的输出是"1.23.45.448,00"
我试图取代,
通过.
如下:
var mystring = "1,23,45,448.00" alert(mystring.replace(/,/g , "."));
但是,在那之后,如果我尝试.
用,
它替换它也会替换第一个被替换.
为,
导致输出为"1,23,45,448,00"
replace
与回调函数一起使用,它将替换为,
by .
和.
by ,
.函数返回的值将用于替换匹配的值.
var mystring = "1,23,45,448.00";
mystring = mystring.replace(/[,.]/g, function (m) {
// m is the match found in the string
// If `,` is matched return `.`, if `.` matched return `,`
return m === ',' ? '.' : ',';
});
//ES6
mystring = mystring.replace(/[,.]/g, m => (m === ',' ? '.' : ','))
console.log(mystring);
document.write(mystring);
杜莎尔(Tushar)的做法没错,但这是另一个想法:
myString .replace(/,/g , "__COMMA__") // Replace `,` by some unique string .replace(/\./g, ',') // Replace `.` by `,` .replace(/__COMMA__/g, '.'); // Replace the string by `.`