C# - StringBuilder

本文关键字:StringBuilder | 更新日期: 2023-09-12 17:38:19

在 C# 中,字符串类型是不可变的。这意味着字符串一旦创建就无法更改。例如,新字符串 "Hello World!" 将占用堆上的内存空间。 现在,通过将初始字符串"Hello World!"更改为 "Hello World! from Tutorials Teacher"将在内存堆上创建新的字符串对象,而不是修改相同内存地址的原始字符串。 如果原始字符串通过替换、追加、删除或在原始字符串中插入新字符串多次更改,则此行为将妨碍性能。

Memory allocation for String
字符串对象的内存分配

为了解决这个问题,C# 在 System.Text 命名空间中引入了StringBuilderStringBuilder不会在内存中创建新对象,而是动态扩展内存以容纳修改后的字符串。

Memory allocation for StringBuilder
StringBuilder 对象的内存分配

创建 StringBuilder 对象

可以使用 new 关键字并传递初始字符串来创建 StringBuilder 类的对象。 下面的示例演示如何创建StringBuilder对象。

Example: StringBuilder

using System.Text; // include at the top
            
StringBuilder sb = new StringBuilder(); //string will be appended later
//or
StringBuilder sb = new StringBuilder("Hello World!");

(可选)还可以使用重载构造函数指定 StringBuilder 对象的最大容量,如下所示。

Example: StringBuilder

StringBuilder sb = new StringBuilder(50); //string will be appended later
//or
StringBuilder sb = new StringBuilder("Hello World!", 50);

上面,C# 在内存堆上按顺序分配最多 50 个空间。 达到指定容量后,此容量将自动加倍。 还可以使用 capacitylength 属性来设置或检索StringBuilder对象的容量。

您可以使用for 循环来迭代,以获取或设置指定索引处的字符。

Example: StringBuilder Iteration

StringBuilder sb = new StringBuilder("Hello World!");
for(int i = 0; i < sb.Length; i++)
    Console.Write(sb[i]); // output: Hello World!

从字符串生成器检索字符串

StringBuilder不是string. 使用 ToString() 方法从StringBuilder对象中检索string

Example: Retrieve String from StringBuilder

StringBuilder sb = new StringBuilder("Hello World!");
var greet = sb.ToString(); //returns "Hello World!"

添加/追加字符串到 StringBuilder

使用 Append() 方法在当前StringBuilder对象的末尾追加字符串。如果StringBuilder尚未包含任何字符串,它将添加它。 AppendLine() 方法在末尾附加一个带有换行符的字符串。

Example: Adding or Appending Strings in StringBuilder

StringBuilder sb = new StringBuilder();
sb.Append("Hello ");
sb.AppendLine("World!");
sb.AppendLine("Hello C#");
Console.WriteLine(sb);

输出:

Hello World!
Hello C#.

将格式化字符串附加到 StringBuilder

使用 AppendFormat() 方法将输入字符串的格式设置为指定的格式并追加它。

Example: AppendFormat()

StringBuilder sbAmout = new StringBuilder("Your total amount is ");
sbAmout.AppendFormat("{0:C} ", 25);
Console.WriteLine(sbAmout);//output: Your total amount is $ 25.00

将字符串插入 StringBuilder

使用 Insert() 方法在 StringBuilder 对象的指定索引处插入字符串。

Example: Insert()

StringBuilder sb = new StringBuilder("Hello World!");
sb.Insert(5," C#"); 
Console.WriteLine(sb); //output: Hello C# World!

Remove String in StringBuilder

使用 Remove() 方法从指定索引中删除字符串,并最多删除指定长度。

Example: Remove()

StringBuilder sb = new StringBuilder("Hello World!",50);
sb.Remove(6, 7);
Console.WriteLine(sb); //output: Hello

Replace String in StringBuilder

使用 Replace() 方法将所有指定的字符串匹配项替换为指定的替换字符串。

Example: Replace()

StringBuilder sb = new StringBuilder("Hello World!");
sb.Replace("World", "C#");
Console.WriteLine(sb);//output: Hello C#!

注意:

  1. StringBuilder是可变的。
  2. 在追加多个字符串值时,StringBuilder执行速度比字符串快。
  3. 当您需要附加三个或四个以上的字符串时,请使用 StringBuilder。
  4. 使用 Append() 方法向StringBuilder对象添加或追加字符串。
  5. 使用 ToString() 方法从StringBuilder对象检索字符串。