4

我正在编写一个脚本,我试图列出以 .xls 结尾的最新文件。这应该很容易,但我收到了一些错误。

代码:

for file in os.listdir('E:\\Downloads'):
    if file.endswith(".xls"):
        print "",file
        newest = max(file , key = os.path.getctime)
        print "Recently modified Docs",newest

错误:

Traceback (most recent call last):
  File "C:\Python27\sele.py", line 49, in <module>
    newest = max(file , key = os.path.getctime)
  File "C:\Python27\lib\genericpath.py", line 72, in getctime
    return os.stat(filename).st_ctime
WindowsError: [Error 2] The system cannot find the file specified: 'u'
4

3 回答 3

11
newest = max(file , key = os.path.getctime)

这是遍历文件名中的字符而不是文件列表。

你正在做类似max("usdfdsf.xls", key = os.path.getctime)而不是max(["usdfdsf.xls", ...], key = os.path.getctime)

你可能想要类似的东西

files = [x for x in os.listdir('E:\\Downloads') if x.endswith(".xls")]
newest = max(files , key = os.path.getctime)
print "Recently modified Docs",newest

如果您不在 Downloads 目录中,您可能还需要改进脚本以便它可以工作:

files = [os.path.join('E:\\Downloads', x) for x in os.listdir('E:\\Downloads') if x.endswith(".xls")]
于 2015-12-31T20:15:15.537 回答
3

您可以使用glob来获取xls文件列表。

import os
import glob

files = glob.glob('E:\\Downloads\\*.xls')

print("Recently modified Docs", max(files , key=os.path.getctime))
于 2015-12-31T20:36:44.157 回答
0

如果您更喜欢最新的 pathlib 解决方案,这里是:

from pathlib import Path

XLSX_DIR = Path('../../somedir/')
XLSX_PATTERN = r'someprefix*.xlsx'

latest_file = max(XLSX_DIR.glob(XLSX_PATTERN), key=lambda f: f.stat().st_ctime)
于 2021-12-18T14:49:28.630 回答