7

I know how to delete single files, however I am lost in my implementation of how to delete all files in a directory of one type.

Say the directory is \myfolder

I want to delete all files that are .config files, but nothing to the other ones. How would I do this?

Thanks Kindly

3 Answers3

17

Use the glob module:

import os
from glob import glob

for f in glob ('myfolder/*.config'):
   os.unlink (f)
Mark Hildreth
  • 42,023
  • 11
  • 120
  • 109
eduffy
  • 39,140
  • 13
  • 95
  • 92
  • 1
    +1: Yep, glob is the right approach here (if you don't want to walk sub-directories, of course -- that would need os.walk). – Alex Martelli Jun 13 '09 at 19:16
5

I would do something like the following:

import os
files = os.listdir("myfolder")
for f in files:
  if not os.path.isdir(f) and ".config" in f:
    os.remove(f)

It lists the files in a directory and if it's not a directory and the filename has ".config" anywhere in it, delete it. You'll either need to be in the same directory as myfolder, or give it the full path to the directory. If you need to do this recursively, I would use the os.walk function.

Dan Wolchonok
  • 1,930
  • 1
  • 21
  • 21
1

Here ya go:

import os

# Return all files in dir, and all its subdirectories, ending in pattern
def gen_files(dir, pattern):
   for dirname, subdirs, files in os.walk(dir):
      for f in files:
         if f.endswith(pattern):
            yield os.path.join(dirname, f)


# Remove all files in the current dir matching *.config
for f in gen_files('.', '.config'):
   os.remove(f)

Note also that gen_files can be easily rewritten to accept a tuple of patterns, since str.endswith accepts a tuple

Kenan Banks
  • 207,056
  • 34
  • 155
  • 173