0

假设我有这个主题:

////////File description////////
Name: SomeFile.cs
Size: 234
Description: Foo
Date: 08.14.2012
///////////////////////////////

我怎样才能使那个主题变成:

////////File description////////
Name: 
Size: 
Description: 
Date:
///////////////////////////////

现在我执行以下操作:

var pattern = 
@"(/+File description/+
Name: )(?<name>.+)(
Size: )(?<size>.+)(
Description: )(?<des>.+)(
Date: )(?<date>.+)(
/+)";

// subject = fist code at top of this questoin

var temp = Regex.Replace(subject,pattern,"$1$2$3$4$5");

图案很乱



现在我的问题是:

我想要这样的模式:

/+File description/+
Name: (?<name>.+)
Size: (?<size>.+)
Description: (?<des>.+)
Date: (?<date>.+)
/+

我想知道是否可以替换组namesize. 等一无所有

4

2 回答 2

0

您可以简单地用空描述重写文件,除非您在同一个文件中有多个主题。

您可以通过以下方式做到这一点:

string text = "/////////////File description/////////////\nName:\nSize:\nDescription:\nDate:\n//////////////////////////";
System.IO.File.WriteAllText(@"X:\Path\to\your\file.whatever", text);
于 2012-07-30T22:16:51.193 回答
0

这可能比您想要的更复杂,但您可以尝试使用 MatchEvaluator。MatchEvaluator 计算每个匹配项的替换字符串。而且 MatchEvaluator 可以访问“Match”对象,所以它可以做一些有趣的事情,只受你的想象力的限制......

        var pattern =
@"/+File description/+ 
Name: (?<name>.+) 
Size: (?<size>.+) 
Description: (?<des>.+) 
Date: (?<date>.+) 
/+";
        var temp = Regex.Replace(data, pattern, new MatchEvaluator(eval));
        Console.WriteLine("{0}", temp);
    //...
    string eval(Match mx)
    {
        Stack<Group> stk = new Stack<Group>();
        for(int i=1; i<mx.Groups.Count; ++i)
            stk.Push(mx.Groups[i]);

        string result = mx.Groups[0].Value;
        int offt = mx.Index;
        while(stk.Count > 0)
        {
            var g = stk.Pop();
            int index = g.Index - offt;
            result = result.Substring(0,index) + result.Substring(index+g.Length);
        }
        return result;
    }

使用 MatchEvaluator 的另一种方法看起来像这样(并且应该适用于您的模式或我的模式)。

    string eval2(Match mx)
    {
        string data = mx.Value;
        data = Regex.Replace(data, "Name: .+", "Name: ");
        data = Regex.Replace(data, "Size: .+", "Size: ");
        data = Regex.Replace(data, "Description: .+", "Description: ");
        data = Regex.Replace(data, "Date: .+", "Date: ");
        return data;
    }

这是有效的,因为您要在匹配中替换。即,您的外部匹配缩小了搜索范围,而您的个人替代品没有机会替换错误的东西。如果您使用这种方法,您的外部模式会更简单,因为不需要组。

于 2012-07-30T22:55:31.970 回答