2

我有一些以特定语法命名的 MP3 文件,例如:

1 - Sebastian Ingrosso - Calling (Feat. Ryan Tedder)

我用 C# 编写了一个小程序,它从 ID3 标签中读取曲目、艺术家和标题。我想做的是编写一个正则表达式,它可以验证文件实际上是用上面列出的语法命名的。

所以我有一个名为歌曲的课程:

 //Properties
public string Filename
{
    get { return _filename;  }
    set { _filename = value; }
}

public string Title
{
    get { return _title;  }
    set { _title = value; }
}

public string Artist
{
    get { return _artist;  }
    set { _artist = value; }
}


//Methods

public bool Parse(string strfile)
{
    bool CheckFile;

    Tags.ID3.ID3v1 Song = new Tags.ID3.ID3v1(strfile, true);
    Filename = Song.FileName;
    Title = Song.Title;
    Artist = Song.Artist;


    //Check File Name Formatting
    string RegexBuilder = @"\d\s-\s" + Artist + @"\s-\s" + Title;
    if (Regex.IsMatch(Filename, RegexBuilder))
    {
        CheckFile = true;
    }
    else
    {
        CheckFile = false;
    }
    return CheckFile;
 }

所以它在大多数情况下都有效。我在标题中有 (Feat. ) 的那一刻失败了。我能想到的最接近的是:

\d\s-\s\艺术家\s-\s.*

这显然行不通,因为任何文本都可以通过测试,我已经尽了最大努力,但我只编程了两个星期。


tl;dr希望歌曲通过正则表达式测试,无论它是否包含特色艺术家,例如:

1 - Sebastian Ingrosso - Calling (Feat. Ryan Tedder)

1 - Flo Rida - 口哨

应该都通过测试。

4

1 回答 1

1

问题是正则表达式中的“(”和“)”对正则表达式引擎有意义。您应该使用以下代码:

string RegexBuilder = @"\d\s-\s" + Regex.Escape(Artist) + @"\s-\s" + Regex.Escape(Title);

Escape 函数会将“(Feat. )”更改为“\(Feat.\)”,这将确保您匹配括号而不是分组“Feat.”。

http://msdn.microsoft.com/en-us/library/system.text.regularexpressions.regex.escape.aspx

于 2012-06-19T16:19:56.557 回答