How can I retrieve the full directory tree using SPL?

后端 未结 2 1495
北荒
北荒 2020-11-27 20:26

How can I retrieve the full directory tree using SPL, possibly using RecursiveDirectoryIterator and RecursiveIteratorIterator?

相关标签:
2条回答
  • 2020-11-27 21:08

    You can just, or do everythng that you want

    foreach(new RecursiveIteratorIterator(new RecursiveDirectoryIterator($path)) as $file)
    {
        /* @var $file SplFileInfo */
        //...
    }
    
    0 讨论(0)
  • 2020-11-27 21:22

    By default, the RecursiveIteratorIterator will use LEAVES_ONLY for the second argument to __construct. This means it will return files only. If you want to include files and directories (at least that's what I'd consider a full directory tree), you'd have to do:

    $iterator = new RecursiveIteratorIterator(
        new RecursiveDirectoryIterator($path),
        RecursiveIteratorIterator::SELF_FIRST
    );
    

    and then you can foreach over it. If you want to return the directory tree instead of outputting it, you can store it in an array, e.g.

    foreach ($iterator as $fileObject) {
        $files[] = $fileObject;
        // or if you only want the filenames
        $files[] = $fileObject->getPathname();
    }
    

    You can also create the array of $fileObjects without the foreach by doing:

    $files[] = iterator_to_array($iterator);
    

    If you only want directories returned, foreach over the $iterator like this:

    foreach ($iterator as $fileObject) {
        if ($fileObject->isDir()) {
            $files[] = $fileObject;
        }
    }
    
    0 讨论(0)
提交回复
热议问题