我需要一个程序,我可以告诉你从哪个号码开始,然后从那里重命名。
由于同时存在JPG
和PNG
,甚至可能GIF
,因此必须保持扩展名相同。
所以,如果我想从“a200
”开始重命名10k图片,我可以。
我最接近的是:
import os
files = os.listdir('.')
index = 0
for filename in files:
os.rename(filename, str(index).zfill(5)+ '.jpg')
index += 1
答案 0 :(得分:6)
在进行文件重命名时,选择一个dryrun选项是一个好主意,这样你就可以看到在做出任何不容易反转的更改之前会发生什么......
你应该检查新名称是否已经存在。
import os
# Create a list of files from the current directory who's last 4 characters
# as lowercase are either '.jpg' or '.png'
files = [ f for f in os.listdir('.') if f[-4:].lower() in ('.jpg','.png') ]
DRYRUN=True
for (index,filename) in enumerate(files):
extension = os.path.splitext(filename)[1]
newname = "picture-%05d%s" % (index,extension)
if os.path.exists(newname):
print "Cannot rename %s to %s, already exists" % (filename,newname)
continue
if DRYRUN:
print "Would rename %s to %s" % (filename,newname)
else:
print "Renaming %s to %s" % (filename,newname)
os.rename(filename,newname)
次要更新
如果您想保留文件的当前词法顺序,您只需要对初始文件列表进行排序:
files = sorted(f for f in os.listdir('.') if f[-4:].lower() in ('.jpg','.png'))
如果你想要更复杂的东西,比如从文件名中提取现有的索引号并重新格式化,最好打开另一个问题。