我随机创建了一些字符串,例如
H*P2[-%-3:5RW0j*;k52vedsSQ5{)ROkb]P/*DZTr*-UX4sp
我想要做的是在每个字符串生成时计算所有大写字母,小写字母,数字和特殊字符。
我正在寻找类似的输出 上限= 5 低= 3 numneric = 6 特殊= 4 当然是虚构的价值观。 我已经使用count_char,substr_count等浏览了php字符串页面,但无法找到我要查找的内容。
谢谢
答案 0 :(得分:5)
preg_match_all()返回匹配的出现次数。您只需要为所需的每一点信息填写正则表达式相关性。例如:
$s = "Hello World";
preg_match_all('/[A-Z]/', $s, $match);
$total_ucase = count($match[0]);
echo "Total uppercase chars: " . $total_ucase; // Total uppercase chars: 2
答案 1 :(得分:1)
您可以使用ctype-functions
$s = 'H*P2[-%-3:5RW0j*;k52vedsSQ5{)ROkb]P/*DZTr*-UX4sp';
var_dump(foo($s));
function foo($s) {
$result = array( 'digit'=>0, 'lower'=>0, 'upper'=>0, 'punct'=>0, 'others'=>0);
for($i=0; $i<strlen($s); $i++) {
// since this creates a new string consisting only of the character at position $i
// it's probably not the fastest solution there is.
$c = $s[$i];
if ( ctype_digit($c) ) {
$result['digit'] += 1;
}
else if ( ctype_lower($c) ) {
$result['lower'] += 1;
}
else if ( ctype_upper($c) ) {
$result['upper'] += 1;
}
else if ( ctype_punct($c) ) {
$result['punct'] += 1;
}
else {
$result['others'] += 1;
}
}
return $result;
}
打印
array(5) {
["digit"]=>
int(8)
["lower"]=>
int(11)
["upper"]=>
int(14)
["punct"]=>
int(15)
["others"]=>
int(0)
}