Spaces:
Building
Building
File size: 6,462 Bytes
f5f3483 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 |
# Copyright 2024 The etils Authors.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Abstract path."""
from __future__ import annotations
from collections.abc import Callable
import os
import pathlib
import typing
from typing import Any, AnyStr, Iterator, Optional, Type, TypeVar
from etils.epath import register
from etils.epath import stat_utils
from etils.epath.typing import PathLike # pylint: disable=g-importing-member
_T = TypeVar('_T')
# Ideally, `Path` should be `abc.ABC`. However this trigger pytype errors
# when calling `Path()` (can't instantiate abstract base class)
# Also this allow path childs to only partially implement the Path API (e.g.
# read only path)
def abstractmethod(fn: _T) -> _T:
return fn
class Path(pathlib.PurePosixPath):
"""Abstract base class for pathlib.Path-like API.
See [pathlib.Path](https://docs.python.org/3/library/pathlib.html)
documentation.
"""
# TODO(epot): With 3.12, might be able to inherit from `pathlib.PosixPath`
# directly so some of those methods are automatically implemented.
def __new__(cls: Type[_T], *args: PathLike) -> _T:
"""Create a new path.
```python
path = abcpath.Path()
```
Args:
*args: Paths to create
Returns:
path: The registered path
"""
if cls == Path:
if not args:
return register.make_path('.')
root, *parts = args
return register.make_path(root).joinpath(*parts)
else:
return super().__new__(cls, *args)
# ====== Pure paths ======
def format(self: _T, *args: Any, **kwargs: Any) -> _T:
"""Apply `str.format()` to the path."""
return type(self)(os.fspath(self).format(*args, **kwargs)) # pytype: disable=not-instantiable
# ====== Read-only methods ======
@abstractmethod
def exists(self) -> bool:
"""Returns True if self exists."""
raise NotImplementedError
@abstractmethod
def is_dir(self) -> bool:
"""Returns True if self is a dir."""
raise NotImplementedError
def is_file(self) -> bool:
"""Returns True if self is a file."""
return not self.is_dir()
@abstractmethod
def iterdir(self: _T) -> Iterator[_T]:
"""Iterates over the directory."""
raise NotImplementedError
@abstractmethod
def glob(self: _T, pattern: str) -> Iterator[_T]:
"""Yields all matching files (of any kind)."""
# Might be able to implement using `iterdir` (recursivelly for `rglob`).
raise NotImplementedError
def rglob(self: _T, pattern: str) -> Iterator[_T]:
"""Yields all matching files recursively (of any kind)."""
return self.glob(f'**/{pattern}')
@abstractmethod
def walk(
self: _T,
*,
top_down: bool = True,
on_error: Callable[[OSError], object] | None = None,
) -> Iterator[tuple[_T, list[str], list[str]]]:
raise NotImplementedError
def expanduser(self: _T) -> _T:
"""Returns a new path with expanded `~` and `~user` constructs."""
if '~' not in self.parts: # pytype: disable=attribute-error
return self
raise NotImplementedError
@abstractmethod
def resolve(self: _T, strict: bool = False) -> _T:
"""Returns the absolute path."""
raise NotImplementedError
@abstractmethod
def open(
self,
mode: str = 'r',
encoding: Optional[str] = None,
errors: Optional[str] = None,
**kwargs: Any,
) -> typing.IO[AnyStr]:
"""Opens the file."""
raise NotImplementedError
def read_bytes(self) -> bytes:
"""Reads contents of self as bytes."""
with self.open('rb') as f:
return f.read()
def read_text(self, encoding: Optional[str] = None) -> str:
"""Reads contents of self as a string."""
with self.open('r', encoding=encoding) as f:
return f.read()
@abstractmethod
def stat(self) -> stat_utils.StatResult:
"""Returns metadata for the file/directory."""
raise NotImplementedError
# ====== Write methods ======
@abstractmethod
def mkdir(
self,
mode: int = 0o777,
parents: bool = False,
exist_ok: bool = False,
) -> None:
"""Create a new directory at this given path."""
raise NotImplementedError
@abstractmethod
def rmdir(self) -> None:
"""Remove the empty directory at this given path."""
raise NotImplementedError
@abstractmethod
def rmtree(self, missing_ok: bool = False) -> None:
"""Remove the directory, including all sub-files."""
raise NotImplementedError
@abstractmethod
def unlink(self, missing_ok: bool = False) -> None:
"""Remove this file or symbolic link."""
raise NotImplementedError
def write_bytes(self, data: bytes) -> int:
"""Writes content as bytes."""
with self.open('wb') as f:
return f.write(data)
def write_text(
self,
data: str,
encoding: Optional[str] = None,
errors: Optional[str] = None,
) -> int:
"""Writes content as str."""
if encoding and encoding.lower() not in {'utf8', 'utf-8'}:
raise NotImplementedError(f'Non UTF-8 encoding not supported for {self}')
if errors:
raise NotImplementedError(f'Error not supported for writing {self}')
with self.open('w') as f:
return f.write(data)
def touch(self, mode: int = 0o666, exist_ok: bool = True) -> None:
"""Create a file at this given path."""
if mode != 0o666:
raise NotImplementedError(f'Only mode=0o666 supported for {self}')
if self.exists():
if exist_ok:
return
else:
raise FileExistsError(f'{self} already exists.')
self.write_text('')
# pytype: disable=bad-return-type
@abstractmethod
def rename(self: _T, target: PathLike) -> _T:
"""Renames the path."""
@abstractmethod
def replace(self: _T, target: PathLike) -> _T:
"""Overwrites the destination path."""
@abstractmethod
def copy(self: _T, dst: PathLike, overwrite: bool = False) -> _T:
"""Copy the current file to the given destination."""
# pytype: enable=bad-return-type
|