美文网首页
Python 文件和目录的操作

Python 文件和目录的操作

作者: SateZheng | 来源:发表于2016-12-15 00:45 被阅读54次

    操作文件和目录的函数一部分放在os模块中,一部分放在os.path模块中,这一点要注意一下。查看、创建和删除目录可以这么调用:

    创建和删除目录

    # 查看当前目录的绝对路径:
    >>> os.path.abspath('.')
    '/Users/michael'
    
    # 创建一个目录:
    >>> os.mkdir('/Users/michael/testdir')
    # 删掉一个目录:
    >>> os.rmdir('/Users/michael/testdir')
    

    列出某目录下的目录

    >>> os.listdir("/root")
    ['.ansible-console_history', '.ipython', '.ssh', 'virenv', '.lesshst', 'socket_server.py', '.java', '.rnd', '.python_history', '.bashrc', '.bash_history', '.vim', '.ansible_async', '.pip', '.profile', '.ansible', '.mysql_history', 'sina.html', '.viminfo', '.jenkins', '.gitconfig', '.rediscli_history', '.vimrc', '.cache']
    

    路径的合并和拆分

    这些合并、拆分路径的函数并不要求目录和文件要真实存在,它们只对字符串进行操作。

    把两个路径合成一个时,不要直接拼字符串,而要通过os.path.join()函数,这样可以正确处理不同操作系统的路径分隔符。

    >>> os.path.join('/Users/michael', 'testdir')
    '/Users/michael/testdir'
    

    同样的道理,要拆分路径时,也不要直接去拆字符串,而要通过os.path.split()函数,这样可以把一个路径拆分为两部分,后一部分总是最后级别的目录或文件名:

    >>> os.path.split('/Users/michael/testdir/file.txt')
    ('/Users/michael/testdir', 'file.txt')
    

    获取文件扩展名

    os.path.splitext()可以直接让你得到文件扩展名,很多时候非常方便:

    >>> os.path.splitext('/path/to/file.txt')
    ('/path/to/file', '.txt')
    

    文件的重命名和删除

    # 对文件重命名:
    >>> os.rename('test.txt', 'test.py')
    # 删掉文件:
    >>> os.remove('test.py')
    

    如何利用Python的特性来过滤文件。比如我们要列出当前目录下的所有目录,只需要一行代码

    >>> [x for x in os.listdir('.') if os.path.isdir(x)]
    ['.lein', '.local', '.m2', '.npm', '.ssh', '.Trash', '.vim', 'Adlm', 'Applications', 'Desktop', ...]
    

    要列出所有的.py文件,也只需一行代码:

    >>> [x for x in os.listdir('.') if os.path.isfile(x) and os.path.splitext(x)[1]=='.py']
    ['apis.py', 'config.py', 'models.py', 'pymonitor.py', 'test_db.py', 'urls.py', 'wsgiapp.py']
    

    相关文章

      网友评论

          本文标题:Python 文件和目录的操作

          本文链接:https://www.haomeiwen.com/subject/iuuwmttx.html