What's the best cross-platform way to get file creation and modification dates/times, that works on both Linux and Windows?
13 Answers
Getting some sort of modification date in a cross-platform way is easy - just call os.path.getmtime(path) and you'll get the Unix timestamp of when the file at path was last modified.
Getting file creation dates, on the other hand, is fiddly and platform-dependent, differing even between the three big OSes:
On Windows, a file's
ctime(documented at https://learn.microsoft.com/en-us/cpp/c-runtime-library/reference/stat-functions?view=msvc-170) stores its creation date. You can access this in Python throughos.path.getctime(), through the.st_ctimeattribute of the result of a call toos.stat(), or, in Python 3.12 or later, through the.st_birthtimeattribute (this this won't exist on Windows in older Python versions).Importantly, note that
ctimeis not a creation time on Unix - instead it is the last time that the file's attributes or content were changed.
On Mac, as well as some other Unix-based OSes, you can use the
.st_birthtimeattribute of the result of a call toos.stat().On Linux, things are more complicated. Most Linux distributions use the ext4 file system, which records creation date in a file's
crtime. Various sources including Wikipedia also state that XFS, used by RHEL, storescrtimeas of version 5. The Linux Kernel, as of version 4.11, also exposes a way to read a file'scrtime- namely thestatxsyscall, which exposes the file'scrtimein thebtimefield of the returned struct. However, the Python standard library does not yet expose a convenient wrapper aroundstatx.The easiest way to use it, then, is to install the (tiny, GPL-licensed)
pystatxlibrary from PyPI (viapip install pystatx, or whatever other incantation you use in your Python environment to install packages).
With pystatx installed to provide Linux support, you can finally get creation dates in a cross-platform way like this:
import os
import platform
from statx import statx
def creation_date(path_to_file):
"""
Try to get the Unix timestamp that a file was created, falling back to when
it was last modified if that isn't possible.
See http://stackoverflow.com/a/39501288/1709587 for explanation.
"""
if platform.system() == 'Windows':
return os.path.getctime(path_to_file)
else:
stat = os.stat(path_to_file)
try:
return stat.st_birthtime
except AttributeError:
# We're probably on Linux. Hopefully, we are on a recent enough
# version that we can use the statx syscall. (If we are not, btime
# below will be `None`.)
btime = statx(path_to_file).btime
if btime:
return btime
# If we've made it this far, all our efforts have failed. Fall back to
# returning last-modified time as the closest available alternative:
return os.path.getmtime(path_to_file)
It is somewhat unsatisfactory that this is so complicated. An issue exists on the Python GitHub repo calling for statx support to be added to Python and for Linux support to be added to the existing st_birthtime attribute of the os.stat return type, and I observe that some serious work already seems to have gone into making this happen. As of my latest edit to this answer in August 2025, though, it's not done yet.
11 Comments
"w", it's not replacing it, it just opens the existing file and truncates it. Even though the file contents are completely unrelated to whatever it had on creation, you'd still be told the file was "created" well before the current version. Conversely, editors that use atomic replace on save (original file is replaced by new work-in-progress temp file) would show a more recent creation date, even if you just deleted one character. Use the modification time, don't grub for creation time.stat.st_ctime is more pertinent because, in many cases, the time of last metadata change can be the creation time (at least ctime is closer to the real creation time than mtime). Therefore, you could simply replace your snippet by stat = os.stat(path_to_file); try: return stat.st_birthtime; except AttributeError: return stat.st_ctime. What do you think? Cheersctime should always be equal to or later than mtime, because an mtime change causes a ctime change (because the mtime itself is considered "metadata"). See stackoverflow.com/a/39521489/1709587 where I provide some example code to illustrate this.statx system call does allow querying btime if available for the given file. (This is not used/exposed even in Python 3.8 however.)You have a couple of choices. For one, you can use the os.path.getmtime and os.path.getctime functions:
import os.path, time
print("last modified: %s" % time.ctime(os.path.getmtime(file)))
print("created: %s" % time.ctime(os.path.getctime(file)))
Your other option is to use os.stat:
import os, time
(mode, ino, dev, nlink, uid, gid, size, atime, mtime, ctime) = os.stat(file)
print("last modified: %s" % time.ctime(mtime))
Note: ctime() does not refer to creation time on *nix systems, but rather the last time the inode data changed. (Thanks to kojiro for making that fact more clear in the comments by providing a link to an interesting blog post.)
5 Comments
ctime gets updated whenever the mtime does (since the mtime is "metadata"), and so the ctime is normally always equal to or ahead of the mtime. Treating ctime as "created" time thus makes no sense at all. -1!Last modified: Fri Jan 31 11:08:13 2020 and Created: Fri Jan 31 11:08:13 2020 on Linux Ubuntu 16.04!time.ctime(os.path.getmtime(file)) returns 2 types of strings, depending if the file has been modified by the system or by the user. If it has been modified by the system the string will have 2 spaces between the month and the day. I don't know whyThe best function to use for this is os.path.getmtime(). Internally, this just uses os.stat(filename).st_mtime.
The datetime module is the best for manipulating timestamps, so you can get the modification date as a datetime object like this:
import os
import datetime
def modification_date(filename):
t = os.path.getmtime(filename)
return datetime.datetime.fromtimestamp(t)
Usage example:
>>> d = modification_date('/var/log/syslog')
>>> print d
2009-10-06 10:50:01
>>> print repr(d)
datetime.datetime(2009, 10, 6, 10, 50, 1)
3 Comments
getmtime is the nearest thing available on Unix (where getting creation dates isn't possible), but is definitely not the best function to use on Windows, where the ctime is a creation time.datetime.datetime.fromtimestamp(t, tz=datetime.timezone.utc) here, as the naive datetime object returned otherwise has a tendency to be interpreted as being in the local timezone instead while Unix timestamps are always relative to the 01.01.1970 00:00 UTC.In Python 3.4 and above, you can use the object oriented pathlib module interface which includes wrappers for much of the os module. Here is an example of getting the file stats.
>>> import pathlib
>>> fname = pathlib.Path('test.py')
>>> assert fname.exists(), f'No such file: {fname}' # check that the file exists
>>> print(fname.stat())
os.stat_result(st_mode=33206, st_ino=5066549581564298, st_dev=573948050, st_nlink=1, st_uid=0, st_gid=0, st_size=413, st_atime=1523480272, st_mtime=1539787740, st_ctime=1523480272)
For more information about what os.stat_result contains, refer to the documentation. For the modification time you want fname.stat().st_mtime:
>>> import datetime
>>> mtime = datetime.datetime.fromtimestamp(fname.stat().st_mtime, tz=datetime.timezone.utc)
>>> print(mtime)
datetime.datetime(2018, 10, 17, 10, 49, 0, 249980)
If you want the creation time on Windows, or the most recent metadata change on Unix, you would use fname.stat().st_ctime:
>>> ctime = datetime.datetime.fromtimestamp(fname.stat().st_ctime, tz=datetime.timezone.utc)
>>> print(ctime)
datetime.datetime(2018, 4, 11, 16, 57, 52, 151953)
This article has more helpful info and examples for the pathlib module.
2 Comments
datetime.datetime.fromtimestamp(t, tz=datetime.timezone.utc) here, as the naive datetime object returned otherwise has a tendency to be interpreted as being in the local timezone instead while Unix timestamps are always relative to the 01.01.1970 00:00 UTC.st_birthtime should be used instead of st_ctime from now on: Changed in version 3.12: st_ctime is deprecated on Windows. Use st_birthtime for the file creation time. In the future, st_ctime will contain the time of the most recent metadata change, as for other platforms.import os, time, datetime
file = "somefile.txt"
print(file)
print("Modified")
print(os.stat(file)[-2])
print(os.stat(file).st_mtime)
print(os.path.getmtime(file))
print()
print("Created")
print(os.stat(file)[-1])
print(os.stat(file).st_ctime)
print(os.path.getctime(file))
print()
modified = os.path.getmtime(file)
print("Date modified: "+time.ctime(modified))
print("Date modified:",datetime.datetime.fromtimestamp(modified))
year,month,day,hour,minute,second=time.localtime(modified)[:-3]
print("Date modified: %02d/%02d/%d %02d:%02d:%02d"%(day,month,year,hour,minute,second))
print()
created = os.path.getctime(file)
print("Date created: "+time.ctime(created))
print("Date created:",datetime.datetime.fromtimestamp(created))
year,month,day,hour,minute,second=time.localtime(created)[:-3]
print("Date created: %02d/%02d/%d %02d:%02d:%02d"%(day,month,year,hour,minute,second))
prints
somefile.txt
Modified
1429613446
1429613446.0
1429613446.0
Created
1517491049
1517491049.28306
1517491049.28306
Date modified: Tue Apr 21 11:50:46 2015
Date modified: 2015-04-21 11:50:46
Date modified: 21/04/2015 11:50:46
Date created: Thu Feb 1 13:17:29 2018
Date created: 2018-02-01 13:17:29.283060
Date created: 01/02/2018 13:17:29
Note: A file's ctime on Linux is slightly different than on Windows.
Windows users know theirs as "creation time".
Linux users know theirs as "change time".
11 Comments
ctime <= mtime always holds while, in complete opposition, on Unix mtime <= ctime always holds. Your answer suggests that ctime is the “Date created” of the file, without any suggestion that this doesn’t portably hold at all. Had you called it “Date created (on Windows)” or said “This answer only applies to Windows” at the top it would be very different, but that’s not what you are doing event after your (still appreciated) update of your answer.In newer code you should probably use os.path.getmtime() (thanks, Christian Oudard).
But note that it returns a floating point value of time_t with fraction seconds (if your OS supports it).
2 Comments
os.path.getmtime() has been around since Python 1.5.2 (see the old docs), released before I'd lost most of my baby teeth and almost a decade before you wrote the original version of this answer.There are two methods to get the mod time, os.path.getmtime() or os.stat(), but the ctime is not reliable cross-platform (see below).
os.path.getmtime()
getmtime(path)
Return the time of last modification of path. The return value is a number giving the
number of seconds since the epoch (see the time module). Raise os.error if the file does
not exist or is inaccessible. New in version 1.5.2. Changed in version 2.3: If
os.stat_float_times() returns True, the result is a floating point number.
os.stat()
stat(path)
Perform a stat() system call on the given path. The return value is an object whose
attributes correspond to the members of the stat structure, namely: st_mode (protection
bits), st_ino (inode number), st_dev (device), st_nlink (number of hard links), st_uid
(user ID of owner), st_gid (group ID of owner), st_size (size of file, in bytes),
st_atime (time of most recent access), st_mtime (time of most recent content
modification), st_ctime (platform dependent; time of most recent metadata change on Unix, or the time of creation on Windows):
>>> import os
>>> statinfo = os.stat('somefile.txt')
>>> statinfo
(33188, 422511L, 769L, 1, 1032, 100, 926L, 1105022698,1105022732, 1105022732)
>>> statinfo.st_size
926L
>>>
In the above example you would use statinfo.st_mtime or statinfo.st_ctime to get the mtime and ctime, respectively.
Comments
os.stat returns a named tuple with st_mtime and st_ctime attributes. The modification time is st_mtime on both platforms; unfortunately, on Windows, ctime means "creation time", whereas on POSIX it means "change time". I'm not aware of any way to get the creation time on POSIX platforms.
1 Comment
dir(..) on one. E.g. dir(os.stat(os.listdir('.')[0]))I am a fan of pathlib.
from pathlib import Path
target = Path('out/soong/build.ninja')
mtime = target.stat().st_mtime
atime = target.stat().st_atime
ctime = target.stat().st_ctime
I believe this is also feasible for Windows Subsystem for Linux (WSL).
1 Comment
pathlib.Path object, it automatically represents the OS specific implementation. And since these implementations inherit from pathlib.Path, the function/properties you list are available on on any OS, not only Windows or the WSL.>>> import os
>>> os.stat('feedparser.py').st_mtime
1136961142.0
>>> os.stat('feedparser.py').st_ctime
1222664012.233
>>>
2 Comments
It may worth taking a look at the crtime library which implements cross-platform access to the file creation time.
from crtime import get_crtimes_in_dir
for fname, date in get_crtimes_in_dir(".", raise_on_error=True, as_epoch=False):
print(fname, date)
# file_a.py Mon Mar 18 20:51:18 CET 2019
3 Comments
debugfs on Linux which is by definition unstable, requires top-level root access for everything and in pretty much every aspect tends to be one of the things your mother always warned you about. (But yes, it probably works if you're really desperate and happen to be the real superuser on a system without secure boot…)If the following symbolic links are not important, you can also use the os.lstat builtin.
>>> os.lstat("2048.py")
posix.stat_result(st_mode=33188, st_ino=4172202, st_dev=16777218L, st_nlink=1, st_uid=501, st_gid=20, st_size=2078, st_atime=1423378041, st_mtime=1423377552, st_ctime=1423377553)
>>> os.lstat("2048.py").st_atime
1423378041.0
2 Comments
os.stat does include the creation time. There's just no definition of st_anything for the element of os.stat() that contains the time.
So try this:
os.stat('feedparser.py')[8]
Compare that with your create date on the file in ls -lah
They should be the same.
pathlibinstead ofos, see @StevenC.Howell's answer. Perhaps one could even change the accepted answer to thepathlibanswer?pathlibis wrappingos, and then ask what's the point in usingpathlibthen? The answer, as I understand it, is thatpathlibhas a smaller namespace thanosand generally results in cleaner code.osand wasted time and nerves, therefore the comment. You can find more ofpathlibvs.oswith a quick internet search.