Answers:
用途os.rename
:
import os
os.rename('a.txt', 'b.kml')
C:/folder/file.txt
在Windows或/home/file.txt
Linux / MacOS上)。
os.replace
文件可能位于目录中,在这种情况下,请指定路径:
import os
old_file = os.path.join("directory", "a.txt")
new_file = os.path.join("directory", "b.kml")
os.rename(old_file, new_file)
从Python 3.4开始,可以使用pathlib模块解决此问题。
如果您使用的是旧版本,则可以使用此处找到的反向移植版本
假设您不在要重命名的根路径(只是给它增加了一点难度),而不必提供完整路径,我们可以看一下:
some_path = 'a/b/c/the_file.extension'
因此,您可以按照自己的路径创建一个Path
对象:
from pathlib import Path
p = Path(some_path)
只是为了提供有关我们现在拥有的该对象的一些信息,我们可以从中提取内容。例如,如果出于某种原因,我们希望通过修改从文件名的文件重命名the_file
到the_file_1
,那么我们可以得到的文件名部分:
name_without_extension = p.stem
并仍将扩展名放在手边:
ext = p.suffix
我们可以通过简单的字符串操作来执行修改:
Python 3.6及更高版本使用f字符串!
new_file_name = f"{name_without_extension}_1"
除此以外:
new_file_name = "{}_{}".format(name_without_extension, 1)
现在,我们可以通过rename
在创建的路径对象上调用方法并附加ext
来完成所需的正确的重命名结构,从而执行重命名:
p.rename(Path(p.parent, new_file_name + ext))
更简短地展示其简单性:
Python 3.6及更高版本:
from pathlib import Path
p = Path(some_path)
p.rename(Path(p.parent, f"{p.stem}_1_{p.suffix}"))
低于Python 3.6的版本改用字符串格式方法:
from pathlib import Path
p = Path(some_path)
p.rename(Path(p.parent, "{}_{}_{}".format(p.stem, 1, p.suffix))
pathlib
库是在python 3.4中引入的,因此在此处共享答案也可以提供一个可靠的模块,以展示其多功能性和对更复杂要求的用法。
os.rename(old, new)
可以在Python文档中找到:http : //docs.python.org/library/os.html
import os
# Set the path
path = 'a\\b\\c'
# save current working directory
saved_cwd = os.getcwd()
# change your cwd to the directory which contains files
os.chdir(path)
os.rename('a.txt', 'b.klm')
# moving back to the directory you were in
os.chdir(saved_cwd)
chdir()
访问目录,例如,在Windows下使用UNC时会发生什么?而这样做chdir()
有副作用。我宁愿仅指定os.rename()
直接访问的必要路径,也不会chdir()
。
您可以使用os.system调用终端来完成任务:
os.system('mv oldfile newfile')
mv
用于移动/重命名文件的UNIX内置命令行程序一样。
import os
import re
from pathlib import Path
for f in os.listdir(training_data_dir2):
for file in os.listdir( training_data_dir2 + '/' + f):
oldfile= Path(training_data_dir2 + '/' + f + '/' + file)
newfile = Path(training_data_dir2 + '/' + f + '/' + file[49:])
p=oldfile
p.rename(newfile)
os.path
与现代样式混合在一起pathlib
非常困难。一路走下去pathlib
。