0

在匹配某个名称之前,如何删除字符串中的所有字符?例如,我有以下字符串:

"C:\\Installer\\Installer\\bin\\Debug\\App_Data\\Mono\\etc\\mono\\2.0\\machine.config"

如何删除字符串“ App_Data”之前的所有字符?

4

2 回答 2

6
var str = @"C:\Installer\Installer\bin\Debug\App_Data\Mono\etc\mono\2.0\machine.config";

var result = str.Substring(str.IndexOf("App_Data"));

Console.WriteLine(result);

印刷:

App_Data\Mono\etc\mono\2.0\machine.config

好吧,这样做的一种奇特方式是尝试使用独立于平台的类Path,它旨在处理文件和目录路径操作。在您的简单情况下,第一个解决方案在许多因素上都更好,并且仅将下一个解决方案作为示例:

var result = str.Split(Path.DirectorySeparatorChar)
                .SkipWhile(directory => directory != "App_Data")
                .Aggregate((path, directory) => Path.Combine(path, directory));

Console.WriteLine(result); // will print the same
于 2013-04-22T08:48:21.503 回答
0

或实现为扩展方法:

public static class Extension
{
    public static string TrimBefore(this string me, string expression)
    {
        int index = me.IndexOf(expression);
        if (index < 0)
            return null;
        else
            return me.Substring(index);
    }
}

并像这样使用它:

string trimmed = "i want to talk about programming".TrimBefore("talk");
于 2013-04-22T08:53:54.957 回答