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

Added delete_engine_wait function that completes once an engine is completely deleted #129

Draft
wants to merge 5 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
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
45 changes: 40 additions & 5 deletions railib/api.py
Original file line number Diff line number Diff line change
Expand Up @@ -101,6 +101,19 @@ class Permission(str, Enum):
LIST_ACCESS_KEYS = "list:accesskey"


@unique
class EngineState(str, Enum):
REQUESTED = "REQUESTED"
UPDATING = "UPDATING"
PROVISIONING = "PROVISIONING"
PROVISIONED = "PROVISIONED"
PROVISION_FAILED = "PROVISION_FAILED"
DELETING = "DELETING"
SUSPENDED = "SUSPENDED"
DEPROVISIONING = "DEPROVISIONING"
UNKNOWN = "UNKNOWN"


__all__ = [
"Context",
"Mode",
Expand All @@ -112,6 +125,7 @@ class Permission(str, Enum):
"create_oauth_client",
"delete_database",
"delete_engine",
"delete_engine_wait",
"delete_model",
"disable_user",
"enable_user",
Expand All @@ -134,8 +148,13 @@ class Permission(str, Enum):
"list_oauth_clients",
"load_csv",
"update_user",
"ResourceNotFoundError",
]

class ResourceNotFoundError(Exception):
"""An error response, typically triggered by a 412 response (for update) or 404 (for get/post)"""
pass


# Context contains the state required to make rAI API calls.
class Context(rest.Context):
Expand Down Expand Up @@ -221,11 +240,15 @@ def _get_resource(ctx: Context, path: str, key=None, **kwargs) -> Dict:
url = _mkurl(ctx, path)
rsp = rest.get(ctx, url, **kwargs)
rsp = json.loads(rsp.read())

if key:
rsp = rsp[key]
if rsp and isinstance(rsp, list):
assert len(rsp) == 1

if isinstance(rsp, list):
if len(rsp) == 0:
raise ResourceNotFoundError(f"Resource not found at {url}")
Copy link
Collaborator

Choose a reason for hiding this comment

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

is it correct to say that historically an assertion error would be thrown instead of ResourceNotFound? (If so its good, just want to make sure we minor-version bump since surface area is changing)

Copy link
Author

Choose a reason for hiding this comment

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

Nope, the assert was there to check if for some reason we get two resources with the same name. I don't think it was useful since the name is required to be unique for any resource. But even if we do get two resources with the same name for some reason the assert wouldn't do any good for the user as the user would just get confused.

The change is backward incompatible, previously the function would return an empty list if a requested resource not found. So any method like get_engine or get_database would return an empty list when we can't find a resource with the provided name. Ideally, our rest api should handle this and give 404 but since we don't have a rest api for it I emulate this behavior by throwing ResourceNotFoundError.

Copy link
Collaborator

Choose a reason for hiding this comment

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

got it, so we're replacing empty list with an error condition to match what a user of a rest api would expect (in this case that they get 1 resource and instead that resource doesn't exist)

return rsp[0]

return rsp


