Skip to content

Commit e853df4

Browse files
authored
Add Pterodactyl integration (home-assistant#141197)
* Add Pterodactyl integration * Remove translation for unavailable platform sensor, use constant for host * Improve data descriptions * Replace index based handling of data (list) with dict[str, PterodactylData] * Replace CONF_HOST with CONF_URL * Parse URL with YARL * Set proper availability in binary sensor * Remove storage of data within api.py * Fix some review findings * Use better unique ID for binary_sensor * Fix more review findings * Fix remaining review findings * Add wrapper for server and util API, use underscore in unique ID * Reuse result in config flow tests * Patch async_setup_entry in config_flow tests * Move patching of library APIs to the fixture mock_pterodactyl
1 parent 4cd4201 commit e853df4

18 files changed

+822
-0
lines changed

CODEOWNERS

+2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
"""The Pterodactyl integration."""
2+
3+
from __future__ import annotations
4+
5+
from homeassistant.const import Platform
6+
from homeassistant.core import HomeAssistant
7+
8+
from .coordinator import PterodactylConfigEntry, PterodactylCoordinator
9+
10+
_PLATFORMS: list[Platform] = [Platform.BINARY_SENSOR]
11+
12+
13+
async def async_setup_entry(hass: HomeAssistant, entry: PterodactylConfigEntry) -> bool:
14+
"""Set up Pterodactyl from a config entry."""
15+
coordinator = PterodactylCoordinator(hass, entry)
16+
await coordinator.async_config_entry_first_refresh()
17+
entry.runtime_data = coordinator
18+
await hass.config_entries.async_forward_entry_setups(entry, _PLATFORMS)
19+
20+
return True
21+
22+
23+
async def async_unload_entry(
24+
hass: HomeAssistant, entry: PterodactylConfigEntry
25+
) -> bool:
26+
"""Unload a Pterodactyl config entry."""
27+
return await hass.config_entries.async_unload_platforms(entry, _PLATFORMS)
+120
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,120 @@
1+
"""API module of the Pterodactyl integration."""
2+
3+
from dataclasses import dataclass
4+
import logging
5+
6+
from pydactyl import PterodactylClient
7+
from pydactyl.exceptions import (
8+
BadRequestError,
9+
ClientConfigError,
10+
PterodactylApiError,
11+
PydactylError,
12+
)
13+
14+
from homeassistant.core import HomeAssistant
15+
16+
_LOGGER = logging.getLogger(__name__)
17+
18+
19+
class PterodactylConfigurationError(Exception):
20+
"""Raised when the configuration is invalid."""
21+
22+
23+
class PterodactylConnectionError(Exception):
24+
"""Raised when no data can be fechted from the server."""
25+
26+
27+
@dataclass
28+
class PterodactylData:
29+
"""Data for the Pterodactyl server."""
30+
31+
name: str
32+
uuid: str
33+
identifier: str
34+
state: str
35+
memory_utilization: int
36+
cpu_utilization: float
37+
disk_utilization: int
38+
network_rx_utilization: int
39+
network_tx_utilization: int
40+
uptime: int
41+
42+
43+
class PterodactylAPI:
44+
"""Wrapper for Pterodactyl's API."""
45+
46+
pterodactyl: PterodactylClient | None
47+
identifiers: list[str]
48+
49+
def __init__(self, hass: HomeAssistant, host: str, api_key: str) -> None:
50+
"""Initialize the Pterodactyl API."""
51+
self.hass = hass
52+
self.host = host
53+
self.api_key = api_key
54+
self.pterodactyl = None
55+
self.identifiers = []
56+
57+
async def async_init(self):
58+
"""Initialize the Pterodactyl API."""
59+
self.pterodactyl = PterodactylClient(self.host, self.api_key)
60+
61+
try:
62+
paginated_response = await self.hass.async_add_executor_job(
63+
self.pterodactyl.client.servers.list_servers
64+
)
65+
except ClientConfigError as error:
66+
raise PterodactylConfigurationError(error) from error
67+
except (
68+
PydactylError,
69+
BadRequestError,
70+
PterodactylApiError,
71+
) as error:
72+
raise PterodactylConnectionError(error) from error
73+
else:
74+
game_servers = paginated_response.collect()
75+
for game_server in game_servers:
76+
self.identifiers.append(game_server["attributes"]["identifier"])
77+
78+
_LOGGER.debug("Identifiers of Pterodactyl servers: %s", self.identifiers)
79+
80+
def get_server_data(self, identifier: str) -> tuple[dict, dict]:
81+
"""Get all data from the Pterodactyl server."""
82+
server = self.pterodactyl.client.servers.get_server(identifier) # type: ignore[union-attr]
83+
utilization = self.pterodactyl.client.servers.get_server_utilization( # type: ignore[union-attr]
84+
identifier
85+
)
86+
87+
return server, utilization
88+
89+
async def async_get_data(self) -> dict[str, PterodactylData]:
90+
"""Update the data from all Pterodactyl servers."""
91+
data = {}
92+
93+
for identifier in self.identifiers:
94+
try:
95+
server, utilization = await self.hass.async_add_executor_job(
96+
self.get_server_data, identifier
97+
)
98+
except (
99+
PydactylError,
100+
BadRequestError,
101+
PterodactylApiError,
102+
) as error:
103+
raise PterodactylConnectionError(error) from error
104+
else:
105+
data[identifier] = PterodactylData(
106+
name=server["name"],
107+
uuid=server["uuid"],
108+
identifier=identifier,
109+
state=utilization["current_state"],
110+
cpu_utilization=utilization["resources"]["cpu_absolute"],
111+
memory_utilization=utilization["resources"]["memory_bytes"],
112+
disk_utilization=utilization["resources"]["disk_bytes"],
113+
network_rx_utilization=utilization["resources"]["network_rx_bytes"],
114+
network_tx_utilization=utilization["resources"]["network_tx_bytes"],
115+
uptime=utilization["resources"]["uptime"],
116+
)
117+
118+
_LOGGER.debug("%s", data[identifier])
119+
120+
return data
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,64 @@
1+
"""Binary sensor platform of the Pterodactyl integration."""
2+
3+
from homeassistant.components.binary_sensor import (
4+
BinarySensorDeviceClass,
5+
BinarySensorEntity,
6+
BinarySensorEntityDescription,
7+
)
8+
from homeassistant.core import HomeAssistant
9+
from homeassistant.helpers.entity_platform import AddConfigEntryEntitiesCallback
10+
11+
from .coordinator import PterodactylConfigEntry, PterodactylCoordinator
12+
from .entity import PterodactylEntity
13+
14+
KEY_STATUS = "status"
15+
16+
17+
BINARY_SENSOR_DESCRIPTIONS = [
18+
BinarySensorEntityDescription(
19+
key=KEY_STATUS,
20+
translation_key=KEY_STATUS,
21+
device_class=BinarySensorDeviceClass.RUNNING,
22+
),
23+
]
24+
25+
# Coordinator is used to centralize the data updates.
26+
PARALLEL_UPDATES = 0
27+
28+
29+
async def async_setup_entry(
30+
hass: HomeAssistant,
31+
config_entry: PterodactylConfigEntry,
32+
async_add_entities: AddConfigEntryEntitiesCallback,
33+
) -> None:
34+
"""Set up the Pterodactyl binary sensor platform."""
35+
coordinator = config_entry.runtime_data
36+
37+
async_add_entities(
38+
PterodactylBinarySensorEntity(
39+
coordinator, identifier, description, config_entry
40+
)
41+
for identifier in coordinator.api.identifiers
42+
for description in BINARY_SENSOR_DESCRIPTIONS
43+
)
44+
45+
46+
class PterodactylBinarySensorEntity(PterodactylEntity, BinarySensorEntity):
47+
"""Representation of a Pterodactyl binary sensor base entity."""
48+
49+
def __init__(
50+
self,
51+
coordinator: PterodactylCoordinator,
52+
identifier: str,
53+
description: BinarySensorEntityDescription,
54+
config_entry: PterodactylConfigEntry,
55+
) -> None:
56+
"""Initialize binary sensor base entity."""
57+
super().__init__(coordinator, identifier, config_entry)
58+
self.entity_description = description
59+
self._attr_unique_id = f"{self.game_server_data.uuid}_{description.key}"
60+
61+
@property
62+
def is_on(self) -> bool:
63+
"""Return binary sensor state."""
64+
return self.game_server_data.state == "running"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,62 @@
1+
"""Config flow for the Pterodactyl integration."""
2+
3+
from __future__ import annotations
4+
5+
import logging
6+
from typing import Any
7+
8+
import voluptuous as vol
9+
from yarl import URL
10+
11+
from homeassistant.config_entries import ConfigFlow, ConfigFlowResult
12+
from homeassistant.const import CONF_API_KEY, CONF_URL
13+
14+
from .api import (
15+
PterodactylAPI,
16+
PterodactylConfigurationError,
17+
PterodactylConnectionError,
18+
)
19+
from .const import DOMAIN
20+
21+
_LOGGER = logging.getLogger(__name__)
22+
23+
DEFAULT_URL = "http://localhost:8080"
24+
25+
STEP_USER_DATA_SCHEMA = vol.Schema(
26+
{
27+
vol.Required(CONF_URL, default=DEFAULT_URL): str,
28+
vol.Required(CONF_API_KEY): str,
29+
}
30+
)
31+
32+
33+
class PterodactylConfigFlow(ConfigFlow, domain=DOMAIN):
34+
"""Handle a config flow for Pterodactyl."""
35+
36+
VERSION = 1
37+
38+
async def async_step_user(
39+
self, user_input: dict[str, Any] | None = None
40+
) -> ConfigFlowResult:
41+
"""Handle the initial step."""
42+
errors: dict[str, str] = {}
43+
if user_input is not None:
44+
url = URL(user_input[CONF_URL]).human_repr()
45+
api_key = user_input[CONF_API_KEY]
46+
47+
self._async_abort_entries_match({CONF_URL: url})
48+
api = PterodactylAPI(self.hass, url, api_key)
49+
50+
try:
51+
await api.async_init()
52+
except (PterodactylConfigurationError, PterodactylConnectionError):
53+
errors["base"] = "cannot_connect"
54+
except Exception:
55+
_LOGGER.exception("Unexpected exception occurred during config flow")
56+
errors["base"] = "unknown"
57+
else:
58+
return self.async_create_entry(title=url, data=user_input)
59+
60+
return self.async_show_form(
61+
step_id="user", data_schema=STEP_USER_DATA_SCHEMA, errors=errors
62+
)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
"""Constants for the Pterodactyl integration."""
2+
3+
DOMAIN = "pterodactyl"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,66 @@
1+
"""Data update coordinator of the Pterodactyl integration."""
2+
3+
from __future__ import annotations
4+
5+
from datetime import timedelta
6+
import logging
7+
8+
from homeassistant.config_entries import ConfigEntry
9+
from homeassistant.const import CONF_API_KEY, CONF_URL
10+
from homeassistant.core import HomeAssistant
11+
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator, UpdateFailed
12+
13+
from .api import (
14+
PterodactylAPI,
15+
PterodactylConfigurationError,
16+
PterodactylConnectionError,
17+
PterodactylData,
18+
)
19+
20+
SCAN_INTERVAL = timedelta(seconds=60)
21+
22+
_LOGGER = logging.getLogger(__name__)
23+
24+
type PterodactylConfigEntry = ConfigEntry[PterodactylCoordinator]
25+
26+
27+
class PterodactylCoordinator(DataUpdateCoordinator[dict[str, PterodactylData]]):
28+
"""Pterodactyl data update coordinator."""
29+
30+
config_entry: PterodactylConfigEntry
31+
api: PterodactylAPI
32+
33+
def __init__(
34+
self,
35+
hass: HomeAssistant,
36+
config_entry: PterodactylConfigEntry,
37+
) -> None:
38+
"""Initialize coordinator instance."""
39+
40+
super().__init__(
41+
hass=hass,
42+
name=config_entry.data[CONF_URL],
43+
config_entry=config_entry,
44+
logger=_LOGGER,
45+
update_interval=SCAN_INTERVAL,
46+
)
47+
48+
async def _async_setup(self) -> None:
49+
"""Set up the Pterodactyl data coordinator."""
50+
self.api = PterodactylAPI(
51+
hass=self.hass,
52+
host=self.config_entry.data[CONF_URL],
53+
api_key=self.config_entry.data[CONF_API_KEY],
54+
)
55+
56+
try:
57+
await self.api.async_init()
58+
except PterodactylConfigurationError as error:
59+
raise UpdateFailed(error) from error
60+
61+
async def _async_update_data(self) -> dict[str, PterodactylData]:
62+
"""Get updated data from the Pterodactyl server."""
63+
try:
64+
return await self.api.async_get_data()
65+
except PterodactylConnectionError as error:
66+
raise UpdateFailed(error) from error

0 commit comments

Comments
 (0)