这不是一个完整的答案,因为我没有说明为什么某些 PHP 函数“在无效编码的字符串上完全失败”而其他函数没有:请参阅问题评论中的 @deceze 和 @hakre 答案。如果您正在寻找 PCRE 替代品str_word_count()
,请参阅preg_word_count()
下面的内容。
PS:关于“PHP5 的内置库行为一致性”的讨论,我的结论是 PHP5 并没有那么糟糕,但是我们已经创建了很多用户定义的 wrap(façade)函数(参见 PHP-framworks 的多样性!)。 .. 或者等待 PHP6 :-)
谢谢@pebbl!如果我了解您的链接,则 PHP 上缺少错误消息。所以我说明的问题的一个可能的解决方法是添加一个错误条件......我在这里找到了条件(它确保了有效的 utf8!)......感谢@deceze 记住存在一个用于检查这个条件的内置函数(我之后编辑了代码)。
将问题放在一起,将解决方案转换为功能(已编辑,感谢@hakre 评论!),
function my_word_count($s,$triggError=true) {
if ( preg_match_all('/[-\'\p{L}]+/u',$s,$m) !== false )
return count($m[0]);
else {
if ($triggError) trigger_error(
// not need mb_check_encoding($s,'UTF-8'), see hakre's answer,
// so, I wrong, there are no 'misteious error' with preg functions
(preg_last_error()==PREG_BAD_UTF8_ERROR)?
'non-UTF8 input!': 'other error',
E_USER_NOTICE
);
return NULL;
}
}
现在(在考虑@hakre 答案后编辑),关于统一行为:我们可以使用 PCRE 库开发一个合理的函数来模仿str_word_count
行为,接受错误的 UTF8。对于这项任务,我使用了@bobinceiconv
提示:
/**
* Like str_word_count() but showing how preg can do the same.
* This function is most flexible but not faster than str_word_count.
* @param $wRgx the "word regular expression" as defined by user.
* @param $triggError changes behaviour causing error event.
* @param $OnBadUtfTryAgain mimic the str_word_count behaviour.
* @return 0 or positive integer as word-count, negative as PCRE error.
*/
function preg_word_count($s,$wRgx='/[-\'\p{L}]+/u', $triggError=true,
$OnBadUtfTryAgain=true) {
if ( preg_match_all($wRgx,$s,$m) !== false )
return count($m[0]);
else {
$lastError = preg_last_error();
$chkUtf8 = ($lastError==PREG_BAD_UTF8_ERROR);
if ($OnBadUtfTryAgain && $chkUtf8)
return preg_word_count(
iconv('CP1252','UTF-8',$s), $wRgx, $triggError, false
);
elseif ($triggError) trigger_error(
$chkUtf8? 'non-UTF8 input!': "error PCRE_code-$lastError",
E_USER_NOTICE
);
return -$lastError;
}
}
演示(尝试其他输入!):
$s = "THE UTF-8 NO-BREAK\xA0SPACE"; // a non-ASCII byte
print "\n-- str_word_count=".str_word_count($s,0);
print "\n-- preg_word_count=".preg_word_count($s);
$s = "THE UTF-8 NO-BREAK\xC2\xA0SPACE"; // utf8-encoded nbsp
print "\n-- str_word_count=".str_word_count($s,0);
print "\n-- preg_word_count=".preg_word_count($s);