forked from johnsdiyplayground/smart-beer-fridge
-
Notifications
You must be signed in to change notification settings - Fork 0
/
beerfridge_make.py
365 lines (319 loc) · 13.4 KB
/
beerfridge_make.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
#!/usr/bin/env python
import collections
import time
import bluetooth
import sys
import subprocess
from ISStreamer.Streamer import Streamer
import RPi.GPIO as io
import os
import time # John's DIY Playground added this line
# --------- User Settings ---------
WEIGHT_SAMPLES = 1500
WEIGHT_BASE = 63.02 # this is the weight of your fridge completely empty
WEIGHT_BOTTLE = 0.812 # weight of a bottle or can if you stock cans only
FRIDGE_GETTING_LOW = 12 # 12 beers or less means we are getting low on beer!
FRIDGE_EMPTY = 6 # if we have 6 beers or less we consider it an empty fridge!
BUCKET_NAME = ":beer: Beer Fridge"
BUCKET_KEY = "your-bucket-key" # you get this key from initialstate.com
ACCESS_KEY = "your-access-key" # also from initialstate.com
# ---------------------------------
# Door Switch Parameters
io.setmode(io.BCM) # set GPIO mode to BCM
DOOR_PIN = 17 # enter the number of whatever GPIO pin your're using
io.setup(DOOR_PIN, io.IN) # Specify that button_io_pin will be an input
# Below is new code added by John's DIY Playground
# Sync relay switch parameters
SYNC_SWITCH_RELAY_PIN = 18
io.setup(SYNC_SWITCH_RELAY_PIN, io.OUT)
# Wiiboard Parameters
CONTINUOUS_REPORTING = "04" # Easier as string with leading zero
COMMAND_LIGHT = 11
COMMAND_REPORTING = 12
COMMAND_REQUEST_STATUS = 15
COMMAND_REGISTER = 16
COMMAND_READ_REGISTER = 17
INPUT_STATUS = 20
INPUT_READ_DATA = 21
EXTENSION_8BYTES = 32
BUTTON_DOWN_MASK = 8
TOP_RIGHT = 0
BOTTOM_RIGHT = 1
TOP_LEFT = 2
BOTTOM_LEFT = 3
BLUETOOTH_NAME = "Nintendo RVL-WBC-01"
class EventProcessor:
def __init__(self):
self._measured = False
self.done = False
self._measureCnt = 0
self._events = range(WEIGHT_SAMPLES)
self.bottles = 0
self._bottlesPrev = -1
self._doorStatus = False
self._takeMeasurement = False
self.streamer = Streamer(bucket_name=BUCKET_NAME,bucket_key=BUCKET_KEY,access_key=ACCESS_KEY)
def mass(self, event):
# Take measurement ony when the door closes
if (self._doorStatus == True and event.doorStatus == False):
self._takeMeasurement = True
self._measureCnt = 0
self.streamer.log(":door: Door", "Closed")
self.streamer.flush()
print "Door Closed"
print "Starting measurement ..."
time.sleep(2)
# Door is opened, ensure no measurement is being taken
if (self._doorStatus == False and event.doorStatus == True):
self._takeMeasurement = False
self.streamer.log(":door: Door", "Open")
self.streamer.flush()
print "Door Opened"
if (self._takeMeasurement == True and event.totalWeight > 2):
self._events[self._measureCnt] = event.totalWeight*2.20462
self._measureCnt += 1
if self._measureCnt == WEIGHT_SAMPLES:
self._sum = 0
for x in range(0, WEIGHT_SAMPLES-1):
self._sum += event.totalWeight*2.20462
self._weight = self._sum/WEIGHT_SAMPLES
self._weightBottles = self._weight - WEIGHT_BASE
self.bottles = int(round(self._weightBottles / WEIGHT_BOTTLE))
self._measureCnt = 0
print str(self._weight) + " lbs total, " + str(self._weightBottles) + " lbs in bottles"
if self.bottles < FRIDGE_EMPTY:
self.streamer.log("Status", ":scream:")
elif self.bottles < FRIDGE_GETTING_LOW:
self.streamer.log("Status", ":worried:")
else:
self.streamer.log("Status", ":beers: :thumbsup:")
self.streamer.flush()
if (self.bottles != self._bottlesPrev) and (self.bottles >= 0):
self.streamer.log(":beer: Bottles Present", self.bottles)
self.streamer.flush()
if (self._bottlesPrev != -1) and (self._bottlesPrev > self.bottles):
for x in range(0, self._bottlesPrev-self.bottles):
print "Bottle removed"
self.streamer.log(":beers: Bottle Removed", ":beers:")
self.streamer.flush()
self._bottlesPrev = self.bottles
print str(self.bottles) + " Bottles"
print "Measurement complete!"
self._takeMeasurement = False
if not self._measured:
self._measured = True
self._doorStatus = event.doorStatus
@property
def weight(self):
if not self._events:
return 0
histogram = collections.Counter(round(num, 1) for num in self._events)
return histogram.most_common(1)[0][0]
class BoardEvent:
def __init__(self, topLeft, topRight, bottomLeft, bottomRight, buttonPressed, buttonReleased):
self.topLeft = topLeft
self.topRight = topRight
self.bottomLeft = bottomLeft
self.bottomRight = bottomRight
self.buttonPressed = buttonPressed
self.buttonReleased = buttonReleased
#convenience value
self.totalWeight = topLeft + topRight + bottomLeft + bottomRight
self.doorStatus = io.input(DOOR_PIN)
class Wiiboard:
def __init__(self, processor):
# Sockets and status
self.receivesocket = None
self.controlsocket = None
self.processor = processor
self.calibration = []
self.calibrationRequested = False
self.LED = False
self.address = None
self.buttonDown = False
for i in xrange(3):
self.calibration.append([])
for j in xrange(4):
self.calibration[i].append(10000) # high dummy value so events with it don't register
self.status = "Disconnected"
self.lastEvent = BoardEvent(0, 0, 0, 0, False, False)
try:
self.receivesocket = bluetooth.BluetoothSocket(bluetooth.L2CAP)
self.controlsocket = bluetooth.BluetoothSocket(bluetooth.L2CAP)
except ValueError:
raise Exception("Error: Bluetooth not found")
def isConnected(self):
return self.status == "Connected"
# Connect to the Wiiboard at bluetooth address <address>
def connect(self, address):
if address is None:
print "Non existant address"
return
self.receivesocket.connect((address, 0x13))
self.controlsocket.connect((address, 0x11))
if self.receivesocket and self.controlsocket:
print "Connected to Wiiboard at address " + address
self.status = "Connected"
self.address = address
self.calibrate()
useExt = ["00", COMMAND_REGISTER, "04", "A4", "00", "40", "00"]
self.send(useExt)
self.setReportingType()
print "Wiiboard connected"
else:
print "Could not connect to Wiiboard at address " + address
def receive(self):
while self.status == "Connected" and not self.processor.done:
data = self.receivesocket.recv(25)
intype = int(data.encode("hex")[2:4])
if intype == INPUT_STATUS:
# TODO: Status input received. It just tells us battery life really
self.setReportingType()
elif intype == INPUT_READ_DATA:
if self.calibrationRequested:
packetLength = (int(str(data[4]).encode("hex"), 16) / 16 + 1)
self.parseCalibrationResponse(data[7:(7 + packetLength)])
if packetLength < 16:
self.calibrationRequested = False
elif intype == EXTENSION_8BYTES:
self.processor.mass(self.createBoardEvent(data[2:12]))
else:
print "ACK to data write received"
def disconnect(self):
if self.status == "Connected":
self.status = "Disconnecting"
while self.status == "Disconnecting":
self.wait(100)
try:
self.receivesocket.close()
except:
pass
try:
self.controlsocket.close()
except:
pass
print "WiiBoard disconnected"
# Try to discover a Wiiboard
def discover(self):
# print "Press the red sync button on the board now" #this is the old code
print "Activating the sync switch relay for the Wii Board..."
io.output(SYNC_SWITCH_RELAY_PIN, True)
time.sleep(1); # delay 1 second to toggle the sync switch relay
io.output(SYNC_SWITCH_RELAY_PIN, False)
address = None
bluetoothdevices = bluetooth.discover_devices(duration=6, lookup_names=True)
for bluetoothdevice in bluetoothdevices:
if bluetoothdevice[1] == BLUETOOTH_NAME:
address = bluetoothdevice[0]
print "Found Wiiboard at address " + address
if address is None:
print "No Wiiboards discovered."
return address
def createBoardEvent(self, bytes):
buttonBytes = bytes[0:2]
bytes = bytes[2:12]
buttonPressed = False
buttonReleased = False
state = (int(buttonBytes[0].encode("hex"), 16) << 8) | int(buttonBytes[1].encode("hex"), 16)
if state == BUTTON_DOWN_MASK:
buttonPressed = True
if not self.buttonDown:
print "Button pressed"
self.buttonDown = True
if not buttonPressed:
if self.lastEvent.buttonPressed:
buttonReleased = True
self.buttonDown = False
print "Button released"
rawTR = (int(bytes[0].encode("hex"), 16) << 8) + int(bytes[1].encode("hex"), 16)
rawBR = (int(bytes[2].encode("hex"), 16) << 8) + int(bytes[3].encode("hex"), 16)
rawTL = (int(bytes[4].encode("hex"), 16) << 8) + int(bytes[5].encode("hex"), 16)
rawBL = (int(bytes[6].encode("hex"), 16) << 8) + int(bytes[7].encode("hex"), 16)
topLeft = self.calcMass(rawTL, TOP_LEFT)
topRight = self.calcMass(rawTR, TOP_RIGHT)
bottomLeft = self.calcMass(rawBL, BOTTOM_LEFT)
bottomRight = self.calcMass(rawBR, BOTTOM_RIGHT)
boardEvent = BoardEvent(topLeft, topRight, bottomLeft, bottomRight, buttonPressed, buttonReleased)
return boardEvent
def calcMass(self, raw, pos):
val = 0.0
#calibration[0] is calibration values for 0kg
#calibration[1] is calibration values for 17kg
#calibration[2] is calibration values for 34kg
if raw < self.calibration[0][pos]:
return val
elif raw < self.calibration[1][pos]:
val = 17 * ((raw - self.calibration[0][pos]) / float((self.calibration[1][pos] - self.calibration[0][pos])))
elif raw > self.calibration[1][pos]:
val = 17 + 17 * ((raw - self.calibration[1][pos]) / float((self.calibration[2][pos] - self.calibration[1][pos])))
return val
def getEvent(self):
return self.lastEvent
def getLED(self):
return self.LED
def parseCalibrationResponse(self, bytes):
index = 0
if len(bytes) == 16:
for i in xrange(2):
for j in xrange(4):
self.calibration[i][j] = (int(bytes[index].encode("hex"), 16) << 8) + int(bytes[index + 1].encode("hex"), 16)
index += 2
elif len(bytes) < 16:
for i in xrange(4):
self.calibration[2][i] = (int(bytes[index].encode("hex"), 16) << 8) + int(bytes[index + 1].encode("hex"), 16)
index += 2
# Send <data> to the Wiiboard
# <data> should be an array of strings, each string representing a single hex byte
def send(self, data):
if self.status != "Connected":
return
data[0] = "52"
senddata = ""
for byte in data:
byte = str(byte)
senddata += byte.decode("hex")
self.controlsocket.send(senddata)
#Turns the power button LED on if light is True, off if False
#The board must be connected in order to set the light
def setLight(self, light):
if light:
val = "10"
else:
val = "00"
message = ["00", COMMAND_LIGHT, val]
self.send(message)
self.LED = light
def calibrate(self):
message = ["00", COMMAND_READ_REGISTER, "04", "A4", "00", "24", "00", "18"]
self.send(message)
self.calibrationRequested = True
def setReportingType(self):
bytearr = ["00", COMMAND_REPORTING, CONTINUOUS_REPORTING, EXTENSION_8BYTES]
self.send(bytearr)
def wait(self, millis):
time.sleep(millis / 1000.0)
def main():
processor = EventProcessor()
board = Wiiboard(processor)
if len(sys.argv) == 1:
print "Discovering board..."
address = board.discover()
else:
address = sys.argv[1]
try:
# Disconnect already-connected devices.
# This is basically Linux black magic just to get the thing to work.
subprocess.check_output(["bluez-test-input", "disconnect", address], stderr=subprocess.STDOUT)
subprocess.check_output(["bluez-test-input", "disconnect", address], stderr=subprocess.STDOUT)
except:
pass
print "Trying to connect..."
board.connect(address) # The wii board must be in sync mode at this time
board.wait(200)
# Flash the LED so we know we can step on.
board.setLight(False)
board.wait(500)
board.setLight(True)
board.receive()
if __name__ == "__main__":
main()