正则表达式为2个字符串之间的字符串c#

时间:2013-09-26 04:42:08

标签: regex

我正在尝试从此VMG文件中获取消息字符串。我只想在Date行之后和“END:VBODY”

之前添加字符串

我到目前为止最好的是这个正则表达式字符串BEGIN:VBODY([^ \ n] * \ n +)+ END:VBODY

任何人都可以帮助改进它吗?

N:
TEL:+65123345
END:VCARD
BEGIN:VENV
BEGIN:VBODY
Date:8/11/2013 11:59:00 PM
thi is a test message
Hello this is a test message on line 2
END:VBODY
END:VENV
END:VENV
END:VMSG

2 个答案:

答案 0 :(得分:1)

如果你想使用正则表达式,你可以稍微修改你当前的正则表达式,因为$ 0组有你想要的。

BEGIN:VBODY\n?((?:[^\n]*\n+)+?)END:VBODY

基本上发生的事情([^\n]*\n+)+变成了(?:[^\n]*\n+)+?(让这部分变得更加安全)

然后将整个部分包裹在parens周围:((?[^\n]*\n+)+?)

我之前添加\n?以使输出更清晰。


非正则表达式解决方案可能是这样的:

string str = @"N:
    TEL:+65123345
    END:VCARD
    BEGIN:VENV
    BEGIN:VBODY
    Date:8/11/2013 11:59:00 PM
    thi is a test message
    Hello this is a test message on line 2
    END:VBODY
    END:VENV
    END:VENV
    END:VMSG";

int startId = str.IndexOf("BEGIN:VBODY")+11; // 11 is the length of "BEGIN:VBODY"
int endId = str.IndexOf("END:VBODY");
string result = str.Substring(startId, endId-startId);
Console.WriteLine(result);

输出:

Date:8/11/2013 11:59:00 PM
thi is a test message
Hello this is a test message on line 2

ideone demo

答案 1 :(得分:0)

以下是使用正则表达式的解决方案,

        string text = @"N:
        TEL:+65123345
        END:VCARD
        BEGIN:VENV
        BEGIN:VBODY
        Date:8/11/2013 11:59:00 PM
        thi is a test message
        Hello this is a test message on line 2
        END:VBODY
        END:VENV
        END:VENV
        END:VMSG";


string pattern = @"BEGIN:VBODY(?<Value>[a-zA-Z0-9\r\n.\S\s ]*)END:VBODY";//Pattern to match text.
Regex rgx = new Regex(pattern, RegexOptions.Multiline);//Initialize a new Regex class with the above pattern.
Match match = rgx.Match(text);//Capture any matches.
if (match.Success)//If a match is found.
{
        string value2 = match.Groups["Value"].Value;//Capture match value.
        MessageBox.Show(value2);
}

演示here

现在是非正则表达式解决方案,

        string text = @"N:
        TEL:+65123345
        END:VCARD
        BEGIN:VENV
        BEGIN:VBODY
        Date:8/11/2013 11:59:00 PM
        thi is a test message
        Hello this is a test message on line 2
        END:VBODY
        END:VENV
        END:VENV
        END:VMSG";

        int startindex = text.IndexOf("BEGIN:VBODY") + ("BEGIN:VBODY").Length;//The just start index of Date...
        int length = text.IndexOf("END:VBODY") - startindex;//Length of text till END...
        if (startindex >= 0 && length >= 1)
        {
            string value = text.Substring(startindex, length);//This is the text you need.
            MessageBox.Show(value);
        }
        else
        {
            MessageBox.Show("No match found.");
        }

演示here

希望它有所帮助。