我有不同的字符串要在其中查找特定编号。如果数字在字符串中,则应打印该数字。
字符串如下:
string(9) "path_12.0"
string(9) "path_12.1"
string(9) "path_13.0"
string(9) "path_13.1"
string(9) "path_13.2"
数字如下:
int(12)
int(12)
int(13)
int(13)
int(13)
我尝试过的是:
if (strpos(','.$mainString.',' , ','.$QuestionId.',') != FALSE) {
echo $QuestionId;
} // this doesn't print anything in the body
我也尝试了以下技巧,但它也不能打印任何内容
if(in_array($QuestionId, explode(',', $mainString))) {
echo $QuestionId;
}
我想检查以下内容:
if($questionId is in $mainString) {
echo $questionId;
}
注意:我在StackOverflow上搜索了类似的问题,但没有找到解决我问题的解决方案,因此我将发布此问题。
答案 0 :(得分:2)
您可以在下面的代码段中使用
$paths = ["path_12.0", "path_12.1", "path_13.0", "path_13.1", "path_13.2", ];
$nos = [12, 12, 13, 13, 13, ];
function strpos_arr($needle,$haystack)
{
if (!is_array($haystack)) {
$haystack = [$haystack];
}
foreach ($haystack as $what) {
if (($pos = strpos($what,(string)$needle)) !== false) {
return $pos;
}
}
return false;
}
foreach ($nos as $key => $value) {
// checking if question id in in path array with str pos
if(strpos_arr($value,$paths) !== false){
echo $value."\n";
}
}
Demo。
答案 1 :(得分:2)
另一种选择可能是使用您的字符串创建一个数组,然后将preg_grep与一种模式一起使用,该模式可以检查小数的第一部分是否等于一个数字。
a pattern的示例,其中数组中的数字用作替代:
_\K(?:12|13)(?=\.\d+)
_\K
匹配下划线,忘记匹配的内容(?:
非捕获组
12|13
匹配12或13 )
关闭非捕获组(?=\.\d+)
正向前进,断言右边直接是一个点和一个1+个数字例如:
$numbers = [12, 13];
$strings = [
"path_12.0",
"path_12.1",
"path_13.0",
"path_13.1",
"path_13.2",
"path_14.1"
];
$pattern = "/_\K(?:" . implode('|', $numbers) . ")(?=\.\d+)/";
$resullt = preg_grep($pattern, $strings);
print_r($resullt);
结果
Array
(
[0] => path_12.0
[1] => path_12.1
[2] => path_13.0
[3] => path_13.1
[4] => path_13.2
)
或者,如果您只想打印数字,则可以使用array_reduce并收集匹配项:
$result = array_reduce($strings, function($carry, $item) use ($pattern){
if (preg_match($pattern, $item, $matches)){
$carry[] = $matches[0];
}
return $carry;
});
print_r($result);
结果
Array
(
[0] => 12
[1] => 12
[2] => 13
[3] => 13
[4] => 13
)
答案 2 :(得分:1)
$array_strings = ["path_12.0", "path_12.1", "path_13.0", "path_13.1", "path_13.2"];
$array_numbers = [12, 22, 13, 11, 17];
$results = [];
foreach ($array_strings as $string){
preg_match_all('!\d+\.*\d*!', $string, $matches);
foreach ($array_numbers as $number){
if (in_array($number, $matches[0])){
array_push($results, $number);
}
}
}
print_r($results);
结果: Array ( [0] => 12 [1] => 13 )
注1:数组答案可以有重复的值。