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
|
from __future__ import annotations
import functools
import warnings
from typing import Any
import attrs
import multiurl.base
import requests
from . import catalogue, config, processing, profile
def strtobool(value: str) -> bool:
if value.lower() in ("y", "yes", "t", "true", "on", "1"):
return True
if value.lower() in ("n", "no", "f", "false", "off", "0"):
return False
raise ValueError(f"invalid truth value {value!r}")
@attrs.define(slots=False)
class ApiClient:
url: str | None = None
key: str | None = None
verify: bool | None = None
timeout: int = 60
progress: bool = True
cleanup: bool = False
sleep_max: int = 120
retry_after: int = 120
maximum_tries: int = 500
session: requests.Session = attrs.field(factory=requests.Session)
def __attrs_post_init__(self) -> None:
if self.url is None:
self.url = str(config.get_config("url"))
if self.key is None:
try:
self.key = str(config.get_config("key"))
except (KeyError, FileNotFoundError):
warnings.warn("The API key is missing", UserWarning)
if self.verify is None:
try:
self.verify = strtobool(str(config.get_config("verify")))
except (KeyError, FileNotFoundError):
self.verify = True
def _get_headers(self, key_is_mandatory: bool = True) -> dict[str, str]:
if self.key is None:
if key_is_mandatory:
raise ValueError("The API key is needed to access this resource")
return {}
return {"PRIVATE-TOKEN": self.key}
@property
def _retry_options(self) -> dict[str, Any]:
return {
"maximum_tries": self.maximum_tries,
"retry_after": self.retry_after,
}
@property
def _download_options(self) -> dict[str, Any]:
progress_bar = (
multiurl.base.progress_bar if self.progress else multiurl.base.NoBar
)
return {
"progress_bar": progress_bar,
}
@property
def _request_options(self) -> dict[str, Any]:
return {
"timeout": self.timeout,
"verify": self.verify,
}
def _get_request_kwargs(
self, mandatory_key: bool = True
) -> processing.RequestKwargs:
return processing.RequestKwargs(
headers=self._get_headers(key_is_mandatory=mandatory_key),
session=self.session,
retry_options=self._retry_options,
request_options=self._request_options,
download_options=self._download_options,
sleep_max=self.sleep_max,
cleanup=self.cleanup,
)
@functools.cached_property
def catalogue_api(self) -> catalogue.Catalogue:
return catalogue.Catalogue(
f"{self.url}/catalogue",
**self._get_request_kwargs(mandatory_key=False),
)
@functools.cached_property
def retrieve_api(self) -> processing.Processing:
return processing.Processing(
f"{self.url}/retrieve", **self._get_request_kwargs()
)
@functools.cached_property
def profile_api(self) -> profile.Profile:
return profile.Profile(f"{self.url}/profiles", **self._get_request_kwargs())
def check_authentication(self) -> dict[str, Any]:
return self.profile_api.check_authentication()
def collections(self, **params: dict[str, Any]) -> catalogue.Collections:
return self.catalogue_api.collections(params=params)
def collection(self, collection_id: str) -> catalogue.Collection:
return self.catalogue_api.collection(collection_id)
def processes(self, **params: dict[str, Any]) -> processing.ProcessList:
return self.retrieve_api.processes(params=params)
def process(self, process_id: str) -> processing.Process:
return self.retrieve_api.process(process_id=process_id)
def submit(self, collection_id: str, **request: Any) -> processing.Remote:
return self.retrieve_api.submit(collection_id, **request)
def submit_and_wait_on_result(
self, collection_id: str, **request: Any
) -> processing.Results:
return self.retrieve_api.submit_and_wait_on_result(collection_id, **request)
def retrieve(
self,
collection_id: str,
target: str | None = None,
**request: Any,
) -> str:
result = self.submit_and_wait_on_result(collection_id, **request)
return result.download(target)
def get_requests(self, **params: dict[str, Any]) -> processing.JobList:
return self.retrieve_api.jobs(params=params)
def get_request(self, request_uid: str) -> processing.StatusInfo:
return self.retrieve_api.job(request_uid)
def get_remote(self, request_uid: str) -> processing.Remote:
request = self.get_request(request_uid=request_uid)
return request.make_remote()
def download_result(self, request_uid: str, target: str | None) -> str:
return self.retrieve_api.download_result(request_uid, target)
def valid_values(
self, collection_id: str, request: dict[str, Any]
) -> dict[str, Any]:
process = self.retrieve_api.process(collection_id)
return process.valid_values(request)
@property
def licences(self) -> dict[str, Any]:
return self.catalogue_api.licenses()
@property
def accepted_licences(self) -> dict[str, Any]:
return self.profile_api.accepted_licences()
def accept_licence(self, licence_id: str, revision: int) -> dict[str, Any]:
return self.profile_api.accept_licence(licence_id, revision=revision)
|