89 lines
2.8 KiB
Python
89 lines
2.8 KiB
Python
"""Support for RESTful API."""
|
|
from __future__ import annotations
|
|
|
|
import logging
|
|
|
|
import httpx
|
|
|
|
from homeassistant.core import HomeAssistant
|
|
from homeassistant.helpers import template
|
|
from homeassistant.helpers.httpx_client import get_async_client
|
|
|
|
DEFAULT_TIMEOUT = 10
|
|
|
|
_LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
class RestData:
|
|
"""Class for handling the data retrieval."""
|
|
|
|
def __init__(
|
|
self,
|
|
hass: HomeAssistant,
|
|
method: str,
|
|
resource: str,
|
|
auth: httpx.DigestAuth | tuple[str, str] | None,
|
|
headers: dict[str, str] | None,
|
|
params: dict[str, str] | None,
|
|
data: str | None,
|
|
verify_ssl: bool,
|
|
timeout: int = DEFAULT_TIMEOUT,
|
|
) -> None:
|
|
"""Initialize the data object."""
|
|
self._hass = hass
|
|
self._method = method
|
|
self._resource = resource
|
|
self._auth = auth
|
|
self._headers = headers
|
|
self._params = params
|
|
self._request_data = data
|
|
self._timeout = timeout
|
|
self._verify_ssl = verify_ssl
|
|
self._async_client: httpx.AsyncClient | None = None
|
|
self.data: str | None = None
|
|
self.last_exception: Exception | None = None
|
|
self.headers: httpx.Headers | None = None
|
|
|
|
def set_url(self, url: str) -> None:
|
|
"""Set url."""
|
|
self._resource = url
|
|
|
|
async def async_update(self, log_errors: bool = True) -> None:
|
|
"""Get the latest data from REST service with provided method."""
|
|
if not self._async_client:
|
|
self._async_client = get_async_client(
|
|
self._hass, verify_ssl=self._verify_ssl
|
|
)
|
|
|
|
rendered_headers = template.render_complex(self._headers, parse_result=False)
|
|
rendered_params = template.render_complex(self._params)
|
|
|
|
_LOGGER.debug("Updating from %s", self._resource)
|
|
try:
|
|
response = await self._async_client.request(
|
|
self._method,
|
|
self._resource,
|
|
headers=rendered_headers,
|
|
params=rendered_params,
|
|
auth=self._auth,
|
|
content=self._request_data,
|
|
timeout=self._timeout,
|
|
follow_redirects=True,
|
|
)
|
|
self.data = response.text
|
|
self.headers = response.headers
|
|
except httpx.TimeoutException as ex:
|
|
if log_errors:
|
|
_LOGGER.error("Timeout while fetching data: %s", self._resource)
|
|
self.last_exception = ex
|
|
self.data = None
|
|
self.headers = None
|
|
except httpx.RequestError as ex:
|
|
if log_errors:
|
|
_LOGGER.error(
|
|
"Error fetching data: %s failed with %s", self._resource, ex
|
|
)
|
|
self.last_exception = ex
|
|
self.data = None
|
|
self.headers = None
|