如何在给定起始位置和长度的情况下替换字符串的子字符串?
我希望有这样的事情:
var string = "This is a test string";
string.replace(10, 4, "replacement");
以便string
等于
"this is a replacement string"
..但我找不到那样的东西。
任何帮助表示感谢。
答案 0 :(得分:8)
像这样:
var outstr = instr.substr(0,start)+"replacement"+instr.substr(start+length);
您可以将其添加到字符串的原型中:
String.prototype.splice = function(start,length,replacement) {
return this.substr(0,start)+replacement+this.substr(start+length);
}
(我称之为splice
,因为它与同名的数组函数非常相似)
答案 1 :(得分:2)
简短的RegExp版本:
str.replace(new RegExp("^(.{" + start + "}).{" + length + "}"), "$1" + word);
示例:
String.prototype.sreplace = function(start, length, word) {
return this.replace(
new RegExp("^(.{" + start + "}).{" + length + "}"),
"$1" + word);
};
"This is a test string".sreplace(10, 4, "replacement");
// "This is a replacement string"
答案 2 :(得分:0)
Underscore String library有一个拼接方法,它完全按照您的指定工作。
_("This is a test string").splice(10, 4, 'replacement');
=> "This is a replacement string"
库中还有许多其他有用的功能。它的时钟频率为8kb,可在cdnjs上使用。
答案 3 :(得分:0)
对于它的价值,这个函数将基于两个索引而不是第一个索引和长度来替换。
splice: function(specimen, start, end, replacement) {
// string to modify, start index, end index, and what to replace that selection with
var head = specimen.substring(0,start);
var body = specimen.substring(start, end + 1); // +1 to include last character
var tail = specimen.substring(end + 1, specimen.length);
var result = head + replacement + tail;
return result;
}