如何在C#中替换字符串中的换行符?
让我们以为,必须从下面的字符串中消除换行符,空格和制表符空间。
消除.jpg
示例
我们可以利用Replace()
字符串的扩展方法来做到这一点。
using System; namespace DemoApplication { class Program { static void Main(string[] args) { string testString = "Hello \n\r beautiful \n\t world"; string replacedValue = testString.Replace("\n\r", "_").Replace("\n\t", "_"); Console.WriteLine(replacedValue); Console.ReadLine(); } } }
输出结果
上面代码的输出是
Hello _ beautiful _ world
示例
我们还可以使用Regex来执行相同的操作。Regex在System.Text.RegularExpressions命名空间中可用。
using System; using System.Text.RegularExpressions; namespace DemoApplication { class Program { static void Main(string[] args) { string testString = "Hello \n\r beautiful \n\t world"; string replacedValue = Regex.Replace(testString, @"\n\r|\n\t", "_"); Console.WriteLine(replacedValue); Console.ReadLine(); } } }
输出结果
上面代码的输出是
Hello _ beautiful _ world