Count and print number of files in subfolders using Python

回眸只為那壹抹淺笑 提交于 2020-01-15 07:40:10

问题


My folder structure is as follows
Folder A
Folder B1
Folder B2
....
Folder Bn

How can I count the number of files in each of the folders (Folder B1 - Folder Bn), check if the number of files is larger than a given limit and print the folder name and number of files in it on the screen?

Like this:
Folders with too many files:
Folder B3 101
Folder B7 256

Here's what I've tried so far. It goes through every subfolder in each of my Folder B1 etc. I just need file count in one level.

import os, sys ,csv
path = '/Folder A/'

outwriter = csv.writer(open("numFiles.csv", 'w')

dir_count = []

for root, dirs, files in os.walk(path):
    for d in dirs:
        a = str(d)
        count = 0
        for fi in files:
            count += 1
        y = (a, count)
        dir_count.append(y)

    for i in dir_count:
        outwriter.writerow(i)

And then I just printed numFiles.csv. Not quite how I'd like to do it. Thanks in advance!


回答1:


As the are all contained in that single folder, you only need to search that directory:

import os
path = '/Folder A/'
mn = 20
folders = ([name for name in os.listdir(path)
            if os.path.isdir(os.path.join(path, name)) and name.startswith("B")]) # get all directories 
for folder in folders:
    contents = os.listdir(os.path.join(path,folder)) # get list of contents
    if len(contents) > mn: # if greater than the limit, print folder and number of contents
        print(folder,len(contents)



回答2:


os.walk(path) gives you three tuple for a directory, ie (directory,subdirectory,files). directory -> list of all directory in current dir, list of subdirectory in current dir, list of files in current dir.
so you can code likes this:

import os
for dir,subdir,files in os.walk(path):
    if len(files) > your_limit:
        print dir + " has crossed limit, " + "total files: " + len(files)
        for x in files:
            print x

if you want to walk only one level, you need to code like this:

for x in os.listdir(path):
    if os.path.isdir(x):
        count = len([ y for y in os.listdir(x) if os.path.isfile(os.path.join(x,y)) ])
        if count > your_limit:
            print x + " has crossed limit: ", +count


来源:https://stackoverflow.com/questions/26651712/count-and-print-number-of-files-in-subfolders-using-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!