platform.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300
  1. # -*- coding: utf-8 -*-
  2. from enum import Enum
  3. from typing import Dict, List, Optional, Tuple
  4. import arrow
  5. import numpy as np
  6. from httpx import AsyncClient, URL
  7. from loguru import logger
  8. from app.core.config import settings
  9. from app.services.service import Service
  10. from app.utils.date import get_time_str, TIME_FMT
  11. from app.utils.math import round_half_up
  12. class InfoCode(str, Enum):
  13. temperature = 'Tdb'
  14. co2 = 'CO2'
  15. hcho = 'HCHO'
  16. pm2d5 = 'PM2d5'
  17. humidity = 'RH'
  18. supply_air_flow = 'SupplyAirFlow'
  19. supply_air_flow_set = 'SupplyAirFlowSet'
  20. supply_air_temperature = 'SupplyAirTemp'
  21. supply_air_temperature_set = 'SupplyAirTempSet'
  22. fan_speed = 'FanGear'
  23. fan_speed_set = 'FanGearSet'
  24. fan_freq = 'FanFreq'
  25. fan_freq_set = 'FanFreqSet'
  26. supply_static_press = 'SupplyStaticPress'
  27. supply_static_press_set = 'SupplyStaticPressSet'
  28. running_status = 'RunStatus'
  29. cloud_status = 'InCloudStatus'
  30. equip_switch_set = 'EquipSwitchSet'
  31. return_air_temperature = 'ReturnAirTemp'
  32. chill_water_valve_opening_set = 'ChillWaterValveOpeningSet'
  33. hot_water_valve_opening_set = 'HotWaterValveOpeningSet'
  34. water_valve_switch_set = 'WaterValveSwitchSet'
  35. in_cloud_set = 'InCloudSet'
  36. work_mode_set = 'WorkModeSet'
  37. supply_temperature = 'SupplyTemp'
  38. water_out_temperature = 'WaterOutTemp'
  39. water_in_temperature = 'WaterInTemp'
  40. valve_opening = 'ValveOpening'
  41. class DataPlatformService(Service):
  42. def __init__(
  43. self,
  44. client: AsyncClient,
  45. project_id: str,
  46. server_settings=settings
  47. ):
  48. super(DataPlatformService, self).__init__(client)
  49. self._project_id = project_id
  50. self._base_url = URL(server_settings.PLATFORM_HOST)
  51. self._now_time = get_time_str()
  52. self._secret = server_settings.PLATFORM_SECRET
  53. def _common_parameters(self) -> Dict:
  54. return {'projectId': self._project_id, 'secret': self._secret}
  55. async def get_realtime_data(self, code: InfoCode, object_id: str) -> float:
  56. url = self._base_url.join('data-platform-3/hisdata/query_by_obj')
  57. params = self._common_parameters()
  58. start_time = get_time_str(60 * 60, flag='ago')
  59. payload = {
  60. 'criteria': {
  61. 'id': object_id,
  62. 'code': code.value,
  63. 'receivetime': {
  64. '$gte': start_time,
  65. '$lte': self._now_time,
  66. }
  67. }
  68. }
  69. raw_info = await self._post(url, params, payload)
  70. try:
  71. latest_data = raw_info.get('Content')[-1].get('data')
  72. latest_time = raw_info.get('Content')[-1].get('receivetime')
  73. if arrow.get(latest_time, TIME_FMT).shift(minutes=15) < arrow.get(self._now_time, TIME_FMT):
  74. logger.info(f'delayed data - {object_id}: ({latest_time}, {latest_data})')
  75. value = round_half_up(latest_data, 2)
  76. except (IndexError, KeyError, TypeError):
  77. value = np.NAN
  78. return value
  79. async def get_duration(self, code: InfoCode, object_id: str, duration: int) -> List[Dict]:
  80. url = self._base_url.join('data-platform-3/hisdata/query_by_obj')
  81. params = self._common_parameters()
  82. start_time = get_time_str(duration, flag='ago')
  83. payload = {
  84. 'criteria': {
  85. 'id': object_id,
  86. 'code': code.value,
  87. 'receivetime': {
  88. '$gte': start_time,
  89. '$lte': self._now_time,
  90. }
  91. }
  92. }
  93. raw_info = await self._post(url, params, payload)
  94. try:
  95. content = raw_info.get('Content')
  96. latest_time = content[-1].get('receivetime')
  97. if arrow.get(latest_time, TIME_FMT).shift(minutes=15) < arrow.get(self._now_time, TIME_FMT):
  98. result = []
  99. logger.info(f'delayed data - {object_id}: ({latest_time})')
  100. else:
  101. result = [
  102. {
  103. 'timestamp': item['receivetime'],
  104. 'value': item['data']
  105. }
  106. for item in content
  107. ]
  108. except (KeyError, TypeError, IndexError):
  109. result = []
  110. return result
  111. async def get_past_data(self, code: InfoCode, object_id: str, interval: int) -> float:
  112. """
  113. Query past data from data platform.
  114. :param code: Info code
  115. :param object_id:
  116. :param interval: time interval(seconds) from now to past
  117. :return: a past value
  118. """
  119. url = self._base_url.join('data-platform-3/hisdata/query_by_obj')
  120. params = self._common_parameters()
  121. start_time = get_time_str(60 * 60 + interval, flag='ago')
  122. end_time = get_time_str(interval, flag='ago')
  123. payload = {
  124. 'criteria': {
  125. 'id': object_id,
  126. 'code': code.value,
  127. 'receivetime': {
  128. '$gte': start_time,
  129. '$lte': end_time,
  130. }
  131. }
  132. }
  133. raw_info = await self._post(url, params, payload)
  134. try:
  135. latest_data = raw_info.get('Content')[-1].get('data')
  136. latest_time = raw_info.get('Content')[-1].get('receivetime')
  137. if arrow.get(latest_time, TIME_FMT).shift(minutes=15) < arrow.get(end_time, TIME_FMT):
  138. logger.info(f'delayed data - {object_id}: ({latest_time}, {latest_data})')
  139. value = round_half_up(latest_data, 2)
  140. except (KeyError, IndexError, TypeError):
  141. value = np.NAN
  142. except TypeError:
  143. value = -1.0
  144. return value
  145. async def query_relations(
  146. self,
  147. from_id: Optional[str] = None,
  148. graph_id: Optional[str] = None,
  149. relation_type: Optional[str] = None
  150. ) -> List[Dict]:
  151. url = self._base_url.join('data-platform-3/relation/query')
  152. params = self._common_parameters()
  153. criteria = dict()
  154. if from_id:
  155. criteria.update({'from_id': from_id})
  156. if graph_id:
  157. criteria.update({'graph_id': graph_id})
  158. if relation_type:
  159. criteria.update({'relation_type': relation_type})
  160. payload = {
  161. 'criteria': criteria
  162. }
  163. raw_info = await self._post(url, params, payload)
  164. return raw_info.get('Content')
  165. async def get_realtime_temperature(self, space_id: str) -> float:
  166. return await self.get_realtime_data(InfoCode.temperature, space_id)
  167. async def get_past_temperature(self, space_id: str, interval: int) -> float:
  168. return await self.get_past_data(InfoCode.temperature, space_id, interval)
  169. async def get_realtime_co2(self, space_id: str) -> float:
  170. return await self.get_realtime_data(InfoCode.co2, space_id)
  171. async def get_realtime_hcho(self, space_id: str) -> float:
  172. return await self.get_realtime_data(InfoCode.hcho, space_id)
  173. async def get_realtime_pm2d5(self, space_id: str) -> float:
  174. return await self.get_realtime_data(InfoCode.pm2d5, space_id)
  175. async def get_realtime_humidity(self, space_id: str) -> float:
  176. return await self.get_realtime_data(InfoCode.humidity, space_id)
  177. async def get_realtime_supply_air_flow(self, equipment_id: str) -> float:
  178. return await self.get_realtime_data(InfoCode.supply_air_flow, equipment_id)
  179. async def get_realtime_supply_air_temperature(self, equipment_id: str) -> float:
  180. return await self.get_realtime_data(InfoCode.supply_air_temperature, equipment_id)
  181. async def get_realtime_supply_air_temperature_set(self, equipment_id: str) -> float:
  182. return await self.get_realtime_data(InfoCode.supply_air_temperature_set, equipment_id)
  183. async def get_fan_speed(self, equipment_id: str) -> float:
  184. return await self.get_realtime_data(InfoCode.fan_speed, equipment_id)
  185. async def get_static_info(self, code: str, object_id: str):
  186. url = self._base_url.join('data-platform-3/object/batch_query')
  187. params = self._common_parameters()
  188. payload = {
  189. 'customInfo': True,
  190. 'criterias': [
  191. {
  192. 'id': object_id
  193. }
  194. ]
  195. }
  196. raw_info = await self._post(url, params, payload)
  197. try:
  198. info = raw_info['Content'][0]['infos'][code]
  199. except (KeyError, IndexError, TypeError) as e:
  200. logger.error(f'id: {object_id}, details: {e}')
  201. info = None
  202. return info
  203. async def get_air_flow_limit(self, equipment_id: str) -> Tuple[float, float]:
  204. lower = await self.get_static_info('MinAirFlow', equipment_id)
  205. upper = await self.get_static_info('MaxAirFlow', equipment_id)
  206. if not lower:
  207. lower = 150.0
  208. if not upper:
  209. upper = 2000.0
  210. return lower, upper
  211. async def get_schedule(self, equipment_id: str) -> Tuple[str, str]:
  212. on_time = await self.get_static_info('ctm-OnTime', equipment_id)
  213. off_time = await self.get_static_info('ctm-OffTime', equipment_id)
  214. if not on_time:
  215. on_time = '080000'
  216. if not off_time:
  217. off_time = '190000'
  218. return on_time, off_time
  219. async def get_realtime_fan_freq_set(self, equipment_id: str) -> float:
  220. return await self.get_realtime_data(InfoCode.fan_freq_set, equipment_id)
  221. async def get_realtime_supply_static_press(self, system_id: str) -> float:
  222. return await self.get_realtime_data(InfoCode.supply_static_press, system_id)
  223. async def get_realtime_supply_static_press_set(self, system_id: str) -> float:
  224. return await self.get_realtime_data(InfoCode.supply_static_press_set, system_id)
  225. async def get_realtime_running_status(self, equipment_id: str) -> float:
  226. return await self.get_realtime_data(InfoCode.running_status, equipment_id)
  227. async def get_cloud_status(self, equipment_id: str) -> float:
  228. return await self.get_realtime_data(InfoCode.cloud_status, equipment_id)
  229. async def query_realtime_return_air_temperature(self, device_id: str) -> float:
  230. return await self.get_realtime_data(InfoCode.return_air_temperature, device_id)
  231. async def set_code_value(self, object_id: str, code: InfoCode, value: float):
  232. url = self._base_url.join('data-platform-3/parameter/setting')
  233. params = self._common_parameters()
  234. payload = {
  235. 'id': object_id,
  236. 'code': code.value,
  237. 'value': value
  238. }
  239. await self._post(url, params, payload)
  240. async def get_items_by_category(self, code) -> List:
  241. url = self._base_url.join('data-platform-3/object/subset_query')
  242. params = self._common_parameters()
  243. payload = {
  244. 'customInfo': True,
  245. 'criteria': {
  246. 'type': [code]
  247. }
  248. }
  249. raw_info = await self._post(url, params, payload)
  250. items = raw_info.get('Content')
  251. results = items if items else []
  252. return results