问题描述
例如:
import os
print(os.listdir("path/to/dir"))
将列出目录中的文件.
如何获取目录中所有文件的文件修改时间?
How do I get the file modification time for all files in the directory?
推荐答案
在查找目录中所有文件的文件属性时,如果您使用的是Python 3.5或更高版本,请使用 os.scandir()
函数以获得带有文件的目录属性组合.这可能比使用 os.listdir()
然后分别检索文件属性更有效:
When looking for file attributes for all files in a directory, and you are using Python 3.5 or newer, use the os.scandir()
function to get a directory listing with file attributes combined. This can potentially be more efficient than using os.listdir()
and then retrieve the file attributes separately:
import os
with os.scandir() as dir_entries:
for entry in dir_entries:
info = entry.stat()
print(info.st_mtime)
DirEntry.stat()
函数,在Windows上使用时,无需进行任何其他系统调用,文件修改时间已经可用.数据已缓存,因此其他 entry.stat()
调用不会进行其他系统调用.
The DirEntry.stat()
function, when used on Windows, doesn't have to make any additional system calls, the file modification time is already available. The data is cached, so additional entry.stat()
calls won't make additional system calls.
您还可以使用 pathlib
模块面向对象的实例可以达到相同的目的:
You can also use the pathlib
module Object Oriented instances to achieve the same:
from pathlib import Path
for path in Path('.').iterdir():
info = path.stat()
print(info.st_mtime)
在早期的Python版本上,您可以使用 os.stat
调用以获取文件属性,例如修改时间.
On earlier Python versions, you can use the os.stat
call for obtaining file properties like the modification time.
import os
for filename in os.listdir():
info = os.stat(filename)
print(info.st_mtime)
st_mtime
是python 2.5及更高版本上的浮点值,表示自纪元以来的秒数;使用 time
或 datetime
模块,以出于显示目的或类似目的解释这些模块.
st_mtime
is a float value on python 2.5 and up, representing seconds since the epoch; use the time
or datetime
modules to interpret these for display purposes or similar.
请注意,该值的精度取决于您使用的操作系统:
Do note that the value's precision depends on the OS you are using:
如果您要做的只是获取修改时间,则 os.path.getmtime
方法是方便的快捷方式;它在后台使用了 os.stat
方法.
If all you are doing is get the modification time, then the os.path.getmtime
method is a handy shortcut; it uses the os.stat
method under the hood.
但是请注意, os.stat
调用相对昂贵(文件系统访问),因此,如果对大量文件执行此操作,并且每个文件需要多个数据点,则您最好使用 os.stat
并重用返回的信息,而不是使用 os.path
便捷方法,其中将 os.stat
称为多次每个文件次.
Note however, that the os.stat
call is relatively expensive (file system access), so if you do this on a lot of files, and you need more than one datapoint per file, you are better off using os.stat
and reuse the information returned rather than using the os.path
convenience methods where os.stat
will be called multiple times per file.
这篇关于如何读取目录中的文件属性?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!