侯体宗的博客
  • 首页
  • 人生(杂谈)
  • 技术
  • 关于我
  • 更多分类
    • 文件下载
    • 文字修仙
    • 中国象棋ai
    • 群聊
    • 九宫格抽奖
    • 拼图
    • 消消乐
    • 相册

Python中的os.path路径模块中的操作方法总结

Python  /  管理员 发布于 7年前   383

解析路径
路径解析依赖与os中定义的一些变量:

  • os.sep-路径各部分之间的分隔符。
  • os.extsep-文件名与文件扩展名之间的分隔符。
  • os.pardir-路径中表示目录树上一级的部分。
  • os.curdir-路径中当前目录的部分。

split()函数将路径分解为两个单独的部分,并返回包含这些结果的tuple。第二个元素是路径的最后部分,地一个元素是其他部分。

import os.pathfor path in [ '/one/two/three',        '/one/two/three/',        '/',        '.',        '']:  print '%15s : %s' % (path, os.path.split(path))

输入参数以os.sep结尾时,最后一个元素是空串。

输出:

 /one/two/three : ('/one/two', 'three')/one/two/three/ : ('/one/two/three', '')       / : ('/', '')       . : ('', '.')        : ('', '')

basename()函数返回的值等价与split()值的第二部分。

import os.pathfor path in [ '/one/two/three',        '/one/two/three/',        '/',        '.',        '']:  print '%15s : %s' % (path, os.path.basename(path))

整个路径会剥除到只剩下最后一个元素。

输出:

 /one/two/three : three/one/two/three/ :        / :        . : .        : 

dirname()函数返回分解路径得到的第一部分。

import os.pathfor path in [ '/one/two/three',        '/one/two/three/',        '/',        '.',        '']:  print '%15s : %s' % (path, os.path.dirname(path))

将basename()与dirname()结合,得到原来的路径。

 /one/two/three : /one/two/one/two/three/ : /one/two/three       / : /       . :         : 

splitext()作用类似与split(),不过它会根据扩展名分隔符而不是目录分隔符来分解路径。import os.path

for path in [ '/one.txt',        '/one/two/three.txt',        '/',        '.',        ''        'two.tar.gz']:  print '%21s : %s' % (path, os.path.splitext(path))

查找扩展名时,只使用os.extsep的最后一次出现。

       /one.txt : ('/one', '.txt')  /one/two/three.txt : ('/one/two/three', '.txt')          / : ('/', '')          . : ('.', '')      two.tar.gz : ('two.tar', '.gz')

commonprefix()取一个路径列表作为参数,返回一个字符串,表示所有路径中出现的公共前缀。

import os.pathpaths = [ '/one/two/three',      '/one/two/threetxt',      '/one/two/three/four',]for path in paths:  print 'PATH:', pathprintprint 'PREFIX:', os.path.commonprefix(paths)

输出:

PATH: /one/two/threePATH: /one/two/threetxtPATH: /one/two/three/fourPREFIX: /one/two/three

建立路径
除了分解现有路径外,还需要从其他字符串建立路径,使用join()。

import os.pathfor parts in [ ('one', 'two', 'three'),      ('\one', 'two', 'three'),      ('/one', '/two', '/three', '/four'),]:  print parts, ':', os.path.join(*parts)

如果要连接的某个参数以os.sep开头,前面所有参数都会丢弃,参数会返回值的开始部分。

('one', 'two', 'three') : one\two\three('\\one', 'two', 'three') : \one\two\three('/one', '/two', '/three', '/four') : /four

规范化路径
使用join()或利用嵌入变量由单独的字符串组合路径时,得到的路径最后可能会有多余的分隔符或者相对路径部分,使用normpath()可以清除这些内容。

import os.pathfor path in [ 'one/two/three',       'one/./two/three',       'one/../alt/two/three',       ]:  print '%20s : %s' % (path, os.path.normpath(path))

可以计算并压缩有os.curdir和os.pardir构成的路径段。

    one/two/three : one\two\three   one/./two/three : one\two\threeone/../alt/two/three : alt\two\three

