forked from gkreitz/homeassistant-grohe_sense
-
Notifications
You must be signed in to change notification settings - Fork 1
/
sensor.py
250 lines (205 loc) · 10.8 KB
/
sensor.py
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
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
import logging
import asyncio
import collections
from datetime import (datetime, timezone, timedelta)
from homeassistant.helpers.entity import Entity
from homeassistant.util import Throttle
from homeassistant.const import (VOLUME_LITERS, STATE_UNAVAILABLE, STATE_UNKNOWN, TEMP_CELSIUS, DEVICE_CLASS_TEMPERATURE, PERCENTAGE, DEVICE_CLASS_HUMIDITY, VOLUME_FLOW_RATE_CUBIC_METERS_PER_HOUR, PRESSURE_BAR, DEVICE_CLASS_PRESSURE, TEMP_CELSIUS, DEVICE_CLASS_TEMPERATURE, VOLUME_LITERS)
from homeassistant.helpers import aiohttp_client
from . import (DOMAIN, BASE_URL, GROHE_SENSE_TYPE, GROHE_SENSE_GUARD_TYPE)
_LOGGER = logging.getLogger(__name__)
SensorType = collections.namedtuple('SensorType', ['unit', 'device_class', 'function'])
SENSOR_TYPES = {
'temperature': SensorType(TEMP_CELSIUS, DEVICE_CLASS_TEMPERATURE, lambda x : x),
'humidity': SensorType(PERCENTAGE, DEVICE_CLASS_HUMIDITY, lambda x : x),
'flowrate': SensorType(VOLUME_FLOW_RATE_CUBIC_METERS_PER_HOUR, None, lambda x : x * 3.6),
'pressure': SensorType(PRESSURE_BAR, DEVICE_CLASS_PRESSURE, lambda x : x * 1000),
'temperature_guard': SensorType(TEMP_CELSIUS, DEVICE_CLASS_TEMPERATURE, lambda x : x),
#'waterconsumption': SensorType(VOLUME_LITERS, None, lambda x : x)
}
SENSOR_TYPES_PER_UNIT = {
GROHE_SENSE_TYPE: [ 'temperature', 'humidity'],
GROHE_SENSE_GUARD_TYPE: [ 'flowrate', 'pressure', 'temperature_guard']
}
NOTIFICATION_UPDATE_DELAY = timedelta(minutes=1)
NOTIFICATION_TYPES = { # The protocol returns notification information as a (category, type) tuple, this maps to strings
(10,60) : 'Firmware update available',
(10,460) : 'Firmware update available',
(20,11) : 'Battery low',
(20,12) : 'Battery empty',
(20,20) : 'Below temperature threshold',
(20,21) : 'Above temperature threshold',
(20,30) : 'Below humidity threshold',
(20,31) : 'Above humidity threshold',
(20,40) : 'Frost warning',
(20,80) : 'Lost wifi',
(20,320) : 'Unusual water consumption (water shut off)',
(20,321) : 'Unusual water consumption (water not shut off)',
(20,330) : 'Micro leakage',
(20,340) : 'Frost warning',
(20,380) : 'Lost wifi',
(30,0) : 'Flooding',
(30,310) : 'Pipe break',
(30,400) : 'Maximum volume reached',
(30,430) : 'Sense detected water (water shut off)',
(30,431) : 'Sense detected water (water not shut off)',
}
async def async_setup_platform(hass, config, async_add_entities, discovery_info=None):
_LOGGER.debug("Starting Grohe Sense sensor")
if DOMAIN not in hass.data or 'devices' not in hass.data[DOMAIN]:
_LOGGER.error("Did not find shared objects. You may need to update your configuration (this module should no longer be configured under sensor).")
return
auth_session = hass.data[DOMAIN]['session']
entities = []
for device in hass.data[DOMAIN]['devices']:
reader = GroheSenseGuardReader(auth_session, device.locationId, device.roomId, device.applianceId, device.type)
entities.append(GroheSenseNotificationEntity(auth_session, device.locationId, device.roomId, device.applianceId, device.name))
if device.type in SENSOR_TYPES_PER_UNIT:
entities += [GroheSenseSensorEntity(reader, device.name, key) for key in SENSOR_TYPES_PER_UNIT[device.type]]
if device.type == GROHE_SENSE_GUARD_TYPE: # The sense guard also gets sensor entities for water flow
entities.append(GroheSenseGuardWithdrawalsEntity(reader, device.name, 1))
entities.append(GroheSenseGuardWithdrawalsEntity(reader, device.name, 7))
else:
_LOGGER.warning('Unrecognized appliance %s, ignoring.', device)
if entities:
async_add_entities(entities)
class GroheSenseGuardReader:
def __init__(self, auth_session, locationId, roomId, applianceId, device_type):
self._auth_session = auth_session
self._locationId = locationId
self._roomId = roomId
self._applianceId = applianceId
self._type = device_type
self._withdrawals = []
self._measurements = {}
self._poll_from = datetime.now(tz=timezone.utc) - timedelta(7)
self._fetching_data = None
self._data_fetch_completed = datetime.min
@property
def applianceId(self):
""" returns the appliance Identifier, looks like a UUID, so hopefully unique """
return self._applianceId
async def async_update(self):
_LOGGER.debug('Updating appliance %s', self._applianceId)
if self._fetching_data != None:
await self._fetching_data.wait()
return
if datetime.now() - self._data_fetch_completed < timedelta(minutes=10):
_LOGGER.debug('Skipping fetching new data, time since last fetch was only %s', datetime.now() - self._data_fetch_completed)
return
_LOGGER.debug("Fetching new data for appliance %s", self._applianceId)
self._fetching_data = asyncio.Event()
def parse_time(s):
if s.rfind(':') > s.find('+'):
s = s[:s.rfind(':')] + s[s.rfind(':')+1:]
return datetime.strptime(s, '%Y-%m-%dT%H:%M:%S.%f%z')
poll_from = self._poll_from.strftime('%Y-%m-%d')
measurements_response = await self._auth_session.get(BASE_URL + f'locations/{self._locationId}/rooms/{self._roomId}/appliances/{self._applianceId}/data/aggregated?from={poll_from}')
_LOGGER.debug('Data read: %s', measurements_response['data'])
if 'withdrawals' in measurements_response['data']:
withdrawals = measurements_response['data']['withdrawals']
_LOGGER.debug('Received %d withdrawals in response', len(withdrawals))
for w in withdrawals:
_LOGGER.debug("Raw starttime:", repr(w))
date_str = w['date']
if len(date_str) == 10: # Check if the date string is in 'YYYY-MM-DD' format
date_str += 'T00:00:00.000000+0000' # Add default time and timezone
w['starttime'] = parse_time(date_str)
withdrawals = [w for w in withdrawals if w['starttime'] > self._poll_from]
withdrawals.sort(key=lambda x: x['starttime'])
_LOGGER.debug('Gots %d new withdrawals totaling %f volume', len(withdrawals), sum((w['waterconsumption'] for w in withdrawals)))
self._withdrawals += withdrawals
if len(self._withdrawals) > 0:
self._poll_from = max(self._poll_from, self._withdrawals[-1]['starttime'])
elif self._type != GROHE_SENSE_TYPE:
_LOGGER.debug('Data response for appliance %s did not contain any withdrawals data', self._applianceId)
if 'measurement' in measurements_response['data']:
_LOGGER.debug('Received %d measurements in response - RIEKANDEBUG', len(measurements_response['data']['measurement']))
measurements = measurements_response['data']['measurement']
measurements.sort(key=lambda x: x['date'])
if len(measurements):
for key in SENSOR_TYPES_PER_UNIT[self._type]:
_LOGGER.debug('key: %s', key)
if key in measurements[-1]:
self._measurements[key] = measurements[-1][key]
self._poll_from = datetime.strptime(measurements[-1]['date'], '%Y-%m-%d')
else:
_LOGGER.info('Data response for appliance %s did not contain any measurements data', self._applianceId)
self._data_fetch_completed = datetime.now()
self._fetching_data.set()
self._fetching_data = None
def consumption(self, since):
# Filtere die Wasserentnahmen ab dem Zeitpunkt 'since'
withdrawals_since = [w for w in self._withdrawals if w['starttime'] > since]
# Summiere den Wasserverbrauch
total_consumption = sum(w['waterconsumption'] for w in withdrawals_since)
return total_consumption if withdrawals_since else 0
class GroheSenseNotificationEntity(Entity):
def __init__(self, auth_session, locationId, roomId, applianceId, name):
self._auth_session = auth_session
self._locationId = locationId
self._roomId = roomId
self._applianceId = applianceId
self._name = name
self._notifications = []
@property
def name(self):
return f'{self._name} notifications'
@property
def state(self):
def truncate_string(l, s):
if len(s) > l:
return s[:l-4] + ' ...'
return s
return truncate_string(255, '\n'.join([NOTIFICATION_TYPES.get((n['category'], n['type']), 'Unknown notification: {}'.format(n)) for n in self._notifications]))
@Throttle(NOTIFICATION_UPDATE_DELAY)
async def async_update(self):
self._notifications = await self._auth_session.get(BASE_URL + f'locations/{self._locationId}/rooms/{self._roomId}/appliances/{self._applianceId}/notifications')
class GroheSenseGuardWithdrawalsEntity(Entity):
def __init__(self, reader, name, days):
self._reader = reader
self._name = name
self._days = days
_LOGGER.info('reader: %s', repr(reader))
#@property
#def unique_id(self):
# return '{}-{}'.format(self._reader.applianceId, self._days)
@property
def name(self):
return '{} {} day'.format(self._name, self._days)
@property
def unit_of_measurement(self):
return VOLUME_LITERS
@property
def state(self):
if self._days == 1: # special case, if we're averaging over 1 day, just count since midnight local time
since = datetime.now().astimezone().replace(hour=0,minute=0,second=0,microsecond=0)
else: # otherwise, it's a rolling X day average
since = datetime.now(tz=timezone.utc) - timedelta(self._days)
consumption_value = self._reader.consumption(since)
return consumption_value if consumption_value is not None else 0
async def async_update(self):
await self._reader.async_update()
class GroheSenseSensorEntity(Entity):
def __init__(self, reader, name, key):
self._reader = reader
self._name = name
self._key = key
@property
def name(self):
return '{} {}'.format(self._name, self._key)
@property
def unit_of_measurement(self):
return SENSOR_TYPES[self._key].unit
@property
def device_class(self):
return SENSOR_TYPES[self._key].device_class
@property
def state(self):
raw_state = self._reader._measurements.get(self._key, STATE_UNKNOWN)
if raw_state in (STATE_UNKNOWN, STATE_UNAVAILABLE):
return raw_state
else:
return SENSOR_TYPES[self._key].function(raw_state)
async def async_update(self):
await self._reader.async_update()