所以我正在编写一个程序,根据找到的文件打印音乐书籍。我已经可以选择读取标签,但解析文件名要快得多,所以我决定让它成为一个选项。用户将提供类似于:
的掩码 (%year%) %album%\%track%. %artist% - %title%
所以我需要用代码创建正则表达式。我几乎已经完成了但是我遇到了空间问题。我需要能够匹配掩码中提供的确切空格数。以下是我到目前为止的情况:
^(?<track>[^.]+)\.[ ](?![ ])(?<artist>.+?)[ ](?![ ])-[ ](?![ ])(?<title>[^.]+)\.mp3$
前瞻可以正常工作,除了破折号之前的那个。不知道为什么。它将允许多个空格(但不是0个空格)。所以我需要的是我可以“插入”我找到的每个空间的掩码,它只匹配那个空间。
答案 0 :(得分:1)
问题在于你的正则表达式名为captures,它收集所有非.
个字符。 [^.]
字符类也匹配空格。因此像\s{1}([^.]+)\s{2}\.
这样的表达式将允许:
SomeTitle .mp3
^^^^^^^^^^^^
SomeTitle .mp3
^^^^^^^^^^
捕获组将获得带下划线的部分,包括带下划线的前导或尾部空格。这基本上允许在源字符串中存在更多空格然后是期望的。要解决此问题,您需要在每个所需的空格匹配后使用前瞻(?!\s)
,以确保字符类捕获的下一个字符不会像`\ s {1}这样的空格(?!\ S)([^。] +)\ S {2}(?!\ S)。
此正则表达式将以以下格式从字符串中捕获曲目,艺术家和标题:(%year%) %album%\%track%. %artist% - %title%
。要确保下一个字符不是空格,请使用(?!\s)
。这是插入结尾
^\((?<year>[^)]*)\)\s{1}(?!\s)(?<album>[^\\]*)\\(?<track>[^.]*)\.\s{1}(?!\s)(?<artist>(?:(?!\s{1}-\s{1}).)+?[^\s])\s{1}-\s{1}(?!\s)(?<title>[^.]*?[^.\s])\.(?<ZeroLengthSpaceAfterDot>(?!\s))mp3
在图像中,组1 =年,组2 =专辑,组3 =轨道,组4 =艺术家,组5 =标题,组6是零空格的示例
输入文字
(%year%) %album%\%track%. %artist% - %title%.mp3
(1971) Punk Kittens\1of3. Kittens - I Like cats.mp3
(1969) Muppet Show\2of3. Pigs - Pigs In Space. mp3
(1991) Foo Shivle\3of3. Snoop Dog - Just another brick in the pound.mp3
(2009) Space Race\3of3. Sir Space Alot - Too many Spaces.mp3
代码示例
Imports System.Text.RegularExpressions
Module Module1
Sub Main()
Dim sourcestring as String = "replace with your source string"
Dim re As Regex = New Regex("^\((?<year>[^)]*)\)\s{1}(?!\s)(?<album>[^\\]*)\\(?<track>[^.]*)\.\s{1}(?!\s)(?<artist>(?:(?!\s{1}-\s{1}).)+?[^\s])\s{1}-\s{1}(?!\s)(?<title>[^.]*?[^.\s])\.(?<ZeroLengthSpaceAfterDot>(?!\s))mp3",RegexOptions.IgnoreCase OR RegexOptions.Multiline OR RegexOptions.Singleline)
Dim mc as MatchCollection = re.Matches(sourcestring)
Dim mIdx as Integer = 0
For each m as Match in mc
For groupIdx As Integer = 0 To m.Groups.Count - 1
Console.WriteLine("[{0}][{1}] = {2}", mIdx, re.GetGroupNames(groupIdx), m.Groups(groupIdx).Value)
Next
mIdx=mIdx+1
Next
End Sub
End Module
匹配
$matches Array:
(
[0] => Array
(
[0] => (%year%) %album%\%track%. %artist% - %title%.mp3
[1] => (1971) Punk Kittens\1of3. Kittens - I Like cats.mp3
[2] => (1991) Foo Shivle\3of3. Snoop Dog - Just another brick in the pound.mp3
)
[year] => Array
(
[0] => %year%
[1] => 1971
[2] => 1991
)
[album] => Array
(
[0] => %album%
[1] => Punk Kittens
[2] => Foo Shivle
)
[track] => Array
(
[0] => %track%
[1] => 1of3
[2] => 3of3
)
[artist] => Array
(
[0] => %artist%
[1] => Kittens
[2] => Snoop Dog
)
[title] => Array
(
[0] => %title%
[1] => I Like cats
[2] => Just another brick in the pound
)
[ZeroLengthSpaceAfterDot] => Array
(
[0] =>
[1] =>
[2] =>
)
)
\s
或\s{1}
匹配一个空格\s(?!\s)
匹配一个空格并确保空格后的字符不是空格。\s*
匹配零个或多个空格\s{2,}
匹配两个或多个空格(?!\s)
确保下一个字符不是空格(?!\s{6})
确保接下来的六个字符不是所有空格答案 1 :(得分:0)
试试这个:
^(?<track>[^.]+)\. (?! )(?<artist>.+?[^ ]) (?! )- (?! )(?<title>[^.]+)\.mp3$
^ ^ ^
指定上面三个空格支架^
中任意一个的长度以匹配遮罩。
我使用RegexBuddy测试了上面的正则表达式模式。结果如下面的屏幕截图所示: -