This answer is compatible with all versions since Python-2.5 when keyword with
has been released.
1. Create file if does not exist + Set current time
(exactly same as command touch
)
import os
fname = 'directory/filename.txt'
with open(fname, 'a'):
os.utime(fname, None)
A more robust version:
import os
with open(fname, 'a'):
try:
os.utime(fname, None)
except OSError:
pass
2. Just create the file if does not exist
(does not update time)
with open(fname, 'a'):
pass
3. Just update file access/modified times
(does not create file if not existing)
import os
try:
os.utime(fname, None)
except OSError:
pass
Using os.path.exists()
does not simplify the code:
from __future__ import (absolute_import, division, print_function)
import os
if os.path.exists(fname):
try:
os.utime(fname, None)
except OSError:
pass
Bonus: Update time of all files in a directory
from __future__ import (absolute_import, division, print_function)
import os
number_of_files = 0
for root, _, filenames in os.walk('.'):
for fname in filenames:
pathname = os.path.join(root, fname)
try:
os.utime(pathname, None)
number_of_files += 1
except OSError as why:
print('Cannot change time of %r because %r', pathname, why)
print('Changed time of %i files', number_of_files)
touch
-like functionality in their Python programs, not how to re-implement it from scratch; those people are best served by scrolling down to thepathlib
solution. Even though it's now built-in, this answer has a much better Google ranking for "python touch file" than the relevant documentation. – Miles