如何用另一个字符串覆盖一个字符串
本文关键字:字符串 一个 覆盖 何用 另一个 | 更新日期: 2023-09-27 18:28:14
如何覆盖字符串?示例:
string text = "abcdefghijklmnopqrstuvwxyz".OverwriteWith("hello world", 3);
// text == "abchello worldopqrstuvwxyz"
当然,这种方法并不存在。但是
- .NET Framework中有内置的东西吗
- 如果没有,如何有效地将一个字符串写入另一个字符串
简短的回答,你不能。字符串是一种不可变的类型。这意味着,一旦创建了它们,就无法对其进行修改。
如果你想用c++的方法操作内存中的字符串,你应该使用StringBuilder。
您只需要使用String.Remove
和String.Insert
方法,如;
string text = "abcdefghijklmnopqrstuvwxyz";
if(text.Length > "hello world".Length + 3)
{
text = text.Remove(3, "hello world".Length).Insert(3, "hello world");
Console.WriteLine(text);
}
输出将为;
abchello worldopqrstuvwxyz
这里是演示。
请记住,字符串在.NET中是不可变的类型。您不能更改它们。即使您认为您更改了它们,实际上您也创建了一个新的字符串对象。
如果您想使用可变字符串,请查看StringBuilder
类。
这个类表示一个类似字符串的对象,其值是可变的字符序列。据说该值是可变的,因为它可以一旦通过附加、移除、删除或其他方式创建,替换或插入字符。
您可以尝试此解决方案,这可能会对您有所帮助。。
var theString = "ABCDEFGHIJ";
var aStringBuilder = new StringBuilder(theString);
aStringBuilder.Remove(3, 2); //Used to Remove the
aStringBuilder.Replace(); //Write the Required Function in the Replace
theString = aStringBuilder.ToString();
参考资料:点击这里!!
您想要的是一个扩展方法:
static class StringEx
{
public static string OverwriteWith(this string str, string value, int index)
{
if (index + value.Length < str.Length)
{
// Replace substring
return str.Remove(index) + value + str.Substring(index + value.Length);
}
else if (str.Length == index)
{
// Append
return str + value;
}
else
{
// Remove ending part + append
return str.Remove(index) + value;
}
}
}
// abchello worldopqrstuvwxyz
string text = "abcdefghijklmnopqrstuvwxyz".OverwriteWith("hello world", 3);
// abchello world
string text2 = "abcd".OverwriteWith("hello world", 3);
// abchello world
string text3 = "abc".OverwriteWith("hello world", 3);
// hello world
string text4 = "abc".OverwriteWith("hello world", 0);