strrpos()
是 PHP 中的一個字符串函數,用于查找一個字符串在另一個字符串中最后一次出現的位置。函數原型如下:
strrpos(string $haystack, string $needle, int $offset = 0): int
參數說明:
$haystack
:必需,要在其中搜索 $needle
的字符串。$needle
:必需,要在 $haystack
中搜索的字符串。$offset
(可選):必需,從該偏移量開始搜索 $needle
。默認值為 0,表示從字符串的開頭開始搜索。返回值:
$needle
在 $haystack
中最后一次出現的位置的索引。如果未找到,則返回 false
。示例:
<?php
$haystack = "Hello, I am a PHP developer.";
$needle = "PHP";
// 從字符串的開頭開始搜索
$position = strrpos($haystack, $needle);
if ($position !== false) {
echo "The last occurrence of '{$needle}' is at position: {$position}.";
} else {
echo "'{$needle}' not found in the string.";
}
// 從字符串的第 10 個字符開始搜索
$position = strrpos($haystack, $needle, 10);
if ($position !== false) {
echo "The last occurrence of '{$needle}' starting from position 10 is at position: {$position}.";
} else {
echo "'{$needle}' not found in the string starting from position 10.";
}
?>
輸出:
The last occurrence of 'PHP' is at position: 27.
The last occurrence of 'PHP' starting from position 10 is at position: 38.