Python在Windows系统下的路径表示回顾:反斜杠“\”是转义符,如果继续用windows习惯使用“\”表示文件路径,就会产生歧义。

所以,Windows下的原始路径:C:\Users\LUO\Documents\GitHub\CalculatorT3000\introduction

在Python中有以下三种方法表示:

path=“C:\\Users\\LUO\\Documents\\GitHub\\CalculatorT3000\\introduction\\”
path=r’C:\Users\LUO\Documents\GitHub\CalculatorT3000\introduction’
path=‘C:/Users/LUO/Documents/GitHub/CalculatorT3000/introduction/’

  • 使用斜杠“/”: ‘C:/Users/LUO/Documents/GitHub/CalculatorT3000/introduction/’
  • 将反斜杠符号转义: “C:\\Users\\LUO\\Documents\\GitHub\\CalculatorT3000\\introduction\\”
    因为反斜杠是转义符,所以两个"\\"就表示一个反斜杠符号
  • 使用Python的raw string:r’C:\Users\LUO\Documents\GitHub\CalculatorT3000\introduction’
    python下在字符串前面加上字母r,表示后面是一个原始字符串raw string,不过raw string主要是为正则表达式而不是windows路径设计的,所以这种做法尽量少用,可能会出问题

使用 os 模块来处理文件和目录

  • python 对文件进行批量改名用到的是 os 模块中的 listdir 方法和 rename 方法。
  • os.listdir(dir) : 获取指定目录下的所有子目录和文件名。
  • os.rename(原文件名,新文件名) :os.rename(src, dst) 方法用于命名文件或目录,从 src 到 dst,如果dst是一个存在的目录, 将抛出OSError。
  • os.renames() 方法用于递归重命名目录或文件,类似rename()。

os.renames(old, new)

old – 要重命名的目录
new – 文件或目录的新名字。甚至可以是包含在目录中的文件,或者完整的目录树

  • os.getcwd() 返回当前工作目录
  • os.path 模块主要用于获取文件的属性
代码 含义
os.path.basename(path) 返回文件名
os.path.dirname(path) 返回文件路径
os.path.exists(path) 如果路径 path 存在,返回 True;如果路径 path 不存在,返回 False
os.path.getmtime(path) 返回最近文件修改时间
os.path.getctime(path) 返回文件 path 创建时间
os.path.getsize(path) 返回文件大小,如果文件不存在就返回错误
os.path.isfile(path) 判断路径是否为文件
os.path.isdir(path) 判断路径是否为目录
os.path.samefile(path1, path2) 判断目录或文件是否相同
os.path.sameopenfile(fp1, fp2) 判断fp1和fp2是否指向同一文件
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
import os
#三种路径表示方法
#path="C:\\Users\\LUO\\Documents\\GitHub\\CalculatorT3000\\introduction\\"
#转义符的方式不能在此使用
#path=r'C:\Users\LUO\Documents\GitHub\CalculatorT3000\introduction\'
#path='C:/Users/LUO/Documents/GitHub/CalculatorT3000/introduction/'

#从控制台输入
path=input("请输入需要改名的路径:")
#判断路径是否存在
if os.path.exists(path):

#获取该目录下所有文件,存入列表中
fileList=os.listdir(path)

n=0
for i in fileList:

#设置旧文件名(就是路径+文件名)
oldname=path+ os.sep + fileList[n] # os.sep添加系统分隔符
#判断当前是否是文件
if os.path.isfile(oldname):

#设置新文件名
newname=path + os.sep +'calc_'+str(n+1)+'.jpg'

os.rename(oldname,newname) #用os模块中的rename方法对文件改名
print(oldname,'======>',newname)

n+=1

else:
print('路径不存在')

本文转载自CSDN《使用Python对文件进行批量改名》