Code préliminaire
import glob
import fnmatch
import pathlib
import os
pattern = '*.py'
path = '.'
Solution 1 - utilisez "glob"
# lookup in current dir
glob.glob(pattern)
In [2]: glob.glob(pattern)
Out[2]: ['wsgi.py', 'manage.py', 'tasks.py']
Solution 2 - utilisez "os" + "fnmatch"
Variante 2.1 - Recherche dans le répertoire courant
# lookup in current dir
fnmatch.filter(os.listdir(path), pattern)
In [3]: fnmatch.filter(os.listdir(path), pattern)
Out[3]: ['wsgi.py', 'manage.py', 'tasks.py']
Variante 2.2 - Recherche récursive
# lookup recursive
for dirpath, dirnames, filenames in os.walk(path):
if not filenames:
continue
pythonic_files = fnmatch.filter(filenames, pattern)
if pythonic_files:
for file in pythonic_files:
print('{}/{}'.format(dirpath, file))
Résultat
./wsgi.py
./manage.py
./tasks.py
./temp/temp.py
./apps/diaries/urls.py
./apps/diaries/signals.py
./apps/diaries/actions.py
./apps/diaries/querysets.py
./apps/library/tests/test_forms.py
./apps/library/migrations/0001_initial.py
./apps/polls/views.py
./apps/polls/formsets.py
./apps/polls/reports.py
./apps/polls/admin.py
Solution 3 - utilisez "pathlib"
# lookup in current dir
path_ = pathlib.Path('.')
tuple(path_.glob(pattern))
# lookup recursive
tuple(path_.rglob(pattern))
Remarques:
- Testé sur Python 3.4
- Le module "pathlib" a été ajouté uniquement dans Python 3.4
- Le Python 3.5 a ajouté une fonctionnalité de recherche récursive avec glob.glob
https://docs.python.org/3.5/library/glob.html#glob.glob . Puisque ma machine est installée avec Python 3.4, je n'ai pas testé cela.