如何获取URL中的最后一个路径?

2022-08-30 15:23:16

我想获取URL中的最后一个路径段:

  • http://blabla/bla/wce/news.php
  • http://blabla/blablabla/dut2a/news.php

例如,在这两个URL中,我想获取路径段:“wce”和“dut2a”。

我试图使用,但我得到了整个URL路径。$_SERVER['REQUEST_URI']


答案 1

尝试:

$url = 'http://blabla/blablabla/dut2a/news.php';
$tokens = explode('/', $url);
echo $tokens[sizeof($tokens)-2];

假设至少有 2 个元素。$tokens


答案 2

试试这个:

function getLastPathSegment($url) {
    $path = parse_url($url, PHP_URL_PATH); // to get the path from a whole URL
    $pathTrimmed = trim($path, '/'); // normalise with no leading or trailing slash
    $pathTokens = explode('/', $pathTrimmed); // get segments delimited by a slash

    if (substr($path, -1) !== '/') {
        array_pop($pathTokens);
    }
    return end($pathTokens); // get the last segment
}

    echo getLastPathSegment($_SERVER['REQUEST_URI']);

我还用评论中的一些URL对其进行了测试。我将不得不假设所有路径都以斜杠结尾,因为我无法识别 /bob 是目录还是文件。这将假定它是一个文件,除非它也有尾部斜杠。

echo getLastPathSegment('http://server.com/bla/wce/news.php'); // wce

echo getLastPathSegment('http://server.com/bla/wce/'); // wce

echo getLastPathSegment('http://server.com/bla/wce'); // bla

推荐