[英]Batch Renaming of Files in a Directory
是否有一种简单的方法可以使用 Python 重命名已包含在目录中的一组文件?
示例:我有一个充满 *.doc 文件的目录,我想以一致的方式重命名它们。
X.doc -> "new(X).doc"
Y.doc -> "new(Y).doc"
我更喜欢为我必须做的每次替换编写小的一个衬里,而不是制作更通用和复杂的代码。 例如:
这将替换当前目录中任何非隐藏文件中带有连字符的所有下划线
import os
[os.rename(f, f.replace('_', '-')) for f in os.listdir('.') if not f.startswith('.')]
import glob, os
def rename(dir, pattern, titlePattern):
for pathAndFilename in glob.iglob(os.path.join(dir, pattern)):
title, ext = os.path.splitext(os.path.basename(pathAndFilename))
os.rename(pathAndFilename,
os.path.join(dir, titlePattern % title + ext))
然后你可以在你的例子中使用它,如下所示:
rename(r'c:\temp\xx', r'*.doc', r'new(%s)')
上面的示例将c:\\temp\\xx
目录中的所有*.doc
文件转换为new(%s).doc
,其中%s
是文件的先前基本名称(不带扩展名)。
如果您不介意使用正则表达式,那么此函数将为您提供重命名文件的强大功能:
import re, glob, os
def renamer(files, pattern, replacement):
for pathname in glob.glob(files):
basename= os.path.basename(pathname)
new_filename= re.sub(pattern, replacement, basename)
if new_filename != basename:
os.rename(
pathname,
os.path.join(os.path.dirname(pathname), new_filename))
所以在你的例子中,你可以这样做(假设它是文件所在的当前目录):
renamer("*.doc", r"^(.*)\.doc$", r"new(\1).doc")
但您也可以回滚到初始文件名:
renamer("*.doc", r"^new\((.*)\)\.doc", r"\1.doc")
和更多。
我有这个简单地重命名文件夹的子文件夹中的所有文件
import os
def replace(fpath, old_str, new_str):
for path, subdirs, files in os.walk(fpath):
for name in files:
if(old_str.lower() in name.lower()):
os.rename(os.path.join(path,name), os.path.join(path,
name.lower().replace(old_str,new_str)))
我用new_str替换所有出现的old_str。
我自己编写了一个python脚本。 它将文件所在目录的路径和您要使用的命名模式作为参数。 但是,它通过将增量数字(1,2,3等)附加到您给出的命名模式来重命名。
import os
import sys
# checking whether path and filename are given.
if len(sys.argv) != 3:
print "Usage : python rename.py <path> <new_name.extension>"
sys.exit()
# splitting name and extension.
name = sys.argv[2].split('.')
if len(name) < 2:
name.append('')
else:
name[1] = ".%s" %name[1]
# to name starting from 1 to number_of_files.
count = 1
# creating a new folder in which the renamed files will be stored.
s = "%s/pic_folder" % sys.argv[1]
try:
os.mkdir(s)
except OSError:
# if pic_folder is already present, use it.
pass
try:
for x in os.walk(sys.argv[1]):
for y in x[2]:
# creating the rename pattern.
s = "%spic_folder/%s%s%s" %(x[0], name[0], count, name[1])
# getting the original path of the file to be renamed.
z = os.path.join(x[0],y)
# renaming.
os.rename(z, s)
# incrementing the count.
count = count + 1
except OSError:
pass
希望这对你有用。
尝试: http : //www.mattweber.org/2007/03/04/python-script-renamepy/
我喜欢以某种方式命名我的音乐,电影和图片文件。 当我从互联网上下载文件时,他们通常不遵循我的命名约定。 我发现自己手动重命名每个文件以适合我的风格。 这很老了,所以我决定写一个程序来为我做。
此程序可以将文件名转换为全部小写,用您想要的任何内容替换文件名中的字符串,并从文件名的前面或后面修剪任意数量的字符。
该程序的源代码也可用。
directoryName = "Photographs"
filePath = os.path.abspath(directoryName)
filePathWithSlash = filePath + "\\"
for counter, filename in enumerate(os.listdir(directoryName)):
filenameWithPath = os.path.join(filePathWithSlash, filename)
os.rename(filenameWithPath, filenameWithPath.replace(filename,"DSC_" + \
str(counter).zfill(4) + ".jpg" ))
# e.g. filename = "photo1.jpg", directory = "c:\users\Photographs"
# The string.replace call swaps in the new filename into
# the current filename within the filenameWitPath string. Which
# is then used by os.rename to rename the file in place, using the
# current (unmodified) filenameWithPath.
# os.listdir delivers the filename(s) from the directory
# however in attempting to "rename" the file using os
# a specific location of the file to be renamed is required.
# this code is from Windows
我有类似的问题,但我想将文本附加到目录中所有文件的文件名的开头,并使用类似的方法。 见下面的例子:
folder = r"R:\mystuff\GIS_Projects\Website\2017\PDF"
import os
for root, dirs, filenames in os.walk(folder):
for filename in filenames:
fullpath = os.path.join(root, filename)
filename_split = os.path.splitext(filename) # filename will be filename_split[0] and extension will be filename_split[1])
print fullpath
print filename_split[0]
print filename_split[1]
os.rename(os.path.join(root, filename), os.path.join(root, "NewText_2017_" + filename_split[0] + filename_split[1]))
在您需要执行重命名的目录中。
import os
# get the file name list to nameList
nameList = os.listdir()
#loop through the name and rename
for fileName in nameList:
rename=fileName[15:28]
os.rename(fileName,rename)
#example:
#input fileName bulk like :20180707131932_IMG_4304.JPG
#output renamed bulk like :IMG_4304.JPG
至于我在我的目录中我有多个子目录,每个子目录有很多图像我想将所有子目录图像更改为1.jpg~n.jpg
def batch_rename():
base_dir = 'F:/ad_samples/test_samples/'
sub_dir_list = glob.glob(base_dir + '*')
# print sub_dir_list # like that ['F:/dir1', 'F:/dir2']
for dir_item in sub_dir_list:
files = glob.glob(dir_item + '/*.jpg')
i = 0
for f in files:
os.rename(f, os.path.join(dir_item, str(i) + '.jpg'))
i += 1
(mys自己的回答) https://stackoverflow.com/a/45734381/6329006
# another regex version
# usage example:
# replacing an underscore in the filename with today's date
# rename_files('..\\output', '(.*)(_)(.*\.CSV)', '\g<1>_20180402_\g<3>')
def rename_files(path, pattern, replacement):
for filename in os.listdir(path):
if re.search(pattern, filename):
new_filename = re.sub(pattern, replacement, filename)
new_fullname = os.path.join(path, new_filename)
old_fullname = os.path.join(path, filename)
os.rename(old_fullname, new_fullname)
print('Renamed: ' + old_fullname + ' to ' + new_fullname
如果要在编辑器(例如vim)中修改文件名,则单击库附带命令click.edit()
,该命令可用于从编辑器接收用户输入。 以下是如何使用它来重构目录中的文件的示例。
import click
from pathlib import Path
# current directory
direc_to_refactor = Path(".")
# list of old file paths
old_paths = list(direc_to_refactor.iterdir())
# list of old file names
old_names = [str(p.name) for p in old_paths]
# modify old file names in an editor,
# and store them in a list of new file names
new_names = click.edit("\n".join(old_names)).split("\n")
# refactor the old file names
for i in range(len(old_paths)):
old_paths[i].replace(direc_to_refactor / new_names[i])
我编写了一个使用相同技术的命令行应用程序,但这减少了此脚本的易变性,并提供了更多选项,例如递归重构。 这是github页面的链接。 如果您喜欢命令行应用程序,并且有兴趣对文件名进行一些快速编辑,这将非常有用。 (我的应用程序类似于游侠中的“bulkrename”命令)。
import glob2
import os
def rename(f_path, new_name):
filelist = glob2.glob(f_path + "*.ma")
count = 0
for file in filelist:
print("File Count : ", count)
filename = os.path.split(file)
print(filename)
new_filename = f_path + new_name + str(count + 1) + ".ma"
os.rename(f_path+filename[1], new_filename)
print(new_filename)
count = count + 1
基于上面的 Cesar Canassa评论。
import os
[os.rename(f, f.replace(f[f.find('___'):], '')) for f in os.listdir('.') if not f.startswith('.')]
这将找到三个下划线 (_) 并将它们以及它们之后的所有内容替换为空 ('')。
声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.