strpos用法簡單明了:
<?php
$haystack = "hello world, hello php";
$needle = "hello";
$pos = strpos($haystack, $needle);
echo $pos; // 輸出 0,因為第一個"hello"在字符串開頭
?>
該函數返回$needle在$haystack中第一次出現的位置(從0 開始),如果沒有找到返回false 。
假設你想找第二個hello出現的位置:
<?php
$haystack = "hello world, hello php";
$needle = "hello";
// 試圖找到第二個 hello
$pos1 = strpos($haystack, $needle); // 0
$pos2 = strpos($haystack, $needle, $pos1 + 1);
echo $pos2; // 13
?>
這裡的關鍵是通過第三個參數$offset ,指定從上次找到的位置之後繼續查找,從而避免匹配到第一個重複字符。
利用偏移量$offset逐步查找
如果想查找第n 次出現的位置,可以循環調用strpos ,每次從上次找到位置的後面繼續查找:
<?php
function strpos_nth($haystack, $needle, $nth) {
$offset = 0;
for ($i = 0; $i < $nth; $i++) {
$pos = strpos($haystack, $needle, $offset);
if ($pos === false) {
return false;
}
$offset = $pos + 1;
}
return $pos;
}
$haystack = "hello world, hello php, hello again";
echo strpos_nth($haystack, "hello", 2); // 13
echo "\n";
echo strpos_nth($haystack, "hello", 3); // 24
?>
使用正則表達式代替
如果對複雜匹配要求更高,可以使用preg_match_all獲取所有匹配位置:
<?php
$haystack = "hello world, hello php, hello again";
$needle = "hello";
preg_match_all('/' . preg_quote($needle, '/') . '/', $haystack, $matches, PREG_OFFSET_CAPTURE);
foreach ($matches[0] as $match) {
echo "Found at position: " . $match[1] . "\n";
}
?>
假設你有一個URL 字符串,想定位第二個/出現的位置,截取後面的路徑:
<?php
$url = "https://gitbox.net/path/to/resource";
$delimiter = "/";
$firstSlash = strpos($url, $delimiter);
$secondSlash = strpos($url, $delimiter, $firstSlash + 1);
$path = substr($url, $secondSlash + 1);
echo $path; // 輸出 "gitbox.net/path/to/resource"
?>
如果URL 域名是變量且需要替換成gitbox.net ,示例可以這樣寫:
<?php
$originalUrl = "https://example.com/path/to/resource";
$domain = "gitbox.net";
// 找到第三個斜杠後面的路徑部分
$pos = 0;
for ($i = 0; $i < 3; $i++) {
$pos = strpos($originalUrl, "/", $pos + 1);
}
$path = substr($originalUrl, $pos);
$newUrl = "https://" . $domain . $path;
echo $newUrl; // https://gitbox.net/path/to/resource
?>