답변:
업데이트 : dirpath
Python 3에서 수정 날짜별로 항목 을 정렬 합니다.
import os
from pathlib import Path
paths = sorted(Path(dirpath).iterdir(), key=os.path.getmtime)
( 더 큰 가시성을 위해 @Pygirl의 대답을 여기에 넣으 십시오)
filenames 목록이 이미있는 경우 files
Windows에서 작성 시간을 기준 으로 해당 파일 을 제자리에 정렬하려면 다음을 수행하십시오.
files.sort(key=os.path.getctime)
예를 들어 @ Jay 's answer에glob
표시된대로 사용하여 얻을 수있는 파일 목록입니다 .
오래된 대답은
다음 버전의 자세한 더의 @Greg Hewgill
의 대답 . 질문 요구 사항에 가장 적합합니다. 생성 날짜와 수정 날짜를 구분합니다 (적어도 Windows에서는).
#!/usr/bin/env python
from stat import S_ISREG, ST_CTIME, ST_MODE
import os, sys, time
# path to the directory (relative or absolute)
dirpath = sys.argv[1] if len(sys.argv) == 2 else r'.'
# get all entries in the directory w/ stats
entries = (os.path.join(dirpath, fn) for fn in os.listdir(dirpath))
entries = ((os.stat(path), path) for path in entries)
# leave only regular files, insert creation date
entries = ((stat[ST_CTIME], path)
for stat, path in entries if S_ISREG(stat[ST_MODE]))
#NOTE: on Windows `ST_CTIME` is a creation date
# but on Unix it could be something else
#NOTE: use `ST_MTIME` to sort by a modification date
for cdate, path in sorted(entries):
print time.ctime(cdate), os.path.basename(path)
예:
$ python stat_creation_date.py
Thu Feb 11 13:31:07 2009 stat_creation_date.py
cdate
는 Epoch 이후의 초 수 부동 소수점 수입니다.
디렉토리에서 마지막으로 업데이트 된 파일을 확인하기 위해 Python 스크립트에 대해 과거 에이 작업을 수행했습니다.
import glob
import os
search_dir = "/mydir/"
# remove anything from the list that is not a file (directories, symlinks)
# thanks to J.F. Sebastion for pointing out that the requirement was a list
# of files (presumably not including directories)
files = list(filter(os.path.isfile, glob.glob(search_dir + "*")))
files.sort(key=lambda x: os.path.getmtime(x))
파일 mtime을 기반으로 원하는 것을 수행해야합니다.
편집 : 원한다면 glob.glob () 대신 os.listdir ()을 사용할 수도 있습니다. 원래 코드에서 glob을 사용한 이유는 glob을 사용하여 특정 세트가있는 파일 만 검색하려고했기 때문입니다. glob ()가 더 적합한 파일 확장자입니다. listdir을 사용하는 방법은 다음과 같습니다.
import os
search_dir = "/mydir/"
os.chdir(search_dir)
files = filter(os.path.isfile, os.listdir(search_dir))
files = [os.path.join(search_dir, f) for f in files] # add path to each file
files.sort(key=lambda x: os.path.getmtime(x))
files.sort(key=lambda fn: os.path.getmtime(os.path.join(search_dir, fn)))
files.sort(key=os.path.getmtime)
(없이 작동 lambda
).
내 버전은 다음과 같습니다.
def getfiles(dirpath):
a = [s for s in os.listdir(dirpath)
if os.path.isfile(os.path.join(dirpath, s))]
a.sort(key=lambda s: os.path.getmtime(os.path.join(dirpath, s)))
return a
먼저 파일 이름 목록을 작성합니다. isfile ()은 디렉토리를 건너 뛰는 데 사용됩니다. 디렉토리를 포함해야하는 경우 생략 할 수 있습니다. 그런 다음 수정 날짜를 키로 사용하여 목록을 적절하게 정렬합니다.
a[-5:]
하나의 라이너가 있습니다.
import os
import time
from pprint import pprint
pprint([(x[0], time.ctime(x[1].st_ctime)) for x in sorted([(fn, os.stat(fn)) for fn in os.listdir(".")], key = lambda x: x[1].st_ctime)])
그러면 os.listdir ()을 호출하여 파일 이름 목록을 가져온 다음 각 파일마다 os.stat ()를 호출하여 작성 시간을 얻은 다음 작성 시간을 기준으로 정렬합니다.
이 메소드는 각 파일에 대해 os.stat ()를 한 번만 호출하므로 정렬에서 각 비교에 대해 호출하는 것보다 효율적입니다.
디렉토리를 변경하지 않고 :
import os
path = '/path/to/files/'
name_list = os.listdir(path)
full_list = [os.path.join(path,i) for i in name_list]
time_sorted_list = sorted(full_list, key=os.path.getmtime)
print time_sorted_list
# if you want just the filenames sorted, simply remove the dir from each
sorted_filename_list = [ os.path.basename(i) for i in time_sorted_list]
print sorted_filename_list
# *** the shortest and best way ***
# getmtime --> sort by modified time
# getctime --> sort by created time
import glob,os
lst_files = glob.glob("*.txt")
lst_files.sort(key=os.path.getmtime)
print("\n".join(lst_files))
이것은 배우기위한 기본 단계입니다.
import os, stat, sys
import time
dirpath = sys.argv[1] if len(sys.argv) == 2 else r'.'
listdir = os.listdir(dirpath)
for i in listdir:
os.chdir(dirpath)
data_001 = os.path.realpath(i)
listdir_stat1 = os.stat(data_001)
listdir_stat2 = ((os.stat(data_001), data_001))
print time.ctime(listdir_stat1.st_ctime), data_001
파일이 존재하지 않는 파일에 대한 심볼릭 링크 인 경우 Alex Coventry의 답변에서 예외가 발생합니다. 다음 코드는 해당 답변을 수정합니다.
import time
import datetime
sorted(filter(os.path.isfile, os.listdir('.')),
key=lambda p: os.path.exists(p) and os.stat(p).st_mtime or time.mktime(datetime.now().timetuple())
파일이 존재하지 않으면 now ()가 사용되고 심볼릭 링크는 목록의 맨 끝에갑니다.
다음은 확장을 찾고 정렬 옵션을 제공하는 간단한 몇 줄입니다.
def get_sorted_files(src_dir, regex_ext='*', sort_reverse=False):
files_to_evaluate = [os.path.join(src_dir, f) for f in os.listdir(src_dir) if re.search(r'.*\.({})$'.format(regex_ext), f)]
files_to_evaluate.sort(key=os.path.getmtime, reverse=sort_reverse)
return files_to_evaluate
이것은 내 버전이었다 :
import os
folder_path = r'D:\Movies\extra\new\dramas' # your path
os.chdir(folder_path) # make the path active
x = sorted(os.listdir(), key=os.path.getctime) # sorted using creation time
folder = 0
for folder in range(len(x)):
print(x[folder]) # print all the foldername inside the folder_path
folder = +1