regex 替换字符串的最后一个和第一个整数

gmxoilav  于 2023-05-08  发布在  其他
关注(0)|答案(3)|浏览(201)

我有一个这样的字符串:var input = "/first_part/5/another_part/3/last_part"
我想替换最后一个出现的整数(字符串中的3),然后替换第一个出现的整数(5)。
我试过这个:input .replace(/\d+/, 3);替换所有事件。但如何只针对最后一个/第一个。
先谢谢你了。

k75qkfdt

k75qkfdt1#

这将用3替换输入字符串中的第一个和最后一个单个数字
input.replace(/^(.*?)\d(.*)\d(.*)$/, "$13$23$3");
可读性更强:

var replacement = '3';
input.replace(/^(.*?)\d(.*)\d(.*)$/, "$1" + replacement + "$2" + replacement + "$3");

或者input.replace(/^(.*?)\d(.*)\d(.*)$/, ["$1", "$2", "$3"].join(replacement));如果你喜欢的话

x8goxv8g

x8goxv8g2#

你可以使用这个基于负先行的正则表达式:

var input = "/first_part/5/another_part/3/last_part";

// replace first number
var r = input.replace(/\d+/, '9').replace(/\d+(?=\D*$)/, '7');
//=> /first_part/9/another_part/7/last_part

这里\d+(?=\D*$)表示匹配1个或多个数字,后面是所有非数字,直到行尾。

5jvtdoz2

5jvtdoz23#

这里有一个非常严格的方法来解决你的问题,你可能想让它适应你的需要,但它显示了一种方法,你可以完成任务。

// input string
var string = "/first_part/5/another_part/3/last_part";

//match all the parts of the string
var m = string.match(/^(\D+)(\d+)+(\D+)(\d+)(.+)/);

// ["/first_part/5/another_part/3/last_part", "/first_part/", "5", "/another_part/", "3", "/last_part"]

// single out your numbers
var n1 = parseInt(m[2], 10);
var n2 = parseInt(m[4], 10);

// do any operations you want on them
n1 *= 2;
n2 *= 2;

// put the string back together
var output = m[1] + n1 + m[3] + n2 + m[5];

// /first_part/10/another_part/6/last_part

相关问题