在javascript中,我有一个包含数字的字符串,我希望将值增加一个。
示例:
var string = "This is a string with numbers 1 2 3 4 5 6 7 8 9 10";
var desiredResult = "This is a string with numbers 2 3 4 5 6 7 8 9 10 11";
使用正则表达式,是否可以在匹配的反向引用上执行操作(在这种情况下是加法)?
使用Ruby找到类似的question:
string.gsub(/(\d+)/) { "#{$1.to_i + 1}"}
答案 0 :(得分:7)
使用string.replace
作为第二个参数:
var s1 = "This is a string with numbers 1 2 3 4 5 6 7 8 9 10";
var s2 = s1.replace(/\d+/g, function(x) { return Number(x)+1; });
s2; // => "This is a string with numbers 2 3 4 5 6 7 8 9 10 11"
请注意,如果使用匹配组,则函数的第一个参数将是整个匹配,并且每个后面的参数将是编号匹配组。
var x = "This is x1, x2, x3.";
var y = x.replace(/x(\d+)/g, function(m, g1) {
return "y" + (Number(g1)+1);
});
y; // => "This is y2, y3, y4."
答案 1 :(得分:1)
找到它。
var string = "This is a string with Numbers 1 2 3 4 5 6 7 8 9 10";
var desiredResult = "This is a string with Numbers 2 3 4 5 6 7 8 9 10 11";
var actualResult = string.replace(/([0-9]+)/g, function() {
return parseInt(arguments[1])+1
});
console.log(actualResult)
应该猜到匿名函数会起作用。