我需要使用python获取文件夹的最新文件。在使用代码时:

max(files, key = os.path.getctime)

我得到以下错误:

FileNotFoundError: [WinError 2] The system cannot find The file specified: 'a'


当前回答

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)

其他回答

在windows上有一个更快的方法(0.05s),调用一个bat脚本来做这个:

get_latest.bat

@echo off
for /f %%i in ('dir \\directory\in\question /b/a-d/od/t:c') do set LAST=%%i
%LAST%

其中\\ question中的\\directory\是您想要调查的目录。

get_latest.py

from subprocess import Popen, PIPE
p = Popen("get_latest.bat", shell=True, stdout=PIPE,)
stdout, stderr = p.communicate()
print(stdout, stderr)

如果它找到一个文件,stdout是路径,stderr是None。

使用stdout.decode("utf-8").rstrip()来获得文件名的可用字符串表示。

(经过编辑以改进答案)

首先定义一个函数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

我建议使用glob.iglob()而不是glob.glob(),因为它更有效。

返回一个迭代器,该迭代器产生与glob()相同的值,但实际上不会同时存储它们。

这意味着glob.iglob()将更有效。

我主要使用下面的代码来查找与我的模式匹配的最新文件:

最后文件= max(filenameb),key=os.path.get时间)


注意: max函数有多种变体,为了找到最新的文件,我们将使用下面的变体: Max (iterable, *[, key, default])

它需要iterable所以你的第一个参数应该是iterable。 在寻找最大nums的情况下,我们可以使用下面的变体:max (num1, num2, num3, *args[, key])

赋给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]