0

我正在尝试将文件名拆分为 3 部分。

示例:艺术家 - 标题 ( Mix ) 或艺术家 - 标题 [ Mix ]

到目前为止我的代码。

preg_match('/^(.*) - (.*)\.mp3$/', $mp3, $matches);
$artist = $matches[1];
$title = $matches[2];
echo "File: $mp3" . "Artist: $artist" . "\n" . "Title: $title" . "<br />";

这让我得到了艺术家和标题。我遇到的问题是 Mix 介于 () 或 [] 之间。我不确定如何修改我的正则表达式以捕获该部分。

4

3 回答 3

1

这不是 100% 的正则表达式解决方案,但我认为它是您将获得的最优雅的解决方案。

基本上,您想要捕获(anything)[anything],它可以表示为\(.*\)|\[.*\]。然后,将其设为捕获组,并对其进行双重转义,以获得(\\(.*\\)|\\[.*\\]).

不幸的是,这也捕获了()or [],因此您必须剥离它们;我只是用来substr($matches[3], 1, -1)做这项工作:

$mp3 = "Jimmy Cross - I Want My Baby Back (Remix).mp3";
preg_match('/^(.*) - (.*) (\\(.*\\)|\\[.*\\])\.mp3$/', $mp3, $matches);
$artist = $matches[1];
$title = $matches[2];
$mix = substr($matches[3], 1, -1);
echo "File: $mp3" . "<br/>" . "Artist: $artist" . "<br/>" . "Title: $title" . "<br />" . "Mix: $mix" . "<br />";

打印出来:

文件:Jimmy Cross - I Want My Baby Back (Remix).mp3
艺术家:Jimmy Cross
标题:I Want My Baby Back
Mix:Remix

于 2012-12-22T04:05:21.290 回答
0

尝试'/^(.*) - ([^\(\[]*) [\(\[] ([^\)\]]*) [\)\]]\.mp3$/'

但是,这可能不是最有效的方法。

于 2012-12-22T03:52:03.207 回答
0

对于这种特定情况,我会使用命名子模式。

$mp3s = array(
    "Billy May & His Orchestra - T'Ain't What You Do.mp3",
    "Shirley Bassey - Love Story [Away Team Mix].mp3",
    "Björk - Isobel (Portishead remix).mp3",
    "Queen - Another One Bites the Dust (remix).mp3"
);

$pat = '/^(?P<Artist>.+?) - (?P<Title>.*?)( *[\[\(](?P<Mix>.*?)[\]\)])?\.mp3$/';

foreach ($mp3s as $mp3) {
    preg_match($pat,$mp3,$res);
    foreach ($res as $k => $v) {
        if (is_numeric($k)) unset($res[$k]);
        // this is for sanitizing the array for the output
    }
    if (!isset($res['Mix'])) $res['Mix'] = NULL;
    // this is for the missing Mix'es
    print_r($res);
}

将输出

Array (
    [Artist] => Billy May & His Orchestra
    [Title] => T'Ain't What You Do
    [Mix] => 
)
Array (
    [Artist] => Shirley Bassey
    [Title] => Love Story
    [Mix] => Away Team Mix
)
Array (
    [Artist] => Björk
    [Title] => Isobel
    [Mix] => Portishead remix
)
Array (
    [Artist] => Queen
    [Title] => Another One Bites the Dust
    [Mix] => remix
)
于 2012-12-22T04:43:58.163 回答