Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[air] pyarrow.fs persistence (3/n): Introduce new Checkpoint API #37925

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
25 commits
Select commit Hold shift + click to select a range
b4b631a
Add new checkpoint class
justinvyu Jul 27, 2023
ee356b8
Fix to_directory
justinvyu Jul 28, 2023
e700fb0
Improve docstrings + add doctest
justinvyu Jul 28, 2023
13be28a
Add uuid
justinvyu Jul 29, 2023
d3f86a3
Add exists_at_fs_path util in storage
justinvyu Jul 29, 2023
c03b188
Switch to json serialization + return empty dict if no metadata
justinvyu Jul 30, 2023
0aefe57
Accept pathlike in to_directory
justinvyu Jul 30, 2023
574e9b0
Fix accidental double upload
justinvyu Jul 30, 2023
3d8f1bc
Separate out custom fs into a helper fn
justinvyu Jul 30, 2023
f1882b0
Add new checkpoint unit tests
justinvyu Jul 30, 2023
174efa5
Test as_directory
justinvyu Jul 30, 2023
59dce21
Fix metadata writing with json serialization (convert to bytes first)
justinvyu Jul 30, 2023
7812420
Add unit test for metadata operations
justinvyu Jul 30, 2023
81ddf0a
Add basic unit test for multiprocess to_directory
justinvyu Jul 30, 2023
9c95018
Add comments about top-level constants + rename
justinvyu Jul 30, 2023
93778e6
Fix del lock to only be created on as_directory
justinvyu Jul 30, 2023
712ef29
Clean up the del lock code a bit
justinvyu Jul 31, 2023
8978262
Update docstring
justinvyu Jul 31, 2023
a282754
Fix lint
justinvyu Jul 31, 2023
a6d1c34
Add to BUILD file
justinvyu Jul 31, 2023
47c64fa
Merge branch 'master' of https://github.com/ray-project/ray into air/…
justinvyu Jul 31, 2023
0aff24a
Fix list del locks helper function + add unit test for multiprocess a…
justinvyu Jul 31, 2023
562eded
Merge branch 'master' of https://github.com/ray-project/ray into air/…
justinvyu Jul 31, 2023
92a2081
Merge branch 'master' of https://github.com/ray-project/ray into air/…
justinvyu Jul 31, 2023
39102f0
Use a random uuid
justinvyu Jul 31, 2023
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
8 changes: 8 additions & 0 deletions python/ray/train/BUILD
Original file line number Diff line number Diff line change
Expand Up @@ -286,6 +286,14 @@ py_test(
deps = [":train_lib"]
)

py_test(
name = "test_checkpoint",
size = "small",
srcs = ["tests/test_checkpoint.py"],
tags = ["team:ml", "exclusive"],
deps = [":train_lib"]
)

