这是我的代码:
$sc = 'hello 8491241 some text 6254841 some text 568241 414844:412';
preg_match_all('/[0-9]{5,10}/', $sc, $matches1);
preg_match_all('/[0-9]{5,10}:[0-9]{1,5}/', $sc, $matches2);
function cub1($match)
{
return array(
'batch' => $match,
'type' => '1',
);
}
function cub2($match)
{
return array(
'batch' => $match,
'type' => '2',
);
}
$pr_matches1 = array_map('cub1', $matches1[0]);
$pr_matches2 = array_map('cub2', $matches2[0]);
$all_matches = array_merge($pr_matches1,$pr_matches2);
它工作正常,我询问是否有可能改进我的代码并将array_map回调函数(cub1和cub2)作为一个函数(cub),我只需要设置不同的'类型'对于$ matches1和$ matches2
请问好吗?
答案 0 :(得分:3)
是的,有可能,在函数中识别它来自哪个数组只是有点棘手。但这应该对你有用:
(我只是使用strpos()
来确定它是匹配表单$matches1
还是来自$matches2
,因为只有第二个数组可以包含:
)
<?php
$sc = 'hello 8491241 some text 6254841 some text 568241 414844:412';
preg_match_all('/[0-9]{5,10}/', $sc, $matches1);
preg_match_all('/[0-9]{5,10}:[0-9]{1,5}/', $sc, $matches2);
function cub($m) {
if(strpos($m, ":") !== FALSE) {
return array(
'batch' => $m,
'type' => '2',
);
} else {
return array(
'batch' => $m,
'type' => '1',
);
}
}
$all_matches = array_map("cub", array_merge($matches1[0], $matches2[0]));
print_r($all_matches);
?>
输出:
Array ( [0] => Array ( [batch] => 8491241 [type] => 1 ) [1] => Array ( [batch] => 6254841 [type] => 1 ) [2] => Array ( [batch] => 568241 [type] => 1 ) [3] => Array ( [batch] => 414844 [type] => 1 ) [4] => Array ( [batch] => 414844:412 [type] => 2 ) )
答案 1 :(得分:3)
我将整个事情简化为:
$sc = 'hello 8491241 some text 6254841 some text 568241 414844:412';
preg_match_all('/([0-9]{5,10})(:[0-9]{1,5})?/', $sc, $matches, PREG_SET_ORDER);
$all_matches = array_reduce($matches, function (array $all, array $match) {
$all[] = ['batch' => $match[1], 'type' => '1'];
if (isset($match[2])) {
$all[] = ['batch' => $match[0], 'type' => '2'];
}
return $all;
}, []);
使用可选的捕获组而不是两个单独的regexen,然后区分两种类型的结果就像检查捕获组是否存在一样简单。
答案 2 :(得分:1)
一些功能性的东西
$sc = 'hello 8491241 some text 6254841 some text 568241 414844:412';
preg_match_all('/[0-9]{5,10}/', $sc, $matches1);
preg_match_all('/[0-9]{5,10}:[0-9]{1,5}/', $sc, $matches2);
$my_matches[1] = $matches1[0];
$my_matches[2] = $matches2[0];
$cub[1] = function($match)
{
return array(
'batch' => $match,
'type' => '1',
);
};
$cub[2] = function($match)
{
return array(
'batch' => $match,
'type' => '2',
);
};
$result = call_user_func_array('array_merge', array_map(function($a, $b)
{ return array_map($a, $b); }, $cub, $my_matches));
var_dump($result);
所以,你需要两个任意(但相同)长度的数组:值数组,回调数组。