Skip to content

Commit a7d41a8

Browse files
authored
pythonGH-128520: Subclass abc.ABC in pathlib._abc (python#128745)
Convert `JoinablePath`, `ReadablePath` and `WritablePath` to real ABCs derived from `abc.ABC`. Make `JoinablePath.parser` abstract, rather than defaulting to `posixpath`. Register `PurePath` and `Path` as virtual subclasses of the ABCs rather than deriving. This avoids a hit to path object instantiation performance. No change of behaviour in the public (non-abstract) classes.
1 parent 359c7dd commit a7d41a8

File tree

4 files changed

+125
-49
lines changed

4 files changed

+125
-49
lines changed

Lib/pathlib/_abc.py

+37-17
Original file line numberDiff line numberDiff line change
@@ -12,8 +12,9 @@
1212
"""
1313

1414
import functools
15-
import posixpath
15+
from abc import ABC, abstractmethod
1616
from glob import _PathGlobber, _no_recurse_symlinks
17+
from pathlib import PurePath, Path
1718
from pathlib._os import magic_open, CopyReader, CopyWriter
1819

1920

@@ -39,24 +40,32 @@ def _explode_path(path):
3940
return path, names
4041

4142

42-
class JoinablePath:
43-
"""Base class for pure path objects.
43+
class JoinablePath(ABC):
44+
"""Abstract base class for pure path objects.
4445
4546
This class *does not* provide several magic methods that are defined in
46-
its subclass PurePath. They are: __init__, __fspath__, __bytes__,
47+
its implementation PurePath. They are: __init__, __fspath__, __bytes__,
4748
__reduce__, __hash__, __eq__, __lt__, __le__, __gt__, __ge__.
4849
"""
49-
5050
__slots__ = ()
51-
parser = posixpath
5251

52+
@property
53+
@abstractmethod
54+
def parser(self):
55+
"""Implementation of pathlib._types.Parser used for low-level path
56+
parsing and manipulation.
57+
"""
58+
raise NotImplementedError
59+
60+
@abstractmethod
5361
def with_segments(self, *pathsegments):
5462
"""Construct a new path object from any number of path-like objects.
5563
Subclasses may override this method to customize how new path objects
5664
are created from methods like `iterdir()`.
5765
"""
5866
raise NotImplementedError
5967

68+
@abstractmethod
6069
def __str__(self):
6170
"""Return the string representation of the path, suitable for
6271
passing to system calls."""
@@ -198,23 +207,17 @@ def full_match(self, pattern, *, case_sensitive=None):
198207
return match(str(self)) is not None
199208

200209

201-
202210
class ReadablePath(JoinablePath):
203-
"""Base class for concrete path objects.
211+
"""Abstract base class for readable path objects.
204212
205-
This class provides dummy implementations for many methods that derived
206-
classes can override selectively; the default implementations raise
207-
NotImplementedError. The most basic methods, such as stat() and open(),
208-
directly raise NotImplementedError; these basic methods are called by
209-
other methods such as is_dir() and read_text().
210-
211-
The Path class derives this class to implement local filesystem paths.
212-
Users may derive their own classes to implement virtual filesystem paths,
213-
such as paths in archive files or on remote storage systems.
213+
The Path class implements this ABC for local filesystem paths. Users may
214+
create subclasses to implement readable virtual filesystem paths, such as
215+
paths in archive files or on remote storage systems.
214216
"""
215217
__slots__ = ()
216218

217219
@property
220+
@abstractmethod
218221
def info(self):
219222
"""
220223
A PathInfo object that exposes the file type and other file attributes
@@ -254,6 +257,7 @@ def is_symlink(self):
254257
info = self.joinpath().info
255258
return info.is_symlink()
256259

260+
@abstractmethod
257261
def __open_rb__(self, buffering=-1):
258262
"""
259263
Open the file pointed to by this path for reading in binary mode and
@@ -275,6 +279,7 @@ def read_text(self, encoding=None, errors=None, newline=None):
275279
with magic_open(self, mode='r', encoding=encoding, errors=errors, newline=newline) as f:
276280
return f.read()
277281

282+
@abstractmethod
278283
def iterdir(self):
279284
"""Yield path objects of the directory contents.
280285
@@ -348,6 +353,7 @@ def walk(self, top_down=True, on_error=None, follow_symlinks=False):
348353
yield path, dirnames, filenames
349354
paths += [path.joinpath(d) for d in reversed(dirnames)]
350355

356+
@abstractmethod
351357
def readlink(self):
352358
"""
353359
Return the path to which the symbolic link points.
@@ -389,21 +395,30 @@ def copy_into(self, target_dir, *, follow_symlinks=True,
389395

390396

391397
class WritablePath(JoinablePath):
398+
"""Abstract base class for writable path objects.
399+
400+
The Path class implements this ABC for local filesystem paths. Users may
401+
create subclasses to implement writable virtual filesystem paths, such as
402+
paths in archive files or on remote storage systems.
403+
"""
392404
__slots__ = ()
393405

406+
@abstractmethod
394407
def symlink_to(self, target, target_is_directory=False):
395408
"""
396409
Make this path a symlink pointing to the target path.
397410
Note the order of arguments (link, target) is the reverse of os.symlink.
398411
"""
399412
raise NotImplementedError
400413

414+
@abstractmethod
401415
def mkdir(self, mode=0o777, parents=False, exist_ok=False):
402416
"""
403417
Create a new directory at this given path.
404418
"""
405419
raise NotImplementedError
406420

421+
@abstractmethod
407422
def __open_wb__(self, buffering=-1):
408423
"""
409424
Open the file pointed to by this path for writing in binary mode and
@@ -431,3 +446,8 @@ def write_text(self, data, encoding=None, errors=None, newline=None):
431446
return f.write(data)
432447

433448
_copy_writer = property(CopyWriter)
449+
450+
451+
JoinablePath.register(PurePath)
452+
ReadablePath.register(Path)
453+
WritablePath.register(Path)

Lib/pathlib/_local.py

+58-3
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,6 @@
2020
grp = None
2121

2222
from pathlib._os import LocalCopyReader, LocalCopyWriter, PathInfo, DirEntryInfo
23-
from pathlib._abc import JoinablePath, ReadablePath, WritablePath
2423

2524

2625
__all__ = [
@@ -65,7 +64,7 @@ def __repr__(self):
6564
return "<{}.parents>".format(type(self._path).__name__)
6665

6766

68-
class PurePath(JoinablePath):
67+
class PurePath:
6968
"""Base class for manipulating paths without I/O.
7069
7170
PurePath represents a filesystem path and offers operations which
@@ -409,6 +408,31 @@ def with_name(self, name):
409408
tail[-1] = name
410409
return self._from_parsed_parts(self.drive, self.root, tail)
411410

411+
def with_stem(self, stem):
412+
"""Return a new path with the stem changed."""
413+
suffix = self.suffix
414+
if not suffix:
415+
return self.with_name(stem)
416+
elif not stem:
417+
# If the suffix is non-empty, we can't make the stem empty.
418+
raise ValueError(f"{self!r} has a non-empty suffix")
419+
else:
420+
return self.with_name(stem + suffix)
421+
422+
def with_suffix(self, suffix):
423+
"""Return a new path with the file suffix changed. If the path
424+
has no suffix, add given suffix. If the given suffix is an empty
425+
string, remove the suffix from the path.
426+
"""
427+
stem = self.stem
428+
if not stem:
429+
# If the stem is empty, we can't make the suffix non-empty.
430+
raise ValueError(f"{self!r} has an empty name")
431+
elif suffix and not suffix.startswith('.'):
432+
raise ValueError(f"Invalid suffix {suffix!r}")
433+
else:
434+
return self.with_name(stem + suffix)
435+
412436
@property
413437
def stem(self):
414438
"""The final path component, minus its last suffix."""
@@ -584,7 +608,7 @@ class PureWindowsPath(PurePath):
584608
__slots__ = ()
585609

586610

587-
class Path(WritablePath, ReadablePath, PurePath):
611+
class Path(PurePath):
588612
"""PurePath subclass that can make system calls.
589613
590614
Path represents a filesystem path but unlike PurePath, also offers
@@ -1058,6 +1082,37 @@ def replace(self, target):
10581082
_copy_reader = property(LocalCopyReader)
10591083
_copy_writer = property(LocalCopyWriter)
10601084

1085+
def copy(self, target, follow_symlinks=True, dirs_exist_ok=False,
1086+
preserve_metadata=False):
1087+
"""
1088+
Recursively copy this file or directory tree to the given destination.
1089+
"""
1090+
if not hasattr(target, '_copy_writer'):
1091+
target = self.with_segments(target)
1092+
1093+
# Delegate to the target path's CopyWriter object.
1094+
try:
1095+
create = target._copy_writer._create
1096+
except AttributeError:
1097+
raise TypeError(f"Target is not writable: {target}") from None
1098+
return create(self, follow_symlinks, dirs_exist_ok, preserve_metadata)
1099+
1100+
def copy_into(self, target_dir, *, follow_symlinks=True,
1101+
dirs_exist_ok=False, preserve_metadata=False):
1102+
"""
1103+
Copy this file or directory tree into the given existing directory.
1104+
"""
1105+
name = self.name
1106+
if not name:
1107+
raise ValueError(f"{self!r} has an empty name")
1108+
elif hasattr(target_dir, '_copy_writer'):
1109+
target = target_dir / name
1110+
else:
1111+
target = self.with_segments(target_dir, name)
1112+
return self.copy(target, follow_symlinks=follow_symlinks,
1113+
dirs_exist_ok=dirs_exist_ok,
1114+
preserve_metadata=preserve_metadata)
1115+
10611116
def move(self, target):
10621117
"""
10631118
Recursively move this file or directory tree to the given destination.

Lib/test/test_pathlib/test_pathlib.py

+3-3
Original file line numberDiff line numberDiff line change
@@ -75,7 +75,7 @@ def test_is_notimplemented(self):
7575
# Tests for the pure classes.
7676
#
7777

78-
class PurePathTest(test_pathlib_abc.DummyJoinablePathTest):
78+
class PurePathTest(test_pathlib_abc.JoinablePathTest):
7979
cls = pathlib.PurePath
8080

8181
# Make sure any symbolic links in the base test path are resolved.
@@ -1002,7 +1002,7 @@ class cls(pathlib.PurePath):
10021002
# Tests for the concrete classes.
10031003
#
10041004

1005-
class PathTest(test_pathlib_abc.DummyRWPathTest, PurePathTest):
1005+
class PathTest(test_pathlib_abc.RWPathTest, PurePathTest):
10061006
"""Tests for the FS-accessing functionalities of the Path classes."""
10071007
cls = pathlib.Path
10081008
can_symlink = os_helper.can_symlink()
@@ -3119,7 +3119,7 @@ def test_group_windows(self):
31193119
P('c:/').group()
31203120

31213121

3122-
class PathWalkTest(test_pathlib_abc.DummyReadablePathWalkTest):
3122+
class PathWalkTest(test_pathlib_abc.ReadablePathWalkTest):
31233123
cls = pathlib.Path
31243124
base = PathTest.base
31253125
can_symlink = PathTest.can_symlink

Lib/test/test_pathlib/test_pathlib_abc.py

+27-26
Original file line numberDiff line numberDiff line change
@@ -31,29 +31,11 @@ def needs_windows(fn):
3131
#
3232

3333

34-
class JoinablePathTest(unittest.TestCase):
35-
cls = JoinablePath
36-
37-
def test_magic_methods(self):
38-
P = self.cls
39-
self.assertFalse(hasattr(P, '__fspath__'))
40-
self.assertFalse(hasattr(P, '__bytes__'))
41-
self.assertIs(P.__reduce__, object.__reduce__)
42-
self.assertIs(P.__repr__, object.__repr__)
43-
self.assertIs(P.__hash__, object.__hash__)
44-
self.assertIs(P.__eq__, object.__eq__)
45-
self.assertIs(P.__lt__, object.__lt__)
46-
self.assertIs(P.__le__, object.__le__)
47-
self.assertIs(P.__gt__, object.__gt__)
48-
self.assertIs(P.__ge__, object.__ge__)
49-
50-
def test_parser(self):
51-
self.assertIs(self.cls.parser, posixpath)
52-
53-
5434
class DummyJoinablePath(JoinablePath):
5535
__slots__ = ('_segments',)
5636

37+
parser = posixpath
38+
5739
def __init__(self, *segments):
5840
self._segments = segments
5941

@@ -77,7 +59,7 @@ def with_segments(self, *pathsegments):
7759
return type(self)(*pathsegments)
7860

7961

80-
class DummyJoinablePathTest(unittest.TestCase):
62+
class JoinablePathTest(unittest.TestCase):
8163
cls = DummyJoinablePath
8264

8365
# Use a base path that's unrelated to any real filesystem path.
@@ -94,6 +76,10 @@ def setUp(self):
9476
self.sep = self.parser.sep
9577
self.altsep = self.parser.altsep
9678

79+
def test_is_joinable(self):
80+
p = self.cls(self.base)
81+
self.assertIsInstance(p, JoinablePath)
82+
9783
def test_parser(self):
9884
self.assertIsInstance(self.cls.parser, _PathParser)
9985

@@ -878,6 +864,7 @@ class DummyReadablePath(ReadablePath, DummyJoinablePath):
878864

879865
_files = {}
880866
_directories = {}
867+
parser = posixpath
881868

882869
def __init__(self, *segments):
883870
super().__init__(*segments)
@@ -909,6 +896,9 @@ def iterdir(self):
909896
else:
910897
raise FileNotFoundError(errno.ENOENT, "File not found", path)
911898

899+
def readlink(self):
900+
raise NotImplementedError
901+
912902

913903
class DummyWritablePath(WritablePath, DummyJoinablePath):
914904
__slots__ = ()
@@ -942,8 +932,11 @@ def mkdir(self, mode=0o777, parents=False, exist_ok=False):
942932
self.parent.mkdir(parents=True, exist_ok=True)
943933
self.mkdir(mode, parents=False, exist_ok=exist_ok)
944934

935+
def symlink_to(self, target, target_is_directory=False):
936+
raise NotImplementedError
937+
945938

946-
class DummyReadablePathTest(DummyJoinablePathTest):
939+
class ReadablePathTest(JoinablePathTest):
947940
"""Tests for ReadablePathTest methods that use stat(), open() and iterdir()."""
948941

949942
cls = DummyReadablePath
@@ -1010,6 +1003,10 @@ def assertEqualNormCase(self, path_a, path_b):
10101003
normcase = self.parser.normcase
10111004
self.assertEqual(normcase(path_a), normcase(path_b))
10121005

1006+
def test_is_readable(self):
1007+
p = self.cls(self.base)
1008+
self.assertIsInstance(p, ReadablePath)
1009+
10131010
def test_exists(self):
10141011
P = self.cls
10151012
p = P(self.base)
@@ -1378,15 +1375,19 @@ def test_is_symlink(self):
13781375
self.assertIs((P / 'linkA\x00').is_file(), False)
13791376

13801377

1381-
class DummyWritablePathTest(DummyJoinablePathTest):
1378+
class WritablePathTest(JoinablePathTest):
13821379
cls = DummyWritablePath
13831380

1381+
def test_is_writable(self):
1382+
p = self.cls(self.base)
1383+
self.assertIsInstance(p, WritablePath)
1384+
13841385

13851386
class DummyRWPath(DummyWritablePath, DummyReadablePath):
13861387
__slots__ = ()
13871388

13881389

1389-
class DummyRWPathTest(DummyWritablePathTest, DummyReadablePathTest):
1390+
class RWPathTest(WritablePathTest, ReadablePathTest):
13901391
cls = DummyRWPath
13911392
can_symlink = False
13921393

@@ -1598,9 +1599,9 @@ def test_copy_into_empty_name(self):
15981599
self.assertRaises(ValueError, source.copy_into, target_dir)
15991600

16001601

1601-
class DummyReadablePathWalkTest(unittest.TestCase):
1602+
class ReadablePathWalkTest(unittest.TestCase):
16021603
cls = DummyReadablePath
1603-
base = DummyReadablePathTest.base
1604+
base = ReadablePathTest.base
16041605
can_symlink = False
16051606

16061607
def setUp(self):

0 commit comments

Comments
 (0)