Skip to content

Commit eddf2b4

Browse files
Initial matter Python end-device (#11116)
This PR facilitates to create a Python based matter end-device. * Adds sample with README in examples/lighting-app/python * This sample requires a DALI-USB-interface * build-chip-wheel.py was auto-formatted * Typo fixed in operational-credentials-server.cpp * Correct IP commissioning cluster docs * Add python-dali as a requirement * Add Options and re-enable BLE and WiFi * Use lighting-app.zap for client python device. * Restyled
1 parent cabd850 commit eddf2b4

18 files changed

+1046
-64
lines changed

.github/.wordlist.txt

+1
Original file line numberDiff line numberDiff line change
@@ -277,6 +277,7 @@ DevKitC
277277
DevKitM
278278
df
279279
dfu
280+
dhclient
280281
DHCP
281282
DHCPC
282283
DHCPv
+48
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,48 @@
1+
# Python based lighting example (bridge) device to DALI.
2+
3+
## Installation
4+
5+
Build the Python/C library:
6+
7+
```shell
8+
cd ~/connectedhomeip/
9+
git submodule update --init
10+
source scripts/activate.sh
11+
12+
./scripts/build_python_device.sh --chip_detail_logging true
13+
14+
sudo su # dhclient is called, needs root
15+
source ./out/python_env/bin/activate
16+
```
17+
18+
Install the python dependencies:
19+
20+
```shell
21+
pip3 install python-dali
22+
```
23+
24+
Plug-in a python-dali compatible USB-DALI interface.
25+
26+
## Usage
27+
28+
Run the Python lighting matter device:
29+
30+
```shell
31+
cd examples/lighting-app/python
32+
python lighting.py
33+
```
34+
35+
Control the Python lighting matter device:
36+
37+
```shell
38+
source ./out/python_env/bin/activate
39+
40+
chip-device-ctrl
41+
42+
chip-device-ctrl > connect -ble 3840 20202021 12344321
43+
chip-device-ctrl > zcl NetworkCommissioning AddWiFiNetwork 12344321 0 0 ssid=str:YOUR_SSID credentials=str:YOUR_PASSWORD breadcrumb=0 timeoutMs=1000
44+
chip-device-ctrl > zcl NetworkCommissioning EnableNetwork 12344321 0 0 networkID=str:YOUR_SSID breadcrumb=0 timeoutMs=1000
45+
chip-device-ctrl > close-ble
46+
chip-device-ctrl > resolve 5544332211 1 (pass appropriate fabric ID and node ID, you can get this from get-fabricid)
47+
chip-device-ctrl > zcl OnOff Toggle 12344321 1 0
48+
```
+238
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,238 @@
1+
#
2+
# Copyright (c) 2021 Project CHIP Authors
3+
#
4+
# Licensed under the Apache License, Version 2.0 (the "License");
5+
# you may not use this file except in compliance with the License.
6+
# You may obtain a copy of the License at
7+
#
8+
# http://www.apache.org/licenses/LICENSE-2.0
9+
#
10+
# Unless required by applicable law or agreed to in writing, software
11+
# distributed under the License is distributed on an "AS IS" BASIS,
12+
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
# See the License for the specific language governing permissions and
14+
# limitations under the License.
15+
#
16+
17+
from chip.server import (
18+
GetLibraryHandle,
19+
NativeLibraryHandleMethodArguments,
20+
PostAttributeChangeCallback,
21+
)
22+
23+
from chip.exceptions import ChipStackError
24+
25+
from ctypes import CFUNCTYPE, c_char_p, c_int32, c_uint8
26+
27+
import sys
28+
import os
29+
30+
import textwrap
31+
import string
32+
33+
from cmd import Cmd
34+
35+
import asyncio
36+
import threading
37+
38+
from dali.driver.hid import tridonic
39+
from dali.gear.general import RecallMaxLevel, Off, DAPC
40+
from dali.address import Broadcast, Short
41+
42+
dali_loop = None
43+
dev = None
44+
45+
46+
async def dali_on(is_on: bool):
47+
global dali_loop
48+
global dev
49+
50+
await dev.connected.wait()
51+
if (is_on):
52+
await dev.send(RecallMaxLevel(Broadcast()))
53+
else:
54+
await dev.send(Off(Broadcast()))
55+
56+
57+
async def dali_level(level: int):
58+
global dali_loop
59+
global dev
60+
61+
await dev.connected.wait()
62+
await dev.send(DAPC(Broadcast(), level))
63+
64+
65+
def daliworker():
66+
global dali_loop
67+
global dev
68+
69+
dali_loop = asyncio.new_event_loop()
70+
dev = tridonic("/dev/dali/daliusb-*", glob=True, loop=dali_loop)
71+
dev.connect()
72+
73+
asyncio.set_event_loop(dali_loop)
74+
dali_loop.run_forever()
75+
76+
77+
class LightingMgrCmd(Cmd):
78+
def __init__(self, rendezvousAddr=None, controllerNodeId=0, bluetoothAdapter=None):
79+
self.lastNetworkId = None
80+
81+
Cmd.__init__(self)
82+
83+
Cmd.identchars = string.ascii_letters + string.digits + "-"
84+
85+
if sys.stdin.isatty():
86+
self.prompt = "chip-lighting > "
87+
else:
88+
self.use_rawinput = 0
89+
self.prompt = ""
90+
91+
LightingMgrCmd.command_names.sort()
92+
93+
self.historyFileName = os.path.expanduser("~/.chip-lighting-history")
94+
95+
try:
96+
import readline
97+
98+
if "libedit" in readline.__doc__:
99+
readline.parse_and_bind("bind ^I rl_complete")
100+
readline.set_completer_delims(" ")
101+
try:
102+
readline.read_history_file(self.historyFileName)
103+
except IOError:
104+
pass
105+
except ImportError:
106+
pass
107+
108+
command_names = [
109+
"help"
110+
]
111+
112+
def parseline(self, line):
113+
cmd, arg, line = Cmd.parseline(self, line)
114+
if cmd:
115+
cmd = self.shortCommandName(cmd)
116+
line = cmd + " " + arg
117+
return cmd, arg, line
118+
119+
def completenames(self, text, *ignored):
120+
return [
121+
name + " "
122+
for name in LightingMgrCmd.command_names
123+
if name.startswith(text) or self.shortCommandName(name).startswith(text)
124+
]
125+
126+
def shortCommandName(self, cmd):
127+
return cmd.replace("-", "")
128+
129+
def precmd(self, line):
130+
if not self.use_rawinput and line != "EOF" and line != "":
131+
print(">>> " + line)
132+
return line
133+
134+
def postcmd(self, stop, line):
135+
if not stop and self.use_rawinput:
136+
self.prompt = "chip-lighting > "
137+
return stop
138+
139+
def postloop(self):
140+
try:
141+
import readline
142+
143+
try:
144+
readline.write_history_file(self.historyFileName)
145+
except IOError:
146+
pass
147+
except ImportError:
148+
pass
149+
150+
def do_help(self, line):
151+
"""
152+
help
153+
154+
Print the help
155+
"""
156+
if line:
157+
cmd, arg, unused = self.parseline(line)
158+
try:
159+
doc = getattr(self, "do_" + cmd).__doc__
160+
except AttributeError:
161+
doc = None
162+
if doc:
163+
self.stdout.write("%s\n" % textwrap.dedent(doc))
164+
else:
165+
self.stdout.write("No help on %s\n" % (line))
166+
else:
167+
self.print_topics(
168+
"\nAvailable commands (type help <name> for more information):",
169+
LightingMgrCmd.command_names,
170+
15,
171+
80,
172+
)
173+
174+
175+
@PostAttributeChangeCallback
176+
def attributeChangeCallback(
177+
endpoint: int,
178+
clusterId: int,
179+
attributeId: int,
180+
mask: int,
181+
manufacturerCode: int,
182+
xx_type: int,
183+
size: int,
184+
value: bytes,
185+
):
186+
global dali_loop
187+
if endpoint == 1:
188+
if clusterId == 6 and attributeId == 0:
189+
if len(value) == 1 and value[0] == 1:
190+
# print("[PY] light on")
191+
future = asyncio.run_coroutine_threadsafe(
192+
dali_on(True), dali_loop)
193+
future.result()
194+
else:
195+
# print("[PY] light off")
196+
future = asyncio.run_coroutine_threadsafe(
197+
dali_on(False), dali_loop)
198+
future.result()
199+
elif clusterId == 8 and attributeId == 0:
200+
if len(value) == 2:
201+
# print("[PY] level {}".format(value[0]))
202+
future = asyncio.run_coroutine_threadsafe(
203+
dali_level(value[0]), dali_loop)
204+
future.result()
205+
else:
206+
print("[PY] no level")
207+
else:
208+
# print("[PY] [ERR] unhandled cluster {} or attribute {}".format(
209+
# clusterId, attributeId))
210+
pass
211+
else:
212+
print("[PY] [ERR] unhandled endpoint {} ".format(endpoint))
213+
214+
215+
class Lighting:
216+
def __init__(self):
217+
self.chipLib = GetLibraryHandle(attributeChangeCallback)
218+
219+
220+
if __name__ == "__main__":
221+
l = Lighting()
222+
223+
lightMgrCmd = LightingMgrCmd()
224+
print("Chip Lighting Device Shell")
225+
print()
226+
227+
print("Starting DALI async")
228+
threads = []
229+
t = threading.Thread(target=daliworker)
230+
threads.append(t)
231+
t.start()
232+
233+
try:
234+
lightMgrCmd.cmdloop()
235+
except KeyboardInterrupt:
236+
print("\nQuitting")
237+
238+
sys.exit(0)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
# dali
2+
python-dali
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
../../../..

scripts/build_python.sh

+1-1
Original file line numberDiff line numberDiff line change
@@ -117,7 +117,7 @@ fi
117117
# Create a virtual environment that has access to the built python tools
118118
virtualenv --clear "$ENVIRONMENT_ROOT"
119119

120-
# Activate the new enviroment to register the python WHL
120+
# Activate the new environment to register the python WHL
121121

122122
if [ "$enable_pybindings" == true ]; then
123123
WHEEL=$(ls "$OUTPUT_ROOT"/pybindings/pycontroller/pychip-*.whl | head -n 1)

0 commit comments

Comments
 (0)