web-dev-qa-db-ja.com

Pythonのディレクトリツリー一覧

Pythonで特定のディレクトリ内のすべてのファイル(およびディレクトリ)のリストを取得する方法を教えてください。

537
Matt

これは、ディレクトリツリー内のすべてのファイルとディレクトリを移動する方法です。

import os

for dirname, dirnames, filenames in os.walk('.'):
    # print path to all subdirectories first.
    for subdirname in dirnames:
        print(os.path.join(dirname, subdirname))

    # print path to all filenames.
    for filename in filenames:
        print(os.path.join(dirname, filename))

    # Advanced usage:
    # editing the 'dirnames' list will stop os.walk() from recursing into there.
    if '.git' in dirnames:
        # don't go into any .git directories.
        dirnames.remove('.git')
596
Jerub

あなたが使用することができます

os.listdir(path)

参照やその他のos関数はこちらをご覧ください。

517
rslite

これは私がよく使うヘルパー関数です。

import os

def listdir_fullpath(d):
    return [os.path.join(d, f) for f in os.listdir(d)]
97
giltay
import os

for filename in os.listdir("C:\\temp"):
    print  filename
80
curtisk

あなたがグロビング能力を必要とするならば、そのためのモジュールもあります。例えば:

import glob
glob.glob('./[0-9].*')

次のようになります。

['./1.gif', './2.txt']

ドキュメンテーション here を参照してください。

12
kenny

これを試して:

import os
for top, dirs, files in os.walk('./'):
    for nm in files:       
        print os.path.join(top, nm)
9
paxdiablo

パスを指定せずに現在の作業ディレクトリにあるファイルの場合

Python 2.7:

import os
os.listdir(os.getcwd())

Python 3.x:

import os
os.listdir()

python 3.xへのコメントに対してStam Kalyに感謝

7
Dave Engineer

再帰的な実装

import os

def scan_dir(dir):
    for name in os.listdir(dir):
        path = os.path.join(dir, name)
        if os.path.isfile(path):
            print path
        else:
            scan_dir(path)

私は私が必要とするかもしれないすべてのオプションで、長いバージョンを書きました: http://sam.nipl.net/code/python/find.py

私もそれがここに収まると思います:

#!/usr/bin/env python

import os
import sys

def ls(dir, hidden=False, relative=True):
    nodes = []
    for nm in os.listdir(dir):
        if not hidden and nm.startswith('.'):
            continue
        if not relative:
            nm = os.path.join(dir, nm)
        nodes.append(nm)
    nodes.sort()
    return nodes

def find(root, files=True, dirs=False, hidden=False, relative=True, topdown=True):
    root = os.path.join(root, '')  # add slash if not there
    for parent, ldirs, lfiles in os.walk(root, topdown=topdown):
        if relative:
            parent = parent[len(root):]
        if dirs and parent:
            yield os.path.join(parent, '')
        if not hidden:
            lfiles   = [nm for nm in lfiles if not nm.startswith('.')]
            ldirs[:] = [nm for nm in ldirs  if not nm.startswith('.')]  # in place
        if files:
            lfiles.sort()
            for nm in lfiles:
                nm = os.path.join(parent, nm)
                yield nm

def test(root):
    print "* directory listing, with hidden files:"
    print ls(root, hidden=True)
    print
    print "* recursive listing, with dirs, but no hidden files:"
    for f in find(root, dirs=True):
        print f
    print

if __== "__main__":
    test(*sys.argv[1:])
2
Sam Watkins

Python 2の場合

#!/bin/python2

import os

def scan_dir(path):
    print map(os.path.abspath, os.listdir(pwd))

Python 3の場合

フィルタとマップの場合は、それらをlist()でラップする必要があります。

#!/bin/python3

import os

def scan_dir(path):
    print(list(map(os.path.abspath, os.listdir(pwd))))

推奨事項は、map and filterの使用法を生成式またはリスト内包表記に置き換えることです。

#!/bin/python

import os

def scan_dir(path):
    print([os.path.abspath(f) for f in os.listdir(path)])
1

再帰的にファイルだけをリストするための素晴らしい1つのライナー。私はこれを私のsetup.pyのpackage_dataディレクティブで使いました:

import os

[os.path.join(x[0],y) for x in os.walk('<some_directory>') for y in x[2]]

私はそれが質問に対する答えではないことを知っていますが、役に立つかもしれません

1
fivetentaylor

これが1行のPythonicバージョンです。

import os
dir = 'given_directory_name'
filenames = [os.path.join(os.path.dirname(os.path.abspath(__file__)),dir,i) for i in os.listdir(dir)]

このコードは、指定されたディレクトリ名に含まれるすべてのファイルとディレクトリのフルパスをリストします。

1
salehinejad
#import modules
import os

_CURRENT_DIR = '.'


