数组搜索,但只是值的一部分

时间:2012-12-19 16:18:09

标签: php arrays

我有一个带文件名的数组。

我想检查数组是否有扩展名为“.txt”的文件。

我该怎么做?

in_array仅检查特定值。

6 个答案:

答案 0 :(得分:4)

试试array_filter。在回调中,检查是否存在.txt扩展名。

如果array_filter的结果有条目(是真实的),那么您可以获得第一个或所有条目。如果数组为空,则没有匹配。

答案 1 :(得分:3)

您可以遍历数组中的项目,然后对每个项目执行正则表达式或strpos匹配。找到匹配后,您可以返回true。

使用strpos()

$array = array('one.php', 'two.txt');

$match = false;
foreach ($array as $filename) {
    if (strpos($filename, '.txt') !== FALSE) {
        $match = true;
        break;
    }
}

使用正则表达式:

$array = array('one.php', 'two.txt');

$match = false;
foreach ($array as $filename) {
    if (preg_match('/\.txt$/', $filename)) {
        $match = true;
        break;
    }
}

两者都会导致$match等同于true

答案 2 :(得分:1)

$files = array('foo.txt', 'bar.txt', 'nope.php', ...);

$txtFiles = array_filter($files, function ($item) {
    return '.txt' === substr($item, -4); // assuming that your string ends with '.txt' otherwise you need something like strpos or preg_match
});

var_dump($txtFiles); // >> Array ( [0] => 'foo.txt', [1] => 'bar.txt' )

array_filter函数遍历数组并将值传递给回调。如果回调返回true,它将保留该值,否则它将从数组中删除该值。在回调中传递所有项后,将返回结果数组。


哦,你只想知道数组中是否有.txt。其他一些建议:

$match = false;

array_map(function ($item) use ($match) {
    if ('.txt' === substr($match, -4)) {
        $match = true;
    }
}, $filesArray);
$match = false;
if (false === strpos(implode(' ', $filesArray), '.txt')) {
    $match = true;
}

答案 3 :(得分:0)

$iHaz = FALSE;

foreach ($arr as $item) {
    if (preg_match('/\.txt$/', $item)) {
        $iHaz = TRUE;
        break;
    }
}

与提出array_filter的其他答案相反,我没有回复。我只是检查它是否存在于数组中。此外,这个实现比array_filter更有效,因为它一旦找到就会突破循环。

答案 4 :(得分:0)

由于您要处理文件,因此应使用array_filterpathinfo

$files = array_filter(array("a.php","b.txt","z.ftxt"), function ($item) {
    return pathinfo($item, PATHINFO_EXTENSION) === "txt";
});

var_dump($files); // b.txt

答案 5 :(得分:0)

使用array_filter

根据文件扩展名过滤数组结果
// Our array to be filtered
$files = array("puppies.txt", "kittens.pdf", "turtles.txt");

// array_filter takes an array, and a callable function
$result = array_filter($files, function ($value) {
    // Function is called once per array value
    // Return true to keep item, false to filter out of results
    return preg_match("/\.txt$/", $value);
});

// Output filtered values
var_dump($result);

结果如下:

array(2) {
  [0]=> string(11) "puppies.txt"
  [2]=> string(11) "turtles.txt"
}

执行:http://goo.gl/F3oJr