我需要使用python获取文件夹的最新文件。在使用代码时:
max(files, key = os.path.getctime)
我得到以下错误:
FileNotFoundError: [WinError 2] The system cannot find The file specified: 'a'
我需要使用python获取文件夹的最新文件。在使用代码时:
max(files, key = os.path.getctime)
我得到以下错误:
FileNotFoundError: [WinError 2] The system cannot find The file specified: 'a'
当前回答
大多数答案是正确的,但如果有一个要求,如获得最新的2或3个,那么它可能会失败或需要修改代码。
我发现下面的示例更有用和相关,因为我们可以使用相同的代码来获得最新的2,3和n个文件。
import glob
import os
folder_path = "/Users/sachin/Desktop/Files/"
files_path = os.path.join(folder_path, '*')
files = sorted(glob.iglob(files_path), key=os.path.getctime, reverse=True)
print (files[0]) #latest file
print (files[0],files[1]) #latest two files
其他回答
赋给files变量的值是不正确的。使用下面的代码。
import glob
import os
list_of_files = glob.glob('/path/to/folder/*') # * means all if need specific format then *.csv
latest_file = max(list_of_files, key=os.path.getctime)
print(latest_file)
尝试按创建时间对项目进行排序。下面的例子对文件夹中的文件进行排序,并获取最新的第一个元素。
import glob
import os
files_path = os.path.join(folder, '*')
files = sorted(
glob.iglob(files_path), key=os.path.getctime, reverse=True)
print files[0]
我尝试使用上面的建议,我的程序崩溃了,然后我发现我试图识别的文件被使用了,当我尝试使用'os.path. path. path. path时。Getctime '它崩溃了。 最后对我有用的是:
files_before = glob.glob(os.path.join(my_path,'*'))
**code where new file is created**
new_file = set(files_before).symmetric_difference(set(glob.glob(os.path.join(my_path,'*'))))
这段代码获得了两组文件列表之间的不常见对象 它不是最优雅的,如果同时创建多个文件,它可能不会稳定
max(files, key = os.path.getctime)
是相当不完整的代码。什么是文件?它可能是一个文件名列表,来自os.listdir()。
但此列表仅列出文件名部分(a.k.a.)。“basenames”),因为它们的路径是通用的。为了正确地使用它,您必须将它与通往它的路径(以及用于获得它的路径)结合起来。
如(未经测试):
def newest(path):
files = os.listdir(path)
paths = [os.path.join(path, basename) for basename in files]
return max(paths, key=os.path.getctime)
(经过编辑以改进答案)
首先定义一个函数get_latest_file
def get_latest_file(path, *paths):
fullpath = os.path.join(path, paths)
...
get_latest_file('example', 'files','randomtext011.*.txt')
你也可以使用文档字符串!
def get_latest_file(path, *paths):
"""Returns the name of the latest (most recent) file
of the joined path(s)"""
fullpath = os.path.join(path, *paths)
如果你使用Python 3,你可以使用iglob代替。
返回最新文件名称的完整代码:
def get_latest_file(path, *paths):
"""Returns the name of the latest (most recent) file
of the joined path(s)"""
fullpath = os.path.join(path, *paths)
files = glob.glob(fullpath) # You may use iglob in Python3
if not files: # I prefer using the negation
return None # because it behaves like a shortcut
latest_file = max(files, key=os.path.getctime)
_, filename = os.path.split(latest_file)
return filename