# 复制目录
'''
1.定义一个函数 ,参数1:指定需要复制的目录, 参数2: 目标目录位置
2.判断指定目录是否存在-- 不存在-- 终止
3.判断目标目录是否存在,---不存在---创建
4.遍历目录
5.如果是目录---继续遍历且需要在目标目录中创建新的
6.如果是文件,---复制--读写文件
'''
import os
def copyDir(sourcePath,targetPath):
if not os.path.exists(sourcePath):
return
if not os.path.exists(targetPath):
os.makedirs(targetPath)
for fileName in os.listdir(sourcePath):
# 源路径
absPathSource = os.path.join(sourcePath,fileName)
# 目标路径
absPathTarget = os.path.join(targetPath,fileName)
if os.path.isdir(absPathSource):
os.makedirs(absPathTarget)
copyDir(absPathSource,absPathTarget)
if os.path.isfile(absPathSource):
# 当目标文件不存在 或者 文件存在且源文件与目标文件大小不一样 时才复制
if (not os.path.exists(absPathTarget)) or (os.path.exists(absPathTarget) and os.path.getsize(absPathSource) != os.path.getsize(absPathTarget)):
rf = open(absPathSource,"rb")
wf = open(absPathTarget,"wb")
while True:
content = rf.read(1024)
if len(content) == 0:
break
wf.write(content)
wf.flush()
wf.close()
rf.close()
if __name__ == '__main__':
sourcePath = r"I:\sz1704\day08"
targetPath = r"I:\sz1704\day08副本"
copyDir(sourcePath,targetPath)