py_test(
name = "test_checkpoints",
size = "small",
Expand Down
12 changes: 10 additions & 2 deletions python/ray/train/_internal/storage.py
Original file line number Diff line number Diff line change
Expand Up @@ -195,6 +195,7 @@ def _upload_to_fs_path(
# (since we always create a directory at fs_path)
_create_directory(fs=fs, fs_path=fs_path)
_pyarrow_fs_copy_files(local_path, fs_path, destination_filesystem=fs)
return
Comment on lines 196 to +198
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Fix: if exclude is not passed, we were previously passing through, even though it should just perform this if block.


if not fsspec:
# TODO(justinvyu): Make fsspec a hard requirement of Tune/Train.
Expand Down Expand Up @@ -232,6 +233,14 @@ def _list_at_fs_path(fs: pyarrow.fs.FileSystem, fs_path: str) -> List[str]:
]


def _exists_at_fs_path(fs: pyarrow.fs.FileSystem, fs_path: str) -> bool:
"""Returns True if (fs, fs_path) exists."""
assert not is_uri(fs_path), fs_path

valid = fs.get_file_info([fs_path])[0]
return valid.type != pyarrow.fs.FileType.NotFound


def _is_directory(fs: pyarrow.fs.FileSystem, fs_path: str) -> bool:
"""Checks if (fs, fs_path) is a directory or a file.

Expand Down Expand Up @@ -450,8 +459,7 @@ def _create_validation_file(self):
def _check_validation_file(self):
"""Checks that the validation file exists at the storage path."""
valid_file = os.path.join(self.experiment_fs_path, ".validate_storage_marker")
valid = self.storage_filesystem.get_file_info([valid_file])[0]
if valid.type == pyarrow.fs.FileType.NotFound:
if not _exists_at_fs_path(fs=self.storage_filesystem, fs_path=valid_file):
raise RuntimeError(
f"Unable to set up cluster storage at storage_path={self.storage_path}"
"\nCheck that all nodes in the cluster have read/write access "
Expand Down
288 changes: 288 additions & 0 deletions python/ray/train/checkpoint.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,288 @@
import contextlib
import glob
import json
import logging
import os
import platform
import shutil
import tempfile
import traceback
from typing import Any, Dict, Iterator, List, Optional, Union
import uuid

import pyarrow.fs

from ray.air._internal.filelock import TempFileLock
from ray.train._internal.storage import _download_from_fs_path, _exists_at_fs_path
from ray.util.annotations import PublicAPI

logger = logging.getLogger(__name__)

# The filename of the file that stores user metadata set on the checkpoint.
_METADATA_FILE_NAME = ".metadata.json"

# The prefix of the temp checkpoint directory that `to_directory` downloads to
# on the local filesystem.
_CHECKPOINT_TEMP_DIR_PREFIX = "checkpoint_tmp_"


@PublicAPI(stability="beta")
class Checkpoint:
"""A reference to data persisted as a directory in local or remote storage.

Access checkpoint contents locally using `checkpoint.to_directory()`.

Example creating a checkpoint using `Checkpoint.from_directory`:

>>> from ray.train.checkpoint import Checkpoint
>>> checkpoint = Checkpoint.from_directory("/tmp/example_checkpoint_dir")
>>> checkpoint.filesystem # doctest: +ELLIPSIS
<pyarrow._fs.LocalFileSystem object...
>>> checkpoint.path
'/tmp/example_checkpoint_dir'

Example creating a checkpoint from a remote URI:

>>> checkpoint = Checkpoint("s3://bucket/path/to/checkpoint")
>>> checkpoint.filesystem # doctest: +ELLIPSIS
<pyarrow._s3fs.S3FileSystem object...
>>> checkpoint.path
'bucket/path/to/checkpoint'

Attributes:
path: A path on the filesystem containing the checkpoint contents.
filesystem: PyArrow FileSystem that can be used to access data at the `path`.
"""

def __init__(
self,
path: Union[str, os.PathLike],
filesystem: Optional["pyarrow.fs.FileSystem"] = None,
):
"""Construct a Checkpoint.

Args:
path: A local path or remote URI containing the checkpoint data.
If a filesystem is provided, then this path must NOT be a URI.
It should be a path on the filesystem with the prefix already stripped.
filesystem: PyArrow FileSystem to use to access data at the path.
If not specified, this is inferred from the URI scheme.
"""
self.path = str(path)
self.filesystem = filesystem

if path and not filesystem:
self.filesystem, self.path = pyarrow.fs.FileSystem.from_uri(path)

# This random UUID is used to create a temporary directory name on the
# local filesystem, which will be used for downloading checkpoint data.
# This ensures that if multiple processes download the same checkpoint object
# only one process performs the actual download while the others wait.
# This prevents duplicated download efforts and data.
# NOTE: Calling `to_directory` from multiple `Checkpoint` objects
# that point to the same (fs, path) will still download the data multiple times.
# This only ensures a canonical temp directory name for a single `Checkpoint`.
self._uuid = uuid.uuid4()

def __repr__(self):
return f"Checkpoint(filesystem={self.filesystem}, path={self.path})"

def get_metadata(self) -> Dict[str, Any]:
"""Return the metadata dict stored with the checkpoint.

If no metadata is stored, an empty dict is returned.
"""
metadata_path = os.path.join(self.path, _METADATA_FILE_NAME)
if not _exists_at_fs_path(self.filesystem, metadata_path):
return {}

with self.filesystem.open_input_file(metadata_path) as f:
return json.loads(f.readall().decode("utf-8"))

def set_metadata(self, metadata: Dict[str, Any]) -> None:
"""Set the metadata stored with this checkpoint.

This will overwrite any existing metadata stored with this checkpoint.
"""
metadata_path = os.path.join(self.path, _METADATA_FILE_NAME)
with self.filesystem.open_output_stream(metadata_path) as f:
f.write(json.dumps(metadata).encode("utf-8"))

def update_metadata(self, metadata: Dict[str, Any]) -> None:
"""Update the metadata stored with this checkpoint.

This will update any existing metadata stored with this checkpoint.
"""
existing_metadata = self.get_metadata()
existing_metadata.update(metadata)
self.set_metadata(existing_metadata)

@staticmethod
def from_directory(path: Union[str, os.PathLike]) -> "Checkpoint":
"""Create checkpoint object from a local directory.

Args:
path: Local directory containing checkpoint data. The caller should not
modify the contents of this directory after creating the Checkpoint.
If passing this checkpoint to `train.report`, Ray will take control
of the checkpoint directory.

Returns:
Checkpoint: checkpoint object.
"""
return Checkpoint(path, filesystem=pyarrow.fs.LocalFileSystem())

def to_directory(self, path: Optional[Union[str, os.PathLike]] = None) -> str:
"""Write checkpoint data to directory.

Args:
path: Target directory to restore data in. If not specified,
will create a temporary directory.

Returns:
str: Directory containing checkpoint data.
"""
user_provided_path = path is not None
local_path = (
path if user_provided_path else self._get_temporary_checkpoint_dir()
)
local_path = os.path.normpath(os.path.expanduser(str(local_path)))
os.makedirs(local_path, exist_ok=True)

try:
# Timeout 0 means there will be only one attempt to acquire
# the file lock. If it cannot be acquired, throw a TimeoutError
with TempFileLock(local_path, timeout=0):
_download_from_fs_path(
fs=self.filesystem, fs_path=self.path, local_path=local_path
)
except TimeoutError:
# if the directory is already locked, then wait but do not do anything.
with TempFileLock(local_path, timeout=-1):
pass
if not os.path.exists(local_path):
raise RuntimeError(
f"Checkpoint directory {local_path} does not exist, "
"even though it should have been created by "
"another process. Please raise an issue on GitHub: "
"https://github.com/ray-project/ray/issues"
)

return local_path

@contextlib.contextmanager
def as_directory(self) -> Iterator[str]:
"""Return checkpoint directory path in a context.

This function makes checkpoint data available as a directory while avoiding
unnecessary copies and left-over temporary data.

If the current path is local, it will return the existing path. If it is
not, it will create a temporary directory,
which will be deleted after the context is exited.

Users should treat the returned checkpoint directory as read-only and avoid
changing any data within it, as it might get deleted when exiting the context.

Example:

.. code-block:: python

with checkpoint.as_directory() as checkpoint_dir:
# Do some read-only processing of files within checkpoint_dir
pass

# At this point, if a temporary directory was created, it will have
# been deleted.

"""
if isinstance(self.filesystem, pyarrow.fs.LocalFileSystem):
yield self.path
else:
temp_dir = self.to_directory()
del_lock_path = _get_del_lock_path(temp_dir)
open(del_lock_path, "a").close()

yield temp_dir

# Cleanup
try:
os.remove(del_lock_path)
except Exception:
logger.warning(
f"Could not remove {del_lock_path} deletion file lock. "
f"Traceback:\n{traceback.format_exc()}"
)

# In the edge case (process crash before del lock file is removed),
# we do not remove the directory at all.
# Since it's in /tmp, this is not that big of a deal.
# check if any lock files are remaining
remaining_locks = _list_existing_del_locks(temp_dir)
if not remaining_locks:
try:
# Timeout 0 means there will be only one attempt to acquire
# the file lock. If it cannot be acquired, a TimeoutError
# will be thrown.
with TempFileLock(f"{temp_dir}.lock", timeout=0):
shutil.rmtree(temp_dir, ignore_errors=True)
except TimeoutError:
pass

def _get_temporary_checkpoint_dir(self) -> str:
"""Return the name for the temporary checkpoint dir that this checkpoint
will get downloaded to, if accessing via `to_directory` or `as_directory`.
"""
tmp_dir_path = tempfile.gettempdir()
checkpoint_dir_name = _CHECKPOINT_TEMP_DIR_PREFIX + self._uuid.hex
if platform.system() == "Windows":
# Max path on Windows is 260 chars, -1 for joining \
# Also leave a little for the del lock
del_lock_name = _get_del_lock_path("")
checkpoint_dir_name = (
_CHECKPOINT_TEMP_DIR_PREFIX
+ self._uuid.hex[
-259
+ len(_CHECKPOINT_TEMP_DIR_PREFIX)
+ len(tmp_dir_path)
+ len(del_lock_name) :
]
)
if not checkpoint_dir_name.startswith(_CHECKPOINT_TEMP_DIR_PREFIX):
raise RuntimeError(
"Couldn't create checkpoint directory due to length "
"constraints. Try specifying a shorter checkpoint path."
)
return os.path.join(tmp_dir_path, checkpoint_dir_name)

def __fspath__(self):
raise TypeError(
"You cannot use `Checkpoint` objects directly as paths. "
"Use `Checkpoint.to_directory()` or `Checkpoint.as_directory()` instead."
)


def _get_del_lock_path(path: str, suffix: str = None) -> str:
"""Get the path to the deletion lock file for a file/directory at `path`.

Example:

>>> _get_del_lock_path("/tmp/checkpoint_tmp") # doctest: +ELLIPSIS
'/tmp/checkpoint_tmp.del_lock_...
>>> _get_del_lock_path("/tmp/checkpoint_tmp/") # doctest: +ELLIPSIS
'/tmp/checkpoint_tmp.del_lock_...
>>> _get_del_lock_path("/tmp/checkpoint_tmp.txt") # doctest: +ELLIPSIS
'/tmp/checkpoint_tmp.txt.del_lock_...

"""
suffix = suffix if suffix is not None else str(os.getpid())
return f"{path.rstrip('/')}.del_lock_{suffix}"


def _list_existing_del_locks(path: str) -> List[str]:
"""List all the deletion lock files for a file/directory at `path`.

For example, if 2 checkpoints are being read via `as_directory`,
then this should return a list of 2 deletion lock files.
"""
return list(glob.glob(f"{_get_del_lock_path(path, suffix='*')}"))
Loading
Loading