Home >Backend Development >Python Tutorial >How Can I List All Files in a Directory Using Python?

How Can I List All Files in a Directory Using Python?

Linda Hamilton
Linda HamiltonOriginal
2025-01-01 09:46:10432browse

How Can I List All Files in a Directory Using Python?

List All Files from a Directory in Python

In Python, we can easily list all files within a directory by utilizing powerful functions from the os (operating system) and os.path modules.

Method 1: Using os.listdir()

The os.listdir() function provides a list of all files and directories within a specified directory. However, if we want to filter out the files only, we need to combine it with os.path.isfile() to check each entry.

Example:

from os import listdir
from os.path import isfile, join

mypath = "/path/to/directory"
onlyfiles = [f for f in listdir(mypath) if isfile(join(mypath, f))]

Method 2: Using os.walk()

The os.walk() function yields two lists for each directory it visits: one for files and one for directories. If we only require the top directory, we can break the iteration after the first yield:

Example:

from os import walk

f = []
for (dirpath, dirnames, filenames) in walk(mypath):
    f.extend(filenames)
    break

One-Liner Option:

Alternatively, a more concise version of using os.walk() is:

from os import walk

filenames = next(walk(mypath), (None, None, []))[2]  # [] if no file

This provides a quick and efficient way to retrieve a list of all filenames within a given directory.

The above is the detailed content of How Can I List All Files in a Directory Using Python?. For more information, please follow other related articles on the PHP Chinese website!

Statement:
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn