forked from urwen/temper
-
Notifications
You must be signed in to change notification settings - Fork 0
/
temper.py
executable file
·463 lines (405 loc) · 16.5 KB
/
temper.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
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
#!/usr/bin/env python3
# temper.py -*-python-*-
# Copyright 2018 by Pham Urwen ([email protected])
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to
# deal in the Software without restriction, including without limitation the
# rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
# sell copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
# IN THE SOFTWARE.
# Standard python3 modules
import argparse
import binascii
import json
import os
import re
import select
import struct
import sys
# Non-standard modules
try:
import serial
except ImportError:
print('Cannot import "serial". Please sudo apt-get install python3-serial')
sys.exit(1)
class USBList(object):
'''Get a list of all of the USB devices on a system, along with their
associated hidraw or serial (tty) devices.
'''
SYSPATH = '/sys/bus/usb/devices'
def _readfile(self, path):
'''Read data from 'path' and return it as a string. Return the empty string
if the file does not exist, cannot be read, or has an error.
'''
try:
with open(path, 'r') as fp:
return fp.read().strip()
except:
return ''
def _find_devices(self, dirname):
'''Scan a directory hierarchy for names that start with "tty" or "hidraw".
Return these names in a set.
'''
devices = set()
for entry in os.scandir(dirname):
if entry.is_dir() and not entry.is_symlink():
devices |= self._find_devices(os.path.join(dirname, entry.name))
if re.search('tty.*[0-9]', entry.name):
devices.add(entry.name)
if re.search('hidraw[0-9]', entry.name):
devices.add(entry.name)
return devices
def _get_usb_device(self, dirname):
'''Examine the files in 'dirname', looking for files with well-known
names expected to be in the /sys hierarchy under Linux for USB devices.
Return a dictionary of the information gathered. If no information is found
(i.e., because the directory is not for a USB device) return None.
'''
info = dict()
vendorid = self._readfile(os.path.join(dirname, 'idVendor'))
if vendorid == '':
return None
info['vendorid'] = int(vendorid, 16)
productid = self._readfile(os.path.join(dirname, 'idProduct'))
info['productid'] = int(productid, 16)
info['manufacturer'] = self._readfile(os.path.join(dirname,
'manufacturer'))
info['product'] = self._readfile(os.path.join(dirname, 'product'))
info['busnum'] = int(self._readfile(os.path.join(dirname, 'busnum')))
info['devnum'] = int(self._readfile(os.path.join(dirname, 'devnum')))
info['devices'] = sorted(self._find_devices(dirname))
return info
def get_usb_devices(self):
'''Scan a well-known Linux hierarchy in /sys and try to find all of the
USB devices on a system. Return these as a dictionary indexed by the path.
'''
info = dict()
for entry in os.scandir(Temper.SYSPATH):
if entry.is_dir():
path = os.path.join(Temper.SYSPATH, entry.name)
device = self._get_usb_device(path)
if device is not None:
device['port'] = entry.name
info[path] = device
return info
class USBRead(object):
'''Read temperature and/or humidity information from a specified USB device.
'''
def __init__(self, device, verbose=False):
self.device = device
self.verbose = verbose
def _parse_bytes(self, name, offset, divisor, bytes, info, verbose = False):
'''Data is returned from several devices in a similar format. In the first
8 bytes, the internal sensors are returned in bytes 2 and 3 (temperature)
and in bytes 4 and 5 (humidity). In the second 8 bytes, external sensor
information is returned. If there are only external sensors, then only 8
bytes are returned, and the caller is expected to use the correct 'name'.
The caller is also expected to detect the firmware version and provide the
appropriate divisor, which is usually 100 or 256.
There is no return value. Instead 'info[name]' is update directly, if a
value is found.
'''
try:
if bytes[offset] == 0x4e and bytes[offset+1] == 0x20:
return
except:
return
try:
# Big endian, short (signed) integer (2 Bytes)
if verbose:
print('Converted value: %s' % binascii.hexlify(bytes[offset:offset+2]))
info[name] = struct.unpack_from('>h', bytes, offset)[0] / divisor
except:
return
def _read_hidraw_firmware(self, fd, verbose = False):
''' Get firmware identifier'''
query = struct.pack('8B', 0x01, 0x86, 0xff, 0x01, 0, 0, 0, 0)
if verbose:
print('Firmware query: %s' % binascii.b2a_hex(query))
# Sometimes we don't get all of the expected information from the
# device. We'll retry a few times and hope for the best.
# See: https://github.com/urwen/temper/issues/9
for i in range(0, 10):
os.write(fd, query)
firmware = b''
while True:
r, _, _ = select.select([fd], [], [], 0.2)
if fd not in r:
break
data = os.read(fd, 8)
firmware += data
if not len(firmware):
os.close(fd)
raise RuntimeError('Cannot read device firmware identifier')
if len(firmware) > 8:
break
if verbose:
print('Firmware value: %s %s' %(binascii.b2a_hex(firmware), firmware.decode()))
return firmware
def _read_hidraw(self, device):
'''Using the Linux hidraw device, send the special commands and receive the
raw data. Then call '_parse_bytes' based on the firmware version to provide
temperature and humidity information.
A dictionary of temperature and humidity info is returned.
'''
path = os.path.join('/dev', device)
fd = os.open(path, os.O_RDWR)
firmware = self._read_hidraw_firmware(fd, self.verbose)
#print(firmware[:12])
# Get temperature/humidity
os.write(fd, struct.pack('8B', 0x01, 0x80, 0x33, 0x01, 0, 0, 0, 0))
bytes = b''
while True:
r, _, _ = select.select([fd], [], [], 0.1)
if fd not in r:
break
data = os.read(fd, 8)
bytes += data
os.close(fd)
if self.verbose:
print('Data value: %s' % binascii.hexlify(bytes))
info = dict()
info['firmware'] = str(firmware, 'latin-1').strip()
info['hex_firmware'] = str(binascii.b2a_hex(firmware), 'latin-1')
info['hex_data'] = str(binascii.b2a_hex(bytes), 'latin-1')
if info['firmware'][:10] in [ 'TEMPerF1.2', 'TEMPerF1.4', 'TEMPer1F1.' ]:
info['firmware'] = info['firmware'][:10]
self._parse_bytes('internal temperature', 2, 256.0, bytes, info)
return info
if info['firmware'][:15] in [ 'TEMPerGold_V3.1', 'TEMPerGold_V3.3', 'TEMPerGold_V3.4' ]:
info['firmware'] = info['firmware'][:15]
self._parse_bytes('internal temperature', 2, 100.0, bytes, info)
return info
if info['firmware'][:12] in [ 'TEMPerX_V3.1', 'TEMPerX_V3.3' ]:
info['firmware'] = info['firmware'][:12]
self._parse_bytes('internal temperature', 2, 100.0, bytes, info)
self._parse_bytes('internal humidity', 4, 100.0, bytes, info)
self._parse_bytes('external temperature', 10, 100.0, bytes, info)
self._parse_bytes('external humidity', 12, 100.0, bytes, info)
return info
if info['firmware'][:16] == 'TEMPer2_M12_V1.3':
info['firmware'] = info['firmware'][:16]
self._parse_bytes('internal temperature', 2, 256.0, bytes, info)
self._parse_bytes('external temperature', 4, 256.0, bytes, info)
return info
if info['firmware'][:12] in [ 'TEMPer2_V3.7', 'TEMPer2_V3.9']:
info['firmware'] = info['firmware'][:12]
#Bytes 3-4 hold the device temp, divide by 100
self._parse_bytes('internal temperature', 2, 100.0, bytes, info, self.verbose)
#Bytes 11-12 hold the external temp, divide by 100
self._parse_bytes('external temperature', 10, 100.0, bytes, info, self.verbose)
return info
if info['firmware'][:14] == 'TEMPerHUM_V3.9':
info['firmware'] = info['firmware'][:14]
#Bytes 3-4 hold the device temp, divide by 100
self._parse_bytes('internal temperature', 2, 100.0, bytes, info, self.verbose)
#Bytes 11-12 hold the external temp, divide by 100
self._parse_bytes('external temperature', 10, 100.0, bytes, info, self.verbose)
#Bytes 5-6 hold the device humidity, divide by 100
self._parse_bytes('internal humidity', 4, 100.0, bytes, info)
return info
info['error'] = 'Unknown firmware %s: %s' % (info['firmware'],
binascii.hexlify(bytes))
return info
def _read_serial(self, device):
'''Using the Linux serial device, send the special commands and receive the
text data, which is parsed directly in this method.
A dictionary of device info (like that returned by USBList) combined with
temperature and humidity info is returned.
'''
path = os.path.join('/dev', device)
s = serial.Serial(path, 9600)
s.bytesize = serial.EIGHTBITS
s.parity = serial.PARITY_NONE
s.stopbits = serial.STOPBITS_ONE
s.timeout = 1
s.xonoff = False
s.rtscts = False
s.dsrdtr = False
s.writeTimeout = 0
# Send the "Version" command and save the reply.
s.write(b'Version')
firmware = str(s.readline(), 'latin-1').strip()
# Send the "ReadTemp" command and save the reply.
s.write(b'ReadTemp')
reply = str(s.readline(), 'latin-1').strip()
reply += str(s.readline(), 'latin-1').strip()
s.close()
info = dict()
info['firmware'] = firmware
m = re.search(r'Temp-Inner:([0-9.]*).*, ?([0-9.]*)', reply)
if m is not None:
info['internal temperature'] = float(m.group(1))
info['internal humidity'] = float(m.group(2))
m = re.search(r'Temp-Outer:([0-9.]*)', reply)
if m is not None:
try:
info['external temperature'] = float(m.group(1))
except:
pass
return info
def read(self):
'''Read the firmware version, temperature, and humidity from the device and
return a dictionary containing these data.
'''
# Use the last device found
if self.device.startswith('hidraw'):
return self._read_hidraw(self.device)
if self.device.startswith('tty'):
return self._read_serial(self.device)
return {'error': 'No usable hid/tty devices available'}
class Temper(object):
SYSPATH = '/sys/bus/usb/devices'
def __init__(self, verbose=False):
usblist = USBList()
self.usb_devices = usblist.get_usb_devices()
self.forced_vendor_id = None
self.forced_product_id = None
self.verbose = verbose
def _is_known_id(self, vendorid, productid):
'''Returns True if the vendorid and product id are valid.
'''
if self.forced_vendor_id is not None and \
self.forced_product_id is not None:
if self.forced_vendor_id == vendorid and \
self.forced_product_id == productid:
return True
return False
if vendorid == 0x0c45 and productid == 0x7401:
return True
if vendorid == 0x413d and productid == 0x2107:
return True
if vendorid == 0x1a86 and productid == 0x5523:
return True
if vendorid == 0x1a86 and productid == 0xe025:
return True
# The id is not known to this program.
return False
def list(self, use_json=False):
'''Print out a list all of the USB devices on the system. If 'use_json' is
True, then JSON formatting will be used.
'''
if use_json:
print(json.dumps(self.usb_devices, indent=4))
return
for _, info in sorted(self.usb_devices.items(),
key=lambda x: x[1]['busnum'] * 1000 + \
x[1]['devnum']):
print('Bus %03d Dev %03d %04x:%04x %s %s %s' % (
info['busnum'],
info['devnum'],
info['vendorid'],
info['productid'],
'*' if self._is_known_id(info['vendorid'], info['productid']) else ' ',
info.get('product', '???'),
list(info['devices']) if len(info['devices']) > 0 else ''))
def read(self, verbose=False):
'''Read all of the known devices on the system and return a list of
dictionaries which contain the device information, firmware information,
and environmental information obtained. If there is an error, then the
'error' field in the dictionary will contain a string explaining the
error.
'''
results = []
for _, info in sorted(self.usb_devices.items(),
key=lambda x: x[1]['busnum'] * 1000 + \
x[1]['devnum']):
if not self._is_known_id(info['vendorid'], info['productid']):
continue
if len(info['devices']) == 0:
info['error'] = 'no hid/tty devices available'
results.append(info)
continue
usbread = USBRead(info['devices'][-1], verbose)
results.append({ **info, **usbread.read() })
return results
def _add_temperature(self, name, info):
'''Helper method to add the temperature to a string in both Celsius and
Fahrenheit. If no sensor data is available, then '- -' will be returned.
'''
if name not in info:
return '- -'
degC = info[name]
degF = degC * 1.8 + 32.0
return '%.2fC %.2fF' % (degC, degF)
def _add_humidity(self, name, info):
'''Helper method to add the humidity to a string. If no sensor data is
available, then '-' will be returned.
'''
if name not in info:
return '-'
return '%d%%' % int(info[name])
def print(self, results, use_json=False):
'''Print out a list of all of the known USB sensor devices on the system.
If 'use_json' is True, then JSON formatting will be used.
'''
if use_json:
print(json.dumps(results, indent=4))
return
for info in results:
s = 'Bus %03d Dev %03d %04x:%04x %s' % (info['busnum'],
info['devnum'],
info['vendorid'],
info['productid'],
info.get('firmware'))
if 'error' in info:
s += ' Error: %s' % info['error']
else:
s += ' ' + self._add_temperature('internal temperature', info)
s += ' ' + self._add_humidity('internal humidity', info)
s += ' ' + self._add_temperature('external temperature', info)
s += ' ' + self._add_humidity('external humidity', info)
print(s)
def main(self):
'''An example 'main' entry point that can be used to make temper.py a
standalone program.
'''
parser = argparse.ArgumentParser(description='temper')
parser.add_argument('-l', '--list', action='store_true',
help='List all USB devices')
parser.add_argument('--json', action='store_true',
help='Provide output as JSON')
parser.add_argument('--force', type=str,
help='Force the use of the hex id; ignore other ids',
metavar=('VENDOR_ID:PRODUCT_ID'))
parser.add_argument('--verbose', action='store_true',
help='Output binary data from thermometer')
args = parser.parse_args()
self.verbose = args.verbose
if args.list:
self.list(args.json)
return 0
if args.force:
ids = args.force.split(':')
if len(ids) != 2:
print('Cannot parse hexadecimal id: %s' % args.force)
return 1
try:
vendor_id = int(ids[0], 16)
product_id = int(ids[1], 16)
except:
print('Cannot parse hexadecimal id: %s' % args.force)
return 1
self.forced_vendor_id = vendor_id;
self.forced_product_id = product_id;
# By default, output the temperature and humidity for all known sensors.
results = self.read(args.verbose)
self.print(results, args.json)
return 0
def main():
temper = Temper()
sys.exit(temper.main())
if __name__ == "__main__":
main()