How can I use pathlib to recursively iterate over all subdirectories of a given directory?
p = Path(\'docs\')
for child in p.iterdir(): child
pathlib has glob method where we can provide pattern as an argument.
For example : Path('abc').glob('**/*.txt') - It will look for current folder abc and all other subdirectories recursively to locate all txt files.
Use Path.rglob (substitutes the leading ** in Path().glob("**/*")):
path = Path("docs")
for p in path.rglob("*"):
print(p.name)
You can use the glob method of a Path object:
p = Path('docs')
for i in p.glob('**/*'):
print(i.name)
Use list comprehensions:
(1) [f.name for f in p.glob("**/*")] # or
(2) [f.name for f in p.rglob("*")]
You can add if f.is_file() or if f.is_dir() to (1) or (2) if you want to target files only or directories only, respectively. Or replace "*" with some pattern like "*.txt" if you want to target .txt files only.
See this quick guide.
To find just folders the right glob string is:
'**/'
So to find all the paths for all the folders in your path do this:
p = Path('docs')
for child in p.glob('**/'):
print(child)
If you just want the folder names without the paths then print the name of the folder like so:
p = Path('docs')
for child in p.glob('**/'):
print(child.name)