def rec_tree_traverse(curr_dir, indent):
    "recurcive function to traverse the directory"
    #print "[traverse_tree]"

    try :
        dfList = [os.path.join(curr_dir, f_or_d) for f_or_d in os.listdir(curr_dir)]
    except:
        print "wrong path name/directory name"
        return

    for file_or_dir in dfList:

        if os.path.isdir(file_or_dir):
            #print "dir  : ",
            print indent, file_or_dir,"\\"
            rec_tree_traverse(file_or_dir, indent*2)

        if os.path.isfile(file_or_dir):
            #print "file : ",
            print indent, file_or_dir

    #end if for loop
#end of traverse_tree()

def main():

    base_dir = _CURRENT_DIR

    rec_tree_traverse(base_dir," ")

    raw_input("enter any key to exit....")
#end of main()


if __== '__main__':
    main()
0
Alok

os.listdir()はファイル名とディレクトリ名のリストを生成するのには良いのですが、それらの名前を持っていればもっとやりたいことがあります - そしてPython3では pathlib はそれらの他の雑用を単純にします。見て、私と同じくらいあなたがそれを好きかどうか見てみましょう。

ディレクトリの内容を一覧表示するには、Pathオブジェクトを作成してイテレータを取得します。

In [16]: Path('/etc').iterdir()
Out[16]: <generator object Path.iterdir at 0x110853fc0>

物の名前のリストだけが欲しい場合は、

In [17]: [x.name for x in Path('/etc').iterdir()]
Out[17]:
['emond.d',
 'ntp-restrict.conf',
 'periodic',

あなただけのDIRが欲しい場合:

In [18]: [x.name for x in Path('/etc').iterdir() if x.is_dir()]
Out[18]:
['emond.d',
 'periodic',
 'mach_init.d',

そのツリーのすべてのconfファイルの名前が欲しいならば:

In [20]: [x.name for x in Path('/etc').glob('**/*.conf')]
Out[20]:
['ntp-restrict.conf',
 'dnsextd.conf',
 'syslog.conf',

ツリー内のconfファイルのリストが欲しい場合> = 1K:

In [23]: [x.name for x in Path('/etc').glob('**/*.conf') if x.stat().st_size > 1024]
Out[23]:
['dnsextd.conf',
 'pf.conf',
 'autofs.conf',

相対パスの解決が簡単になります。

In [32]: Path('../Operational Metrics.md').resolve()
Out[32]: PosixPath('/Users/starver/code/xxxx/Operational Metrics.md')

パスを使ってナビゲートすることは(予想外ですが)非常に明確です。

In [10]: p = Path('.')

In [11]: core = p / 'web' / 'core'

In [13]: [x for x in core.iterdir() if x.is_file()]
Out[13]:
[PosixPath('web/core/metrics.py'),
 PosixPath('web/core/services.py'),
 PosixPath('web/core/querysets.py'),
0
Steve Tarver

これは別の選択肢です。

os.scandir(path='.')

Pathで指定されたディレクトリ内のエントリに対応するos.DirEntryオブジェクトの反復子を(ファイル属性情報と共に)返します。

例:

with os.scandir(path) as it:
    for entry in it:
        if not entry.name.startswith('.'):
            print(entry.name)

dir()の代わりにscandir()を使用すると、ファイルタイプやファイル属性情報も必要とするコードのパフォーマンスを大幅に向上させることができます。すべてのos.DirEntryメソッドはシステムコールを実行できますが、is_dir()およびis_file()は通常、シンボリックリンク用のシステムコールのみを必要とします。 os.DirEntry.stat()は常にUNIXではシステムコールを必要としますが、Windowsではシンボリックリンクに対してのみシステムコールを必要とします。

Pythonドキュメント

0
Khaino

私と一緒に働いたのは、上記のSalehの回答からの一種の修正版です。

コードは次のとおりです。

"dir = 'given_directory_name'ファイル名= [os.listdir(dir)内のiのos.path.abspath(os.path.join(dir、i))]"

0
import os, sys

#open files in directory

path = "My Documents"
dirs = os.listdir( path )

# print the files in given directory

for file in dirs:
   print (file)
0
Kevin

以下のコードはディレクトリとディレクトリ内のファイルをリストします。

def print_directory_contents(sPath):
        import os                                       
        for sChild in os.listdir(sPath):                
            sChildPath = os.path.join(sPath,sChild)
            if os.path.isdir(sChildPath):
                print_directory_contents(sChildPath)
            else:
                print(sChildPath)

考え出したなら、私はこれを捨てるでしょう。ワイルドカード検索をする簡単で汚い方法。

import re
import os

[a for a in os.listdir(".") if re.search("^.*\.py$",a)]
0
bng44270

FYI拡張子のフィルタまたはextファイルのインポートosを追加する

path = '.'
for dirname, dirnames, filenames in os.walk(path):
    # print path to all filenames with extension py.
    for filename in filenames:
        fname_path = os.path.join(dirname, filename)
        fext = os.path.splitext(fname_path)[1]
        if fext == '.py':
            print fname_path
        else:
            continue
0
moylop260

これは古い質問です。あなたがliunxマシンを使っているなら、これは私が出会ったきちんとした方法です。

import subprocess
print(subprocess.check_output(["ls", "/"]).decode("utf8"))
0
apeter