您的位置:首页技术文章
文章详情页

python中pathlib模块的基本用法与总结

浏览:18日期:2022-07-13 18:56:59

前言

相比常用的 os.path而言,pathlib 对于目录路径的操作更简介也更贴近 Pythonic。但是它不单纯是为了简化操作,还有更大的用途。

pathlib 是Python内置库,Python 文档给它的定义是:The pathlib module ? object-oriented filesystem paths(面向对象的文件系统路径)。pathlib 提供表示文件系统路径的类,其语义适用于不同的操作系统。

python中pathlib模块的基本用法与总结

更多详细的内容可以参考官方文档:https://docs.python.org/3/library/pathlib.html#methods

1. pathlib模块下Path类的基本使用

from pathlib import Pathpath = r’D:pythonpycharm2020programpathlib模块的基本使用.py’p = Path(path)print(p.name) # 获取文件名print(p.stem) # 获取文件名除后缀的部分print(p.suffix) # 获取文件后缀print(p.parent) # 相当于dirnameprint(p.parent.parent.parent)print(p.parents) # 返回一个iterable 包含所有父目录for i in p.parents: print(i)print(p.parts) # 将路径通过分隔符分割成一个元组

运行结果如下:

pathlib模块的基本使用.pypathlib模块的基本使用.pyD:pythonpycharm2020programD:python<WindowsPath.parents>D:pythonpycharm2020programD:pythonpycharm2020D:pythonD:(’D:’, ’python’, ’pycharm2020’, ’program’, ’pathlib模块的基本使用.py’)

Path.cwd():Return a new path object representing the current directory Path.home():Return a new path object representing the user’s home directory Path.expanduser():Return a new path with expanded ~ and ~user constructs

from pathlib import Pathpath_1 = Path.cwd() # 获取当前文件路径path_2 = Path.home()p1 = Path(’~/pathlib模块的基本使用.py’)print(path_1)print(path_2)print(p1.expanduser())

运行结果如下:

D:pythonpycharm2020programC:UsersAdministratorC:UsersAdministratorpathlib模块的基本使用.py

Path.stat():Return a os.stat_result object containing information about this path

from pathlib import Pathimport datetimep = Path(’pathlib模块的基本使用.py’)print(p.stat()) # 获取文件详细信息print(p.stat().st_size) # 文件的字节大小print(p.stat().st_ctime) # 文件创建时间print(p.stat().st_mtime) # 上次修改文件的时间creat_time = datetime.datetime.fromtimestamp(p.stat().st_ctime)st_mtime = datetime.datetime.fromtimestamp(p.stat().st_mtime)print(f’该文件创建时间:{creat_time}’)print(f’上次修改该文件的时间:{st_mtime}’)

运行结果如下:

os.stat_result(st_mode=33206, st_ino=3659174698076635, st_dev=3730828260, st_nlink=1, st_uid=0, st_gid=0, st_size=543, st_atime=1597366826, st_mtime=1597366826, st_ctime=1597320585)5431597320585.76574751597366826.9711637该文件创建时间:2020-08-13 20:09:45.765748上次修改该文件的时间:2020-08-14 09:00:26.971164

从不同.stat().st_属性 返回的时间戳表示自1970年1月1日以来的秒数,可以用datetime.fromtimestamp将时间戳转换为有用的时间格式。

Path.exists():Whether the path points to an existing file or directoryPath.resolve(strict=False):Make the path absolute,resolving any symlinks. A new path object is returned

from pathlib import Pathp1 = Path(’pathlib模块的基本使用.py’) # 文件p2 = Path(r’D:pythonpycharm2020program’) # 文件夹 absolute_path = p1.resolve()print(absolute_path)print(Path(’.’).exists())print(p1.exists(), p2.exists())print(p1.is_file(), p2.is_file())print(p1.is_dir(), p2.is_dir())print(Path(’/python’).exists())print(Path(’non_existent_file’).exists())

运行结果如下:

D:pythonpycharm2020programpathlib模块的基本使用.pyTrueTrue TrueTrue FalseFalse TrueTrueFalse

Path.iterdir():When the path points to a directory,yield path objects of the directory contents