要把一个相对路径转换为一个绝对文件名,可以使用abspath()。

import os.pathfor path in [ '.',       '..',       'one/two/three',       'one/./two/three',       'one/../alt/two/three',       ]:  print '%20s : %s' % (path, os.path.abspath(path))

结果是从一个文件系统树最顶层开始的完整路径。

          . : C:\Users\Administrator\Desktop         .. : C:\Users\Administrator    one/two/three : C:\Users\Administrator\Desktop\one\two\three   one/./two/three : C:\Users\Administrator\Desktop\one\two\threeone/../alt/two/three : C:\Users\Administrator\Desktop\alt\two\three

文件时间

import osimport timeprint 'File:', __file__print 'Access time:', time.ctime(os.path.getatime(__file__))print 'Modified time:', time.ctime(os.path.getmtime(__file__))print 'Change time:', time.ctime(os.path.getctime(__time__))print 'Size:', os.path.getsize(__file__)

返回访问时间,修改时间,创建时间,文件中的数据量。

测试文件
程序遇到一个路径名,通常需要知道这个路径的一些信息。

import os.pathfilename = r'C:\Users\Administrator\Desktop\tmp'print 'File    :', filenameprint 'Is file?   :', os.path.isfile(filename)print 'Absoulute  :', os.path.isabs(filename)print 'Is dir?   :', os.path.isdir(filename)print 'Is link?   :', os.path.islink(filename)print 'Mountpoint? :', os.path.ismount(filename)print 'Exists?    :', os.path.exists(filename)print 'Link Exists? :', os.path.lexists(filename)

所有测试都返回布尔值。

File    : C:\Users\Administrator\Desktop\tmpIs file?   : FalseAbsoulute  : TrueIs dir?   : TrueIs link?   : FalseMountpoint? : FalseExists?    : TrueLink Exists? : True

遍历一个目录树

import osimport os.pathimport pprintdef visit(arg, dirname, names):  print dirname, arg  for name in names:    subname = os.path.join(dirname, name)    if os.path.isdir(subname):      print '%s/' % name     else:      print ' %s' % name  printif not os.path.exists('example'):  os.mkdir('example')if not os.path.exists('example/one'):  os.mkdir('example/one')with open('example/one/file.txt', 'wt') as f:  f.write('i love you')with open('example/one/another.txt', 'wt') as f:  f.write('i love you, two')os.path.walk('example', visit, '(User data)')

会生成一个递归的目录列表。

example (User data)one/example\one (User data) another.txt file.txt

一些实际的用法合集:

#创建文件:os.mknod("test.txt")    创建空文件fp = open("test.txt",w)   直接打开一个文件,如果文件不存在则创建文件 #获取扩展名:>>> os.path.splitext('/Volumes/Leopard/Users/Caroline/Desktop/1.mp4')[1:]('.mp4',)>>> os.path.splitext('/Volumes/Leopard/Users/Caroline/Desktop/1.mp4')[1]'.mp4' #获取文件名:>>> print os.path.basename(r'/root/hahaha/123.txt')123.txt>>> print os.path.dirname(r'/root/hahaha/123.txt')/root/hahaha #判断目录或文件的存在:>>> os.path.exists('/root/1.py')True>>> os.path.exists('/root/')True>>> os.path.exists('/root')True>>> os.path.isdir('/root')True #改变工作目录:>>> os.chdir('/home')>>> os.getcwd()'/home' #字符串分割:>>> '/usr/bin/env'.split('/')['', 'usr', 'bin', 'env'] #获取文件夹大小(Python2.x):import os from os.path import join, getsize   def getdirsize(dir):   size = 0L   for root, dirs, files in os.walk(dir):    size += sum([getsize(join(root, name)) for name in files])   return size   if __name__ == '__main__':  filesize = getdirsize('/tmp')   print 'There are %.3f' % (filesize/1024/1024), 'Mbytes in /tmp'  #获取文件夹大小(Python3.x):import os from os.path import join, getsize   def getdirsize(dir):   size = 0   for root, dirs, files in os.walk(dir):    size += sum([getsize(join(root, name)) for name in files])   return size   if __name__ == '__main__':  filesize = getdirsize('/tmp')   print ('There are ' + str(filesize/1024/1024) + 'Mbytes in /tmp')

您可能感兴趣的文章:

  • python调用外部程序的实操步骤
  • Python中os和shutil模块实用方法集锦
  • Python os模块介绍
  • python中os操作文件及文件路径实例汇总
  • Python中os.path用法分析
  • Python os模块中的isfile()和isdir()函数均返回false问题解决方法
  • Python OS模块常用函数说明
  • python标准库os库的函数介绍


  • 上一条:
    Python中使用platform模块获取系统信息的用法教程
    下一条:
    简介Python的collections模块中defaultdict类型的用法
  • 昵称:

    邮箱:

    0条评论 (评论内容有缓存机制,请悉知!)
    最新最热
    • 分类目录
    • 人生(杂谈)
    • 技术
    • linux
    • Java
    • php
    • 框架(架构)
    • 前端
    • ThinkPHP
    • 数据库
    • 微信(小程序)
    • Laravel
    • Redis
    • Docker
    • Go
    • swoole
    • Windows
    • Python
    • 苹果(mac/ios)
    • 相关文章
    • 在python语言中Flask框架的学习及简单功能示例(0个评论)
    • 在Python语言中实现GUI全屏倒计时代码示例(0个评论)
    • Python + zipfile库实现zip文件解压自动化脚本示例(0个评论)
    • python爬虫BeautifulSoup快速抓取网站图片(1个评论)
    • vscode 配置 python3开发环境的方法(0个评论)
    • 近期文章
    • 在go语言中实现字符串可逆性压缩及解压缩功能(0个评论)
    • 使用go + gin + jwt + qrcode实现网站生成登录二维码在app中扫码登录功能(0个评论)
    • 在windows10中升级go版本至1.24后LiteIDE的Ctrl+左击无法跳转问题解决方案(0个评论)
    • 智能合约Solidity学习CryptoZombie第四课:僵尸作战系统(0个评论)
    • 智能合约Solidity学习CryptoZombie第三课:组建僵尸军队(高级Solidity理论)(0个评论)
    • 智能合约Solidity学习CryptoZombie第二课:让你的僵尸猎食(0个评论)
    • 智能合约Solidity学习CryptoZombie第一课:生成一只你的僵尸(0个评论)
    • 在go中实现一个常用的先进先出的缓存淘汰算法示例代码(0个评论)
    • 在go+gin中使用"github.com/skip2/go-qrcode"实现url转二维码功能(0个评论)
    • 在go语言中使用api.geonames.org接口实现根据国际邮政编码获取地址信息功能(1个评论)
    • 近期评论
    • 122 在

      学历:一种延缓就业设计,生活需求下的权衡之选中评论 工作几年后,报名考研了,到现在还没认真学习备考,迷茫中。作为一名北漂互联网打工人..
    • 123 在

      Clash for Windows作者删库跑路了,github已404中评论 按理说只要你在国内,所有的流量进出都在监控范围内,不管你怎么隐藏也没用,想搞你分..
    • 原梓番博客 在

      在Laravel框架中使用模型Model分表最简单的方法中评论 好久好久都没看友情链接申请了,今天刚看,已经添加。..
    • 博主 在

      佛跳墙vpn软件不会用?上不了网?佛跳墙vpn常见问题以及解决办法中评论 @1111老铁这个不行了,可以看看近期评论的其他文章..
    • 1111 在

      佛跳墙vpn软件不会用?上不了网?佛跳墙vpn常见问题以及解决办法中评论 网站不能打开,博主百忙中能否发个APP下载链接,佛跳墙或极光..
    • 2016-10
    • 2016-11
    • 2018-04
    • 2020-03
    • 2020-04
    • 2020-05
    • 2020-06
    • 2022-01
    • 2023-07
    • 2023-10
    Top

    Copyright·© 2019 侯体宗版权所有· 粤ICP备20027696号 PHP交流群

    侯体宗的博客