Symfony Finder:获取具有特定扩展名的所有文件以及特定目录中的所有目录
Symfony Finder: Get all the files with a specific extension and all the directories within a specific directory
我正在使用 Symfony Finder
获取具有特定扩展名的所有文件以及特定目录中的所有目录。
protected function getDirectoryContent(string $directory): array
{
$finder = Finder::create()
->in($directory)
->depth(0)
->name(['*.json', '*.php'])
->sortByName();
return iterator_to_array($finder, true);
}
这样,这个方法returns只对某个目录下扩展名为.php
或.json
的所有文件。例如,我正在查看的目录结构如下:
/my/directory/
├── A
├── A.JSON
├── anotherfile.kas
├── file0.ds
├── file1.json
├── file2.php
├── file3.php
├── B
└── C
A
、B
和 C
是目录。
当我在上面显示的方法中将上面的 directory path
作为 $directory
参数传递时,我得到一个包含以下元素的数组:
file1.json
file2.php
file3.php
太棒了!但我的问题是,如何将所有 directories
添加到结果数组中?我的期望是得到如下数组:
A
B
C
file1.json
file2.php
file3.php
在你的情况下,你与发现者交谈:
- 请添加深度为0的递归目录迭代器(没关系,我们只想在根目录中搜索)
- 请添加文件名迭代器(这是错误的,因为您只找到个文件)。
结果是错误的,因为这两个规则相互矛盾 - 因为您只想搜索文件。
但是,symfony finder 可以使用 CallbackIterator
过滤器模型。在这种情况下,您可以添加许多规则或条件。在你的例子中:
namespace Acme;
use Symfony\Component\Finder\Finder;
use Symfony\Component\Finder\SplFileInfo;
include __DIR__.'/vendor/autoload.php';
$finder = Finder::create();
$finder
->in(__DIR__)
->depth(0)
->filter(static function (SplFileInfo $file) {
return $file->isDir() || \preg_match('/\.(php|json)$/', $file->getPathname());
});
print_r(\iterator_to_array($finder));
在这种情况下,你说:
- 请仅在根目录中查找。
- 请检查-或归档或匹配我的模式。
我正在使用 Symfony Finder
获取具有特定扩展名的所有文件以及特定目录中的所有目录。
protected function getDirectoryContent(string $directory): array
{
$finder = Finder::create()
->in($directory)
->depth(0)
->name(['*.json', '*.php'])
->sortByName();
return iterator_to_array($finder, true);
}
这样,这个方法returns只对某个目录下扩展名为.php
或.json
的所有文件。例如,我正在查看的目录结构如下:
/my/directory/
├── A
├── A.JSON
├── anotherfile.kas
├── file0.ds
├── file1.json
├── file2.php
├── file3.php
├── B
└── C
A
、B
和 C
是目录。
当我在上面显示的方法中将上面的 directory path
作为 $directory
参数传递时,我得到一个包含以下元素的数组:
file1.json
file2.php
file3.php
太棒了!但我的问题是,如何将所有 directories
添加到结果数组中?我的期望是得到如下数组:
A
B
C
file1.json
file2.php
file3.php
在你的情况下,你与发现者交谈:
- 请添加深度为0的递归目录迭代器(没关系,我们只想在根目录中搜索)
- 请添加文件名迭代器(这是错误的,因为您只找到个文件)。
结果是错误的,因为这两个规则相互矛盾 - 因为您只想搜索文件。
但是,symfony finder 可以使用 CallbackIterator
过滤器模型。在这种情况下,您可以添加许多规则或条件。在你的例子中:
namespace Acme;
use Symfony\Component\Finder\Finder;
use Symfony\Component\Finder\SplFileInfo;
include __DIR__.'/vendor/autoload.php';
$finder = Finder::create();
$finder
->in(__DIR__)
->depth(0)
->filter(static function (SplFileInfo $file) {
return $file->isDir() || \preg_match('/\.(php|json)$/', $file->getPathname());
});
print_r(\iterator_to_array($finder));
在这种情况下,你说:
- 请仅在根目录中查找。
- 请检查-或归档或匹配我的模式。