#!/usr/bin/env python3 # © Copyright 2021-2022, Scott Gasch """Code involving querying various smart home thermometers.""" import logging import urllib.request from typing import Optional logger = logging.getLogger() class ThermometerRegistry(object): """A registry of thermometer hosts / names and how to talk with them.""" def __init__(self): self.thermometers = { 'house_outside': ('10.0.0.75', 'outside_temp'), 'house_inside_downstairs': ('10.0.0.75', 'inside_downstairs_temp'), 'house_inside_upstairs': ('10.0.0.75', 'inside_upstairs_temp'), 'house_computer_closet': ('10.0.0.75', 'computer_closet_temp'), 'house_crawlspace': ('10.0.0.75', 'crawlspace_temp'), 'cabin_outside': ('192.168.0.107', 'outside_temp'), 'cabin_inside': ('192.168.0.107', 'inside_temp'), 'cabin_crawlspace': ('192.168.0.107', 'crawlspace_temp'), 'cabin_hottub': ('192.168.0.107', 'hottub_temp'), } def read_temperature(self, location: str, *, convert_to_fahrenheit=False) -> Optional[float]: record = self.thermometers.get(location, None) if record is None: logger.error( 'Location %s is not known. Valid locations are %s.', location, self.thermometers.keys(), ) return None url = f'http://{record[0]}/~pi/{record[1]}' logger.debug('Constructed URL: %s', url) try: www = urllib.request.urlopen(url, timeout=3) temp = www.read().decode('utf-8') temp = float(temp) if convert_to_fahrenheit: temp *= 9 / 5 temp += 32.0 temp = round(temp) except Exception as e: logger.exception(e) logger.error('Failed to read temperature at URL: %s', url) temp = None finally: if www is not None: www.close() return temp