Expand Down Expand Up @@ -356,8 +379,8 @@ def poll_with_specified_overhead(
time.sleep(duration)


def is_engine_term_state(state: str) -> bool:
return state == "PROVISIONED" or ("FAILED" in state)
def is_engine_provisioning_term_state(state: str) -> bool:
return state in [EngineState.PROVISIONED, EngineState.PROVISION_FAILED]


def create_engine(ctx: Context, engine: str, size: str = "XS", **kwargs):
Expand All @@ -370,7 +393,7 @@ def create_engine(ctx: Context, engine: str, size: str = "XS", **kwargs):
def create_engine_wait(ctx: Context, engine: str, size: str = "XS", **kwargs):
create_engine(ctx, engine, size, **kwargs)
poll_with_specified_overhead(
lambda: is_engine_term_state(get_engine(ctx, engine)["state"]),
lambda: is_engine_provisioning_term_state(get_engine(ctx, engine)["state"]),
overhead_rate=0.2,
timeout=30 * 60,
)
Expand Down Expand Up @@ -416,6 +439,18 @@ def delete_engine(ctx: Context, engine: str, **kwargs) -> Dict:
return json.loads(rsp.read())


def delete_engine_wait(ctx: Context, engine: str, **kwargs):
rsp = delete_engine(ctx, engine, **kwargs)
rsp = rsp["status"]

while rsp["state"] in [EngineState.DEPROVISIONING, EngineState.DELETING]:
try:
rsp = get_engine(ctx, engine)
except ResourceNotFoundError:
break
time.sleep(3)


def delete_user(ctx: Context, id: str, **kwargs) -> Dict:
url = _mkurl(ctx, f"{PATH_USER}/{id}")
rsp = rest.delete(ctx, url, None, **kwargs)
Expand Down
84 changes: 84 additions & 0 deletions test/test_unit.py
Original file line number Diff line number Diff line change
@@ -1,8 +1,12 @@
import json
import unittest

from unittest.mock import patch, MagicMock
from railib import api


ctx = MagicMock()

class TestPolling(unittest.TestCase):
def test_timeout_exception(self):
try:
Expand All @@ -23,5 +27,85 @@ def test_validation(self):
api.poll_with_specified_overhead(lambda: True, overhead_rate=0.1, timeout=1, max_tries=1)


class TestEngineAPI(unittest.TestCase):
@patch('railib.rest.get')
def test_get_engine(self, mock_get):
response_json = {
"computes": [
{
"name": "test-engine"
}
]
}
mock_response = MagicMock()
mock_response.read.return_value = json.dumps(response_json).encode()
mock_get.return_value = mock_response

engine = api.get_engine(ctx, "test-engine")

self.assertEqual(engine, response_json['computes'][0])
mock_get.assert_called_once()

@patch('railib.rest.delete')
def test_delete_engine(self, mock_delete):
response_json = {
"status": {
"name": "test-engine",
"state": api.EngineState.DELETING.value,
"message": "engine \"test-engine\" deleted successfully"
}
}

mock_response = MagicMock()
mock_response.read.return_value = json.dumps(response_json).encode()
mock_delete.return_value = mock_response

res = api.delete_engine(ctx, "test-engine")

self.assertEqual(res, response_json)
mock_delete.assert_called_once()

@patch('railib.rest.delete')
@patch('railib.rest.get')
def test_delete_engine_wait(self, mock_get, mock_delete):
# mock response for engine delete
response_delete_json = {
"status": {
"name": "test-engine",
"state": "DELETING",
"message": "engine \"test-engine\" deleted successfully"
}
}
mock_response_delete = MagicMock()
mock_response_delete.read.return_value = json.dumps(response_delete_json).encode()
mock_delete.return_value = mock_response_delete

# mock response for engine get and return an engine in DEPROVISIONING state
response_get_deprovisioning_engine_json = {
"computes": [
{
"name": "test-engine",
"state": api.EngineState.DEPROVISIONING.value
}
]
}
mock_response_get_deprovisioning_engine = MagicMock()
mock_response_get_deprovisioning_engine.read.return_value = json.dumps(response_get_deprovisioning_engine_json).encode()

# mock response for engine get and return empty list as if the engine has been completely deleted
response_get_no_engine_json = {
"computes": []
}
mock_response_get_no_engine = MagicMock()
mock_response_get_no_engine.read.return_value = json.dumps(response_get_no_engine_json).encode()

mock_get.side_effect = [mock_response_get_deprovisioning_engine, mock_response_get_no_engine]

res = api.delete_engine_wait(ctx, "test-engine")
self.assertEqual(res, None)
self.assertEqual(mock_delete.call_count, 1)
self.assertEqual(mock_get.call_count, 2)


if __name__ == '__main__':
unittest.main()