s0meters.py 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595
  1. #!/usr/bin/python3 -u
  2. #
  3. import serial
  4. #from time import sleep
  5. import time
  6. import os
  7. import sys
  8. import paho.mqtt.client as mqtt
  9. import json
  10. import yaml
  11. from yaml.constructor import ConstructorError
  12. from threading import Thread
  13. from influxdb import InfluxDBClient
  14. import configparser
  15. #from datetime import datetime
  16. import datetime
  17. # Change working dir to the same dir as this script
  18. os.chdir(sys.path[0])
  19. config = configparser.ConfigParser()
  20. config.read('s0meters.ini')
  21. quiet = False
  22. verbose = False
  23. debug = False
  24. if len(sys.argv) >= 2:
  25. if sys.argv[1] == "-q":
  26. verbose = False
  27. quiet = True
  28. debug = False
  29. elif sys.argv[1] == "-v":
  30. verbose = True
  31. quiet = False
  32. debug = False
  33. print("VERBOSE=ON")
  34. elif sys.argv[1] == "-d":
  35. verbose = True
  36. quiet = False
  37. debug = True
  38. print("DEBUG=ON")
  39. consoleAddTimestamp = config['main'].get('consoleAddTimestamp')
  40. conf_storage_path = config['filelog'].get('storage_path')
  41. if conf_storage_path[-1:] != '/':
  42. conf_storage_path += '/'
  43. ser = serial.Serial(port=config['hardware'].get('serialPort'),
  44. baudrate = config['hardware'].get('serialBaud'),
  45. parity=serial.PARITY_NONE,
  46. stopbits=serial.STOPBITS_ONE,
  47. bytesize=serial.EIGHTBITS,
  48. timeout=config['hardware'].getint('serialTout'))
  49. if not quiet:
  50. print("S0MetersLog by Flo Kra")
  51. print("=======================================================================")
  52. meters_yaml = yaml.load(open(config['main'].get('meters_config_yml')), Loader=yaml.SafeLoader)
  53. if not quiet:
  54. print("Meters configuration:")
  55. print(json.dumps(meters_yaml, indent=2))
  56. print("loading InfluxDB configuration...")
  57. influxdb_yaml = yaml.load(open(config['main'].get('influx_config_yml')), Loader=yaml.SafeLoader)
  58. if not quiet:
  59. print("InfluxDB Instances:")
  60. print(json.dumps(influxdb_yaml, indent=4))
  61. influxclient = dict()
  62. for instance in influxdb_yaml:
  63. i_host = influxdb_yaml[instance].get('host', None)
  64. i_port = int(influxdb_yaml[instance].get('port', 8086))
  65. i_username = influxdb_yaml[instance].get('username', None)
  66. i_password = influxdb_yaml[instance].get('password', None)
  67. i_database = influxdb_yaml[instance].get('database', None)
  68. if i_host != None and i_database != None:
  69. if i_username != None and i_password != None:
  70. influxclient[instance] = InfluxDBClient(i_host, i_port, i_username, i_password, i_database)
  71. else:
  72. influxclient[instance] = InfluxDBClient(i_host, i_port, i_database)
  73. data_energy = dict()
  74. data_momentary = dict()
  75. saved_todays_date = dict()
  76. influxdb_energy_lastWriteTime = dict()
  77. saved_energy_today_min = dict()
  78. saved_energy_yesterday_total = dict()
  79. for meter in meters_yaml:
  80. data_energy[meter] = dict()
  81. data_momentary[meter] = dict()
  82. MQTTenabled = config['mqtt'].getboolean('enable', False)
  83. if MQTTenabled:
  84. def on_connect(client, userdata, flags, rc):
  85. if not quiet:
  86. print("MQTT: connected with result code " + str(rc))
  87. client.subscribe(config['mqtt'].get('topic_cmd'))
  88. if not quiet:
  89. print("MQTT: subscribed topic:", config['mqtt'].get('topic_cmd'))
  90. def on_message(client, userdata, msg):
  91. if not quiet:
  92. print("MQTT incoming on topic", msg.topic)
  93. if msg.topic == config['mqtt'].get('topic_cmd'):
  94. if not quiet:
  95. print("MQTT CMD:", msg.payload)
  96. cmd = msg.payload.decode('ascii') + '\n'
  97. ser.write(cmd.encode('ascii'))
  98. mqttc = mqtt.Client()
  99. mqttc.on_connect = on_connect
  100. #mqttc.on_disconnect = on_disconnect
  101. mqttc.on_message = on_message
  102. if config['mqtt'].get('user') != "" and config['mqtt'].get('password') != "":
  103. mqttc.username_pw_set(config['mqtt'].get('user'), config['mqtt'].get('password'))
  104. mqttc.connect(config['mqtt'].get('server'), config['mqtt'].getint('port'), config['mqtt'].getint('keepalive'))
  105. mqttc.loop_start()
  106. def processMeterData(data):
  107. try:
  108. cJson = json.loads(data)
  109. except:
  110. cJson = False
  111. #print(json.dumps(cJson, indent=1))
  112. #print(cJson['C'])
  113. #print(json.dumps(meters_yaml[cJson['C']]))
  114. #print(json.dumps(cJson))
  115. if cJson:
  116. cNum = cJson.get('C')
  117. cReading = float(cJson.get('reading', None))
  118. #print(cNum)
  119. dTime = cJson.get('dTime', None)
  120. write_energy_to_influxdb = False
  121. cName = meters_yaml[cNum].get('name', False)
  122. statTopic = meters_yaml[cNum].get('statTopic', None)
  123. unit = meters_yaml[cNum].get('unit', None)
  124. conv_unit = meters_yaml[cNum].get('conv_unit', None)
  125. conv_factor = meters_yaml[cNum].get('conv_factor', None)
  126. conv_digits = meters_yaml[cNum].get('conv_digits', None)
  127. if conv_digits is None: conv_digits = 2
  128. cost_unit = meters_yaml[cNum].get('cost_unit', None)
  129. cost_per_unit = meters_yaml[cNum].get('cost_per_unit', None)
  130. cost_from_conv = meters_yaml[cNum].get('cost_from_conv', False)
  131. momUnit = meters_yaml[cNum].get('momUnit', None)
  132. momType = meters_yaml[cNum].get('momType', None)
  133. momUnit_conv1 = meters_yaml[cNum].get('momUnit_conv1', None)
  134. momType_conv1 = meters_yaml[cNum].get('momType_conv1', None)
  135. momUnit_conv2 = meters_yaml[cNum].get('momUnit_conv2', None)
  136. momType_conv2 = meters_yaml[cNum].get('momType_conv2', None)
  137. impPerUnit = meters_yaml[cNum].get('impPerUnit', None)
  138. if cName:
  139. cJson['name'] = cName
  140. momFactor = meters_yaml[cNum].get('momFactor', None)
  141. if not momFactor:
  142. momFactor = 1
  143. momDigits = meters_yaml[cNum].get('momDigits', None)
  144. if momDigits == None:
  145. momDigits = 3
  146. momFactor_conv1 = meters_yaml[cNum].get('momFactor_conv1', None)
  147. if not momFactor_conv1:
  148. momFactor_conv1 = 1
  149. momDigits_conv1 = meters_yaml[cNum].get('momDigits_conv1', None)
  150. if momDigits_conv1 == None:
  151. momDigits_conv1 = 3
  152. momFactor_conv2 = meters_yaml[cNum].get('momFactor_conv2', None)
  153. if not momFactor_conv2:
  154. momFactor_conv2 = 1
  155. momDigits_conv2 = meters_yaml[cNum].get('momDigits_conv2', None)
  156. if momDigits_conv2 == None:
  157. momDigits_conv2 = 3
  158. digits = meters_yaml[cNum].get('digits', None)
  159. influxMinWriteInterval = meters_yaml[cNum].get('influxMinWriteInterval_energy', None)
  160. if influxMinWriteInterval == None: influxMinWriteInterval = 0
  161. # check for date rollover since last impulse
  162. today = datetime.date.today()
  163. today_str = today.strftime('%Y%m%d')
  164. yesterday = today - datetime.timedelta(days = 1)
  165. yesterday_str = yesterday.strftime('%Y%m%d')
  166. dateRollover = False
  167. savedtoday = saved_todays_date.get(cName, False)
  168. if not savedtoday or savedtoday != today:
  169. if debug:
  170. print("date rollover happened or no date has been saved yet for meter " + str(cName))
  171. if savedtoday and savedtoday == yesterday:
  172. # a date rollover just happened, so change todays date to current and proceed with what has to be done
  173. dateRollover = True
  174. #log.debug(savedtoday)
  175. saved_todays_date[cName] = today
  176. strformat = "{:.3f}"
  177. cReading_formatted = None
  178. if digits:
  179. strformat = "{:."+str(digits)+"f}"
  180. cReading_formatted = strformat.format(cReading)
  181. cJson['reading'] = round(cReading, digits)
  182. if unit:
  183. cJson['unit'] = unit
  184. if impPerUnit and dTime is not None:
  185. if dTime == 0:
  186. momValue = 0.0
  187. else:
  188. momValue = (3600000 / dTime / impPerUnit) * momFactor
  189. # conversions of momValue
  190. momValue_conv1 = 0.0
  191. momValue_conv2 = 0.0
  192. if momType_conv1 is not None:
  193. momValue_conv1 = momValue * momFactor_conv1
  194. if momType_conv2 is not None:
  195. momValue_conv2 = momValue * momFactor_conv2
  196. # round value of momValue
  197. if momDigits > 0:
  198. momValue = round(momValue, momDigits)
  199. else:
  200. momValue = round(momValue)
  201. if momDigits_conv1 > 0:
  202. momValue_conv1 = round(momValue_conv1, momDigits_conv1)
  203. else:
  204. momValue_conv1 = round(momValue_conv1)
  205. if momDigits_conv2 > 0:
  206. momValue_conv2 = round(momValue_conv2, momDigits_conv2)
  207. else:
  208. momValue_conv2 = round(momValue_conv2)
  209. #cJson['momValue'] = momValue
  210. #if momType:
  211. # cJson['momType'] = momType
  212. #if momUnit:
  213. # cJson['momUnit'] = momUnit
  214. if momType:
  215. cJson[momType] = momValue
  216. if momType_conv1:
  217. cJson[momType_conv1] = momValue_conv1
  218. if momType_conv2:
  219. cJson[momType_conv2] = momValue_conv2
  220. if statTopic:
  221. if momType is not None:
  222. if MQTTenabled:
  223. mqttc.publish(statTopic + "/" + momType, str(momValue), qos=0, retain=False)
  224. if momType_conv1 is not None:
  225. mqttc.publish(statTopic + "/" + momType_conv1, str(momValue_conv1), qos=0, retain=False)
  226. if momType_conv2 is not None:
  227. mqttc.publish(statTopic + "/" + momType_conv2, str(momValue_conv2), qos=0, retain=False)
  228. if statTopic:
  229. if cReading_formatted != None:
  230. if MQTTenabled:
  231. mqttc.publish(statTopic + "/reading", str(cReading_formatted), qos=0, retain=False)
  232. data_energy[cNum][meters_yaml[cNum].get('influxFieldName_energy', 'energyTotal')] = round(float(cReading), digits)
  233. #if conv_unit is not None and conv_factor is not None and meters_yaml[cNum].get('influxFieldName_energy_conv', None) is not None::
  234. # data_energy[cNum][meters_yaml[cNum].get('influxFieldName_energy_conv', 'energyTotal_conv')] = round(momValue_conv1, digits)
  235. data_momentary[cNum][meters_yaml[cNum].get('influxFieldName_mom', 'momentaryUsage')] = round(float(momValue), momDigits)
  236. if momType_conv2 is not None and meters_yaml[cNum].get('influxFieldName_mom_conv1', None) is not None:
  237. data_momentary[cNum][meters_yaml[cNum].get('influxFieldName_mom_conv1', 'momentaryUsage_conv1')] = round(momValue_conv1, momDigits_conv1)
  238. if momType_conv2 is not None and meters_yaml[cNum].get('influxFieldName_mom_conv2', None) is not None:
  239. data_momentary[cNum][meters_yaml[cNum].get('influxFieldName_mom_conv2', 'momentaryUsage_conv2')] = round(momValue_conv2, momDigits_conv2)
  240. print()
  241. print("data_energy[cNum]")
  242. print(data_energy[cNum])
  243. print("data_momentary[cNum]")
  244. print(data_momentary[cNum])
  245. print()
  246. # InfluxDB
  247. t_utc = datetime.datetime.utcnow()
  248. t_str = t_utc.isoformat() + 'Z'
  249. # InfluxDB - energy readings
  250. if dateRollover:
  251. write_energy_to_influxdb = True
  252. ts = int(time.time())
  253. influxEnergyWrite_elapsedTime = 0
  254. if influxdb_energy_lastWriteTime.get(cNum, None) != None:
  255. influxEnergyWrite_elapsedTime = ts - influxdb_energy_lastWriteTime.get(cNum)
  256. if influxEnergyWrite_elapsedTime >= influxMinWriteInterval:
  257. write_energy_to_influxdb = True
  258. influxdb_energy_lastWriteTime[cNum] = ts
  259. else:
  260. # first run - do write immediately
  261. write_energy_to_influxdb = True
  262. influxdb_energy_lastWriteTime[cNum] = ts
  263. influxInstance_energy = meters_yaml[cNum].get('influxInstance_energy', None)
  264. if influxInstance_energy is not None:
  265. if write_energy_to_influxdb:
  266. influx_measurement = meters_yaml[cNum].get('influxMeasurement_energy', None)
  267. if influx_measurement == None:
  268. influx_measurement = influxdb_yaml[influxInstance_energy].get('defaultMeasurement', 'energy')
  269. jsondata_energy = [
  270. {
  271. 'measurement': influx_measurement,
  272. 'tags': {
  273. 'meter': cName,
  274. },
  275. 'time': t_str,
  276. 'fields': data_energy[cNum]
  277. }
  278. ]
  279. if verbose:
  280. print("Writing ENERGY to InfluxDB:")
  281. print(json.dumps(jsondata_energy, indent = 4))
  282. try:
  283. #influxclient_energy.write_points(jsondata_energy)
  284. influxclient[influxInstance_energy].write_points(jsondata_energy)
  285. except Exception as e:
  286. print('Data not written!')
  287. #log.error('Data not written!')
  288. print(e)
  289. #log.error(e)
  290. else:
  291. if verbose:
  292. print("Writing ENERGY to InfluxDB skipped (influxMinWriteInterval="+ str(influxMinWriteInterval) + ", elapsedTime=" + str(influxEnergyWrite_elapsedTime) + ")")
  293. # InfluxDB - momentary values
  294. influxInstance_mom = meters_yaml[cNum].get('influxInstance_mom', None)
  295. if influxInstance_mom is not None:
  296. influx_measurement = meters_yaml[cNum].get('influxMeasurement_mom', None)
  297. if influx_measurement == None:
  298. influx_measurement = influxdb_yaml[influxInstance_mom].get('defaultMeasurement', 'energy')
  299. jsondata_momentary = [
  300. {
  301. 'measurement': influx_measurement,
  302. 'tags': {
  303. 'meter': cName,
  304. },
  305. 'time': t_str,
  306. 'fields': data_momentary[cNum]
  307. }
  308. ]
  309. if verbose:
  310. print("Writing MOMENTARY to InfluxDB:")
  311. print(json.dumps(jsondata_momentary, indent = 4))
  312. try:
  313. #influxclient_momentary.write_points(jsondata_momentary)
  314. influxclient[influxInstance_mom].write_points(jsondata_momentary)
  315. except Exception as e:
  316. print('Data not written!')
  317. #log.error('Data not written!')
  318. print(e)
  319. #log.error(e)
  320. # file log
  321. if config['filelog'].getboolean('enable'):
  322. # save and restore yesterday´s total energy to calculate today´s energy
  323. # check if total energy from yesterday is stored in memory, if not try to get it from saved file
  324. file_path_meter = conf_storage_path + cName + "/"
  325. file_today_min = file_path_meter + today_str + "_min.txt"
  326. file_yesterday_total = file_path_meter + yesterday_str + "_total.txt"
  327. energy_today_total = 0
  328. energy_yesterday_min = 0
  329. energy_today_min = saved_energy_today_min.get(cName, None)
  330. try:
  331. if dateRollover:
  332. energy_today_min = None
  333. if energy_today_min == None:
  334. exists = os.path.isfile(file_today_min)
  335. if exists:
  336. # load energy_today_min from file if exists
  337. f = open(file_today_min, "r")
  338. if f.mode == 'r':
  339. contents = f.read()
  340. f.close()
  341. if contents != '':
  342. energy_today_min = float(contents)
  343. saved_energy_today_min[cName] = energy_today_min
  344. if verbose:
  345. print(cName + " - Energy Today min read from file -> = " + str(energy_today_min))
  346. else: energy_today_min = None
  347. else:
  348. # save current Energy_total to min-file
  349. if not os.path.exists(file_path_meter):
  350. os.mkdir(file_path_meter)
  351. f = open(file_today_min, "w+")
  352. energy_today_min = cReading
  353. saved_energy_today_min[cName] = energy_today_min
  354. #f.write(str('{0:.3f}'.format(energy_today_min)))
  355. #f.write(str(energy_today_min))
  356. f.write(strformat.format(energy_today_min))
  357. f.close()
  358. #try:
  359. if energy_today_min != None:
  360. energy_today_total = cReading - energy_today_min
  361. if verbose:
  362. print(cName + " - Energy Today total: " + str('{0:.3f}'.format(energy_today_total)))
  363. energy_yesterday_total = saved_energy_yesterday_total.get(cName, None)
  364. if dateRollover:
  365. energy_yesterday_total = None
  366. if energy_yesterday_total == None:
  367. exists = os.path.isfile(file_yesterday_total)
  368. if exists:
  369. # load energy_yesterday_total from file if exists
  370. f = open(file_yesterday_total, "r")
  371. if f.mode == 'r':
  372. contents = f.read()
  373. f.close()
  374. if contents != '':
  375. energy_yesterday_total = float(contents)
  376. saved_energy_yesterday_total[cName] = energy_yesterday_total
  377. if debug:
  378. print(cName + " - Energy Yesterday total read from file -> = " + str(energy_yesterday_total))
  379. else: energy_yesterday_total = None
  380. else:
  381. file_yesterday_min = file_path_meter + yesterday_str + "_min.txt"
  382. exists = os.path.isfile(file_yesterday_min)
  383. if exists:
  384. # load yesterday_min from file
  385. #if args_output_verbose1:
  386. # print("file file_yesterday_min exists")
  387. f = open(file_yesterday_min, "r")
  388. if f.mode == 'r':
  389. contents =f.read()
  390. f.close()
  391. if contents != '':
  392. energy_yesterday_min = float(contents)
  393. if debug:
  394. print(cName + " - Energy yesterday min: " + str(energy_yesterday_min))
  395. else: energy_yesterday_min = None
  396. if energy_yesterday_min != None:
  397. energy_yesterday_total = round(energy_today_min - energy_yesterday_min, 3)
  398. ###log.debug(meter_id_name[meter['id']] + " - Energy yesterday total: " + str(energy_yesterday_total))
  399. if not os.path.exists(file_path_meter):
  400. os.mkdir(file_path_meter)
  401. f = open(file_yesterday_total, "w+")
  402. #f.write(str('{0:.3f}'.format(energy_yesterday_total)))
  403. f.write(strformat.format(energy_yesterday_total))
  404. f.close()
  405. #else:
  406. # # file yesterday_min does not exist
  407. except:
  408. e = sys.exc_info()[0]
  409. print( "<p>Error in file log: %s</p>" % e )
  410. if energy_today_total is not None:
  411. cJson['Today__' + unit] = round(energy_today_total, digits)
  412. if MQTTenabled:
  413. mqttc.publish(statTopic + "/today__" + unit, str(round(energy_today_total, digits)), qos=0, retain=False)
  414. if conv_unit and conv_factor is not None:
  415. conv_value = energy_today_total * conv_factor
  416. mqttc.publish(statTopic + "/today__" + conv_unit, str(round(conv_value, conv_digits)), qos=0, retain=False)
  417. cJson['Today__' + conv_unit] = round(conv_value, conv_digits)
  418. if cost_unit and cost_per_unit is not None:
  419. if cost_from_conv:
  420. cost_value = round(conv_value * cost_per_unit, 2)
  421. else:
  422. cost_value = round(energy_today_total * cost_per_unit, 2)
  423. mqttc.publish(statTopic + "/cost_today__" + cost_unit, str(cost_value), qos=0, retain=False)
  424. cJson['cost_today__' + cost_unit] = round(cost_value, 2)
  425. if energy_yesterday_total is not None:
  426. cJson['Yesterday__' + unit] = round(energy_yesterday_total, digits)
  427. if MQTTenabled:
  428. mqttc.publish(statTopic + "/yesterday__" + unit, str(round(energy_yesterday_total, digits)), qos=0, retain=False)
  429. if conv_unit and conv_factor is not None:
  430. conv_value = energy_yesterday_total * conv_factor
  431. mqttc.publish(statTopic + "/yesterday__" + conv_unit, str(round(conv_value, conv_digits)), qos=0, retain=False)
  432. cJson['Yesterday__' + conv_unit] = round(conv_value, conv_digits)
  433. if cost_unit and cost_per_unit is not None:
  434. if cost_from_conv:
  435. cost_value = round(conv_value * cost_per_unit, 2)
  436. else:
  437. cost_value = round(energy_yesterday_total * cost_per_unit, 2)
  438. mqttc.publish(statTopic + "/cost_yesterday__" + cost_unit, str(cost_value), qos=0, retain=False)
  439. cJson['cost_yesterday__' + cost_unit] = round(cost_value, 2)
  440. # END file log
  441. if verbose:
  442. if consoleAddTimestamp:
  443. print ("[" + str(datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S.%f")[:-3]) + "] meterData:", json.dumps(cJson))
  444. else:
  445. print("meterData:", json.dumps(cJson))
  446. if MQTTenabled:
  447. mqttc.publish(statTopic + "/json", json.dumps(cJson), qos=0, retain=False)
  448. def publishStatMsg(data):
  449. if MQTTenabled:
  450. mqttc.publish(config['mqtt'].get('topic_stat'), data, qos=0, retain=False)
  451. def publishCmdResponseMsg(data):
  452. if MQTTenabled:
  453. mqttc.publish(config['mqtt'].get('topic_cmdresponse'), data, qos=0, retain=False)
  454. try:
  455. while True:
  456. serLine = ser.readline().strip()
  457. # catch exception on invalid char coming in: UnicodeDecodeError: 'ascii' codec can't decode byte 0xf4 in position 6: ordinal not in range(128)
  458. try:
  459. serLine = serLine.decode('ascii')
  460. except:
  461. serLine = ""
  462. if(serLine):
  463. if verbose:
  464. if consoleAddTimestamp:
  465. print ("[" + str(datetime.datetime.now().strftime("%Y-%m-%d %H:%M:%S.%f")[:-3]) + "] DEV_SENT: ", serLine)
  466. else:
  467. print ("DEV_SENT: ", serLine) #Echo the serial buffer bytes up to the CRLF back to screen
  468. # check if data looks like meter readings JSON - then process
  469. if serLine.startswith('{"C":'):
  470. Thread(target=processMeterData, args=(serLine,)).start()
  471. # response to a command
  472. elif serLine.startswith('cmd:'):
  473. Thread(target=publishCmdResponseMsg, args=(serLine,)).start()
  474. # other cases it is a normal "stat" message
  475. else:
  476. Thread(target=publishStatMsg, args=(serLine,)).start()
  477. except KeyboardInterrupt:
  478. print('\n')
  479. exit()