Search code examples
pythonwindowsdirectory

How do you get a directory listing sorted by creation date in python?


What is the best way to get a list of all files in a directory, sorted by date [created | modified], using python, on a windows machine?


Solution

  • Update: to sort dirpath's entries by modification date in Python 3:

    import os
    from pathlib import Path
    
    paths = sorted(Path(dirpath).iterdir(), key=os.path.getmtime)
    

    (put @Pygirl's answer here for greater visibility)

    If you already have a list of filenames files, then to sort it inplace by creation time on Windows (make sure that list contains absolute path):

    files.sort(key=os.path.getctime)
    

    The list of files you could get, for example, using glob as shown in @Jay's answer.


    old answer Here's a more verbose version of @Greg Hewgill's answer. It is the most conforming to the question requirements. It makes a distinction between creation and modification dates (at least on Windows).

    #!/usr/bin/env python
    from stat import S_ISREG, ST_CTIME, ST_MODE
    import os, sys, time
    
    # path to the directory (relative or absolute)
    dirpath = sys.argv[1] if len(sys.argv) == 2 else r'.'
    
    # get all entries in the directory w/ stats
    entries = (os.path.join(dirpath, fn) for fn in os.listdir(dirpath))
    entries = ((os.stat(path), path) for path in entries)
    
    # leave only regular files, insert creation date
    entries = ((stat[ST_CTIME], path)
               for stat, path in entries if S_ISREG(stat[ST_MODE]))
    #NOTE: on Windows `ST_CTIME` is a creation date 
    #  but on Unix it could be something else
    #NOTE: use `ST_MTIME` to sort by a modification date
            
    for cdate, path in sorted(entries):
        print time.ctime(cdate), os.path.basename(path)
    

    Example:

    $ python stat_creation_date.py
    Thu Feb 11 13:31:07 2009 stat_creation_date.py