2

我想匹配 PHP 变量中的子域,$_SERVER['SERVER_NAME']然后进行内部重定向。Apache 或 nginx 重写不是一个选项,因为这是客户端/用户可见的外部重写。

(.*(?<!^.))subdomain\.example\.com如您所见,我的正则表达式匹配子域(多级子域)中的子域。我想稍后使用第一个捕获组。

这是我的 PHP 代码:

if(preg_match('#(.*(?<!^.))subdomain\.example\.com#', $_SERVER['SERVER_NAME'], $match1)) {
    echo $match1[1] . 'anothersubdomain.example.com';
}

但是,如果子域是例如,这将失败,csssubdomain.example.com因为这是我不想匹配的另一个子域。使用以下 PHP 脚本,我测试匹配项:

$tests = array(
    'subdomain.example.com' => 'anothersubdomain.example.com',
    'css.subdomain.example.com' => 'css.anothersubdomain.example.com',
    'csssubdomain.example.com' => 'csssubdomain.example.com',
    'tsubdomain.example.com' => 'tsubdomain.example.com',
    'multi.sub.subdomain.example.com' => 'multi.sub.anothersubdomain.example.com',
    '.subdomain.example.com' => '.subdomain.example.com',
);

foreach( $tests as $test => $correct_answer) {
        $result = preg_replace( '#(.*(?<!^.))subdomain\.example\.com#', '$1anothersubdomain.example.com', $test);
    echo 'Input:    ' . $test . "\n" . 
         'Expected: ' . $correct_answer . "\n" . 
         'Actual  : ' .$result . "\n";
    $passorfail =  (strcmp( $result, $correct_answer) === 0 ? "PASS\n\n" : "FAIL\n\n");
    echo $passorfail;
}

你会得到输出

Input:    subdomain.example.com
Expected: anothersubdomain.example.com
Actual  : anothersubdomain.example.com
PASS

Input:    css.subdomain.example.com
Expected: css.anothersubdomain.example.com
Actual  : css.anothersubdomain.example.com
PASS

Input:    csssubdomain.example.com
Expected: csssubdomain.example.com
Actual  : cssanothersubdomain.example.com
FAIL

Input:    tsubdomain.example.com
Expected: tsubdomain.example.com
Actual  : tsubdomain.example.com
PASS

Input:    multi.sub.subdomain.example.com
Expected: multi.sub.anothersubdomain.example.com
Actual  : multi.sub.anothersubdomain.example.com
PASS

Input:    .subdomain.example.com
Expected: .subdomain.example.com
Actual  : .subdomain.example.com
PASS

奇怪的是它确实匹配csssubdomain.example.com但不匹配tsubdomain.example.com

有人知道您可以在这种情况下使用什么正则表达式吗?我已经尝试了一些 前瞻和后瞻零宽度断言的方法,但它并没有真正起作用。

4

1 回答 1

1

你可以试试这个模式:

~^((?:\w+\.)*?)subdomain\.example\.com~

如果您允许这样做.toto.subdomain.example.com,只需\.?在开头添加:

~^((?:\.?\w+\.)*?)subdomain\.example\.com~

如果您想允许连字符,只需将其添加到字符类中:

~^((?:\.?[\w-]+\.)*?)subdomain\.example\.com~

如果您不允许子字符串以连字符开头或结尾:

~^((?:\.?\w+([\w-]*?\w)?\.)*?)subdomain\.example\.com~
于 2013-05-03T19:36:37.863 回答