Home > Article > Backend Development > How to Find Subdirectories Excluding Files and Special Directories in PHP?
Finding Subdirectories Excluding Files and Special Directories in PHP
In web development scenarios, retrieving only subdirectories from a specified directory without including common clutter like regular files, the current directory, or the parent directory becomes a common requirement. This article delves into practical methods to accomplish this task in PHP.
Using Glob() with GLOB_ONLYDIR Option:
The glob() function provides a convenient way to search for pathnames matching a given pattern. To get all subdirectories, we can combine glob() with the GLOB_ONLYDIR option. This option ensures that only directories are returned, eliminating files, ".", and "..".
$sub_directories = glob('./path/to/directory/*', GLOB_ONLYDIR); foreach ($sub_directories as $directory) { // Use each directory in a function }
Using Array_filter with is_dir Function:
Another approach involves using array_filter() to filter a list of all items in the directory, including ".", "..", and both files and directories. The following code demonstrates this:
$items = scandir('./path/to/directory'); $directories = array_filter($items, 'is_dir'); foreach ($directories as $directory) { // Exclude "." and ".." using ternary operators if ($directory != '.' && $directory != '..') { // Use each directory in a function } }
Note that the provided function array_filter(glob('*'), 'is_dir') filters directories regardless of their names. However, if there are any subdirectories with periods in their names (e.g., ".config"), they will be skipped.
The above is the detailed content of How to Find Subdirectories Excluding Files and Special Directories in PHP?. For more information, please follow other related articles on the PHP Chinese website!