from pathlib import Pathp = Path(’/python’)for child in p.iterdir(): print(child)

运行结果如下:

pythonAnacondapythonEVCapturepythonEvernote_6.21.3.2048.exepythonNotepad++pythonpycharm-community-2020.1.3.exepythonpycharm2020pythonpyecharts-assets-masterpythonpyecharts-gallery-masterpythonSublime text 3

Path.glob(pattern):Glob the given relative pattern in the directory represented by this path, yielding all matching files (of any kind),The “**” pattern means “this directory and all subdirectories, recursively”. In other words, it enables recursive globbing.

Note:Using the “**” pattern in large directory trees may consume an inordinate amount of time

递归遍历该目录下所有文件,获取所有符合pattern的文件,返回一个generator。

获取该文件目录下所有.py文件

from pathlib import Pathpath = r’D:pythonpycharm2020program’p = Path(path)file_name = p.glob(’**/*.py’)print(type(file_name)) # <class ’generator’>for i in file_name: print(i)

获取该文件目录下所有.jpg图片

from pathlib import Pathpath = r’D:pythonpycharm2020program’p = Path(path)file_name = p.glob(’**/*.jpg’)print(type(file_name)) # <class ’generator’>for i in file_name: print(i)

获取给定目录下所有.txt文件、.jpg图片和.py文件

from pathlib import Pathdef get_files(patterns, path): all_files = [] p = Path(path) for item in patterns: file_name = p.rglob(f’**/*{item}’) all_files.extend(file_name) return all_filespath = input(’>>>请输入文件路径:’)results = get_files([’.txt’, ’.jpg’, ’.py’], path)print(results)for file in results: print(file)

Path.mkdir(mode=0o777, parents=False, exist_ok=False)

Create a new directory at this given path. If mode is given, it is combined with the process’ umask value to determine the file mode and access flags. If the path already exists, FileExistsError is raised. If parents is true, any missing parents of this path are created as needed; they are created with the default permissions without taking mode into account (mimicking the POSIX mkdir -p command). If parents is false (the default), a missing parent raises FileNotFoundError. If exist_ok is false (the default), FileExistsError is raised if the target directory already exists. If exist_ok is true, FileExistsError exceptions will be ignored (same behavior as the POSIX mkdir -p command), but only if the last path component is not an existing non-directory file.

Changed in version 3.5: The exist_ok parameter was added.

Path.rmdir():Remove this directory. The directory must be empty.

from pathlib import Pathp = Path(r’D:pythonpycharm2020programtest’)p.mkdir()p.rmdir()

from pathlib import Pathp = Path(r’D:pythontest1test2test3’)p.mkdir(parents=True) # If parents is true, any missing parents of this path are created as neededp.rmdir() # 删除的是test3文件夹

from pathlib import Pathp = Path(r’D:pythontest1test2test3’)p.mkdir(exist_ok=True) Path.unlink(missing_ok=False):Remove this file or symbolic link. If the path points to a directory, use Path.rmdir() instead. If missing_ok is false (the default), FileNotFoundError is raised if the path does not exist. If missing_ok is true, FileNotFoundError exceptions will be ignored. Changed in version 3.8:The missing_ok parameter was added. Path.rename(target):Rename this file or directory to the given target, and return a new Path instance pointing to target. On Unix, if target exists and is a file, it will be replaced silently if the user has permission. target can be either a string or another path object. Path.open(mode=‘r’, buffering=-1, encoding=None, errors=None, newline=None):Open the file pointed to by the path, like the built-in open() function does.

from pathlib import Pathp = Path(’foo.txt’)p.open(mode=’w’).write(’some text’)target = Path(’new_foo.txt’)p.rename(target)content = target.open(mode=’r’).read()print(content)target.unlink()

2. 与os模块用法的对比

python中pathlib模块的基本用法与总结

总结

到此这篇关于python中pathlib模块的基本用法与总结的文章就介绍到这了,更多相关python pathlib模块用法内容请搜索好吧啦网以前的文章或继续浏览下面的相关文章希望大家以后多多支持好吧啦网!

标签: Python 编程
相关文章: