Código preliminar
import glob
import fnmatch
import pathlib
import os
pattern = '*.py'
path = '.'
Solução 1 - use "glob"
# lookup in current dir
glob.glob(pattern)
In [2]: glob.glob(pattern)
Out[2]: ['wsgi.py', 'manage.py', 'tasks.py']
Solução 2 - use "os" + "fnmatch"
Variante 2.1 - Pesquisa no diretório atual
# 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 - Pesquisa recursiva
# 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))
Resultado
./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
Solução 3 - use "pathlib"
# lookup in current dir
path_ = pathlib.Path('.')
tuple(path_.glob(pattern))
# lookup recursive
tuple(path_.rglob(pattern))
Notas:
- Testado no Python 3.4
- O módulo "pathlib" foi adicionado apenas no Python 3.4
- O Python 3.5 adicionou um recurso para pesquisa recursiva com glob.glob
https://docs.python.org/3.5/library/glob.html#glob.glob . Como minha máquina está instalada com o Python 3.4, não testei isso.