-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest_waves.py
204 lines (170 loc) · 6.15 KB
/
test_waves.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
#!/usr/bin/env python3
import time
import pigpio
import argparse
import atexit
class DaliTransmitter:
"""
A class to transmit DALI frames.
"""
def __init__(self, pi, tx_pin, te=417):
self.pi = pi
self.tx_pin = tx_pin
self.te = te
self.tstop = 2 * te # Typically stop bit time should be 2 * TE
self._make_waves()
self.pi.set_mode(tx_pin, pigpio.OUTPUT)
self.pi.write(tx_pin, 0) # Ensure the pin starts high (idle state for DALI)
def _make_waves(self):
"""
Generate the basic '1' and '0' Manchester encoded waveforms.
"""
wf = []
wf.append(pigpio.pulse(1<<self.tx_pin, 0, self.te))
wf.append(pigpio.pulse(0, 1<<self.tx_pin, self.te))
self.pi.wave_add_generic(wf)
self._start = self.pi.wave_create()
wf = []
wf.append(pigpio.pulse(0, 1<<self.tx_pin, self.tstop))
self.pi.wave_add_generic(wf)
self._stop = self.pi.wave_create()
wf = []
wf.append(pigpio.pulse(0, 1<<self.tx_pin, self.te))
wf.append(pigpio.pulse(1<<self.tx_pin, 0, self.te))
self.pi.wave_add_generic(wf)
self._wid0 = self.pi.wave_create()
wf = []
wf.append(pigpio.pulse(1<<self.tx_pin, 0, self.te))
wf.append(pigpio.pulse(0, 1<<self.tx_pin, self.te))
self.pi.wave_add_generic(wf)
self._wid1 = self.pi.wave_create()
def send(self, code, bits=16, repeats=1):
"""
Transmits a DALI frame.
"""
print(f"Sending DALI frame: {hex(code)}")
time.sleep(self.te / 1e6) # Wait for a half bit time
chain = [255, 0, self._start]
bit = (1 << (bits - 1))
for i in range(bits):
if code & bit:
chain += [self._wid1]
print(f"Sending bit 1 at position {i}")
else:
chain += [self._wid0]
print(f"Sending bit 0 at position {i}")
bit = bit >> 1
chain += [self._stop, 255, 1, repeats, 0]
start_time = time.time()
self.pi.wave_chain(chain)
while self.pi.wave_tx_busy():
time.sleep(0.001)
self.pi.write(self.tx_pin, 0) # Set the bus high after the transmission
end_time = time.time()
print("Transmission complete")
print(f"Total transmission time: {(end_time - start_time) * 1e6:.2f} µs")
def cancel(self):
"""
Cancels the DALI transmitter.
"""
if self.pi:
self.pi.wave_delete(self._start)
self.pi.wave_delete(self._stop)
self.pi.wave_delete(self._wid0)
self.pi.wave_delete(self._wid1)
def print_menu():
"""
Prints the command menu.
"""
print("\nSelect a command to broadcast to the DALI bus:")
print("1. OFF (0xFE00)")
print("2. MAX Brightness (0xFEFE)")
print("3. Set Brightness to 117/254 (0xFE75)")
print("4. Set Brightness to 37/254 (0xFE25)")
print("5. TOGGLE (0xFEFF)")
print("6. Set Color Temperature (Enter Value)")
print("7. EXIT")
def get_command_choice():
"""
Prompts the user for a command choice.
"""
choice = input("Enter your choice (1-7): ")
return choice
def set_color_temperature(transmitter):
try:
temp = int(input("Enter color temperature value (in Kelvin): "))
mirek = int(1000000 / temp) # Convert Kelvin to Mirek
print(f"Kelvin: {temp}, Mirek: {mirek}")
msb = mirek // 256
lsb = mirek % 256
print(f"MSB: {msb}, LSB: {lsb}")
# Send commands to set color temperature following the switch sequence
commands = [
#0xfefe, # Initial frame (broadcast)
#0xa300 | lsb, # Set LSB of Mirek
#0xc300 | msb, # Set MSB of Mirek
#0xc108, # Intermediate command
#0xe700
#0xffe7 # Intermediate command
#0xc108, # Intermediate command
#0xffe2 # Finalize command
#0xfefe, # Initial frame (broadcast)
0xa300 | lsb, # Set LSB of Mired
0xc300 | msb, # Set MSB of Mired
0xc108, # Intermediate command
0xffe7 # Intermediate command
#0xc108, # Intermediate command
#0xffe2 # Finalize command
]
for cmd in commands:
transmitter.send(cmd)
time.sleep(0.1) # Small delay between commands
print(f"Set color temperature to {temp}K (Mirek: {mirek})")
except ValueError:
print("Invalid input. Please enter a valid integer.")
def main():
parser = argparse.ArgumentParser()
parser.add_argument('--host', help='specify the hostname', default='localhost')
args = parser.parse_args()
TX_PIN = 5
pi = pigpio.pi(args.host)
transmitter = DaliTransmitter(pi, TX_PIN)
def cleanup():
transmitter.cancel()
if pi:
pi.stop()
atexit.register(cleanup)
print("DALI Transmitter is running. Press Ctrl+C to exit.")
try:
while True:
print_menu()
choice = get_command_choice()
if choice == '1':
transmitter.send(0xFE00)
print("Broadcasted OFF command")
elif choice == '2':
transmitter.send(0xFEFE)
print("Broadcasted MAX Brightness command")
elif choice == '3':
transmitter.send(0xFE75)
print("Broadcasted Brightness 117/254")
elif choice == '4':
transmitter.send(0xFE25)
print("Broadcasted Brightness 37/254")
elif choice == '5':
transmitter.send(0xFEFF)
print("Broadcasted TOGGLE command")
elif choice == '6':
set_color_temperature(transmitter)
elif choice == '7':
print("Exiting...")
cleanup()
break
else:
print("Invalid choice. Please try again.")
time.sleep(1) # Optional: wait 1 second before showing the menu again
except KeyboardInterrupt:
print("Exiting...")
cleanup()
if __name__ == '__main__':
main()