在 Python 中使用 * 删除特定扩展名的文件
Deleting files of specific extension using * in Python
我有几个文本文件命名为:
temp1.txt
temp2.txt
temp3.txt
temp4.txt
track.txt
我只想删除以 temp
开头并以 .txt
结尾的文件。
我尝试使用 os.remove("temp*.txt")
但出现错误:
The filename, directory name, or volume label syntax is incorrect: 'temp*.txt'
使用 python 3.7 执行此操作的正确方法是什么?
from pathlib import Path
for filename in Path(".").glob("temp*.txt"):
filename.unlink()
关于你的问题,你可以看看内置函数str
的方法。只需检查文件名的开头和结尾,例如:
>>> name = "temp1.txt"
>>> name.startswith("temp") and name.endswith("txt")
True
然后你可以使用 for
循环 os.remove()
:
for name in files_list:
if name.startswith("temp") and name.endswith("txt"):
os.remove(name)
使用 os.listdir()
或 str.split()
创建列表。
这个模式匹配可以通过使用glob模块来完成。如果您不想使用 os.path 模块
,那么 pathlib 是另一种选择
import os
import glob
path = os.path.join("/home", "mint", "Desktop", "test1") # If you want to manually specify path
print(os.path.abspath(os.path.dirname(__file__))) # To get the path of current directory
print(os.listdir(path)) # To verify the list of files present in the directory
required_files = glob.glob(path+"/temp*.txt") # This gives all the files that matches the pattern
print("required_files are ", required_files)
results = [os.remove(x) for x in required_files]
print(results)
import glob
# get a recursive list of file paths that matches pattern
fileList = glob.glob('temp*.txt', recursive=True)
# iterate over the list of filepaths & remove each file.
for filePath in fileList:
try:
os.remove(filePath)
except OSError:
print("Error while deleting file")
我有几个文本文件命名为:
temp1.txt
temp2.txt
temp3.txt
temp4.txt
track.txt
我只想删除以 temp
开头并以 .txt
结尾的文件。
我尝试使用 os.remove("temp*.txt")
但出现错误:
The filename, directory name, or volume label syntax is incorrect: 'temp*.txt'
使用 python 3.7 执行此操作的正确方法是什么?
from pathlib import Path
for filename in Path(".").glob("temp*.txt"):
filename.unlink()
关于你的问题,你可以看看内置函数str
的方法。只需检查文件名的开头和结尾,例如:
>>> name = "temp1.txt"
>>> name.startswith("temp") and name.endswith("txt")
True
然后你可以使用 for
循环 os.remove()
:
for name in files_list:
if name.startswith("temp") and name.endswith("txt"):
os.remove(name)
使用 os.listdir()
或 str.split()
创建列表。
这个模式匹配可以通过使用glob模块来完成。如果您不想使用 os.path 模块
,那么 pathlib 是另一种选择import os
import glob
path = os.path.join("/home", "mint", "Desktop", "test1") # If you want to manually specify path
print(os.path.abspath(os.path.dirname(__file__))) # To get the path of current directory
print(os.listdir(path)) # To verify the list of files present in the directory
required_files = glob.glob(path+"/temp*.txt") # This gives all the files that matches the pattern
print("required_files are ", required_files)
results = [os.remove(x) for x in required_files]
print(results)
import glob
# get a recursive list of file paths that matches pattern
fileList = glob.glob('temp*.txt', recursive=True)
# iterate over the list of filepaths & remove each file.
for filePath in fileList:
try:
os.remove(filePath)
except OSError:
print("Error while deleting file")