我想使用 php 从字符串中获取子字符串的位置。我可以使用strpos()
,但它只返回第一次出现。如何获得多次出现的位置。
问问题
755 次
3 回答
1
来自:http ://www.php.net/manual/en/function.strpos.php#108426
function strpos_r($haystack, $needle)
{
if(strlen($needle) > strlen($haystack))
trigger_error(sprintf("%s: length of argument 2 must be <= argument 1", __FUNCTION__), E_USER_WARNING);
$seeks = array();
while($seek = strrpos($haystack, $needle))
{
array_push($seeks, $seek);
$haystack = substr($haystack, 0, $seek);
}
return $seeks;
}
这将返回一个包含出现位置的数组。
于 2012-09-02T08:58:48.210 回答
0
strpos 的第三个参数,有一个可以使用的 $offset:
$positions_of_string = array();
$str_to_find = "string to find";
$str_length = strlen( $str_to_find );
$last_found = 0 - $str_length;
while( false !== $last_found ) {
$last_found = strpos( $the_string, $str_to_find, $last_found+$str_length );
if( false !== $last_found )
$positions_of_strings[] = $last_found;
}
于 2012-09-02T09:55:08.343 回答
0
从手册上看,评论中有这样的功能。
function strpos_recursive($haystack, $needle, $offset = 0, &$results = array()) {
$offset = strpos($haystack, $needle, $offset);
if($offset === false) {
return $results;
} else {
$results[] = $offset;
return strpos_recursive($haystack, $needle, ($offset + 1), $results);
}
}
于 2012-09-02T08:59:33.973 回答