strtok
最初に出現する前に文字列を取得するために使用できます?
$url = strtok($_SERVER["REQUEST_URI"], '?');
strtok()
?
クエリ文字列の前にある部分文字列を直接抽出する最も簡潔な手法を表します。 explode()
最初の要素にアクセスする必要がある2要素の配列を生成する必要があるため、直接性は低くなります。
他のいくつかの手法は、クエリ文字列が見つからない場合や、URL内の他の/意図しない部分文字列を変更する可能性がある場合に機能しなくなる可能性があります。これらの手法は回避する必要があります。
デモ:
$urls = [
'www.example.com/myurl.html?unwantedthngs#hastag',
'www.example.com/myurl.html'
];
foreach ($urls as $url) {
var_export(['strtok: ', strtok($url, '?')]);
echo "\n";
var_export(['strstr/true: ', strstr($url, '?', true)]); // not reliable
echo "\n";
var_export(['explode/2: ', explode('?', $url, 2)[0]]); // limit allows func to stop searching after first encounter
echo "\n";
var_export(['substr/strrpos: ', substr($url, 0, strrpos( $url, "?"))]); // not reliable; still not with strpos()
echo "\n---\n";
}
出力:
array (
0 => 'strtok: ',
1 => 'www.example.com/myurl.html',
)
array (
0 => 'strstr/true: ',
1 => 'www.example.com/myurl.html',
)
array (
0 => 'explode/2: ',
1 => 'www.example.com/myurl.html',
)
array (
0 => 'substr/strrpos: ',
1 => 'www.example.com/myurl.html',
)
---
array (
0 => 'strtok: ',
1 => 'www.example.com/myurl.html',
)
array (
0 => 'strstr/true: ',
1 => false, // bad news
)
array (
0 => 'explode/2: ',
1 => 'www.example.com/myurl.html',
)
array (
0 => 'substr/strrpos: ',
1 => '', // bad news
)
---