Skip to content

Commit d7079d9

Browse files
Add a script to mass-update cluster revisions in our .zap files. (project-chip#26514)
We're going to need to do this for several clusters, and doing it by hand is really painful. Also fixes a bug in zap_convert_all.py when run in non-parallel mode.
1 parent bbff46a commit d7079d9

File tree

2 files changed

+155
-1
lines changed

2 files changed

+155
-1
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,154 @@
1+
#!/usr/bin/env python3
2+
#
3+
# Copyright (c) 2020 Project CHIP Authors
4+
#
5+
# Licensed under the Apache License, Version 2.0 (the "License");
6+
# you may not use this file except in compliance with the License.
7+
# You may obtain a copy of the License at
8+
#
9+
# http://www.apache.org/licenses/LICENSE-2.0
10+
#
11+
# Unless required by applicable law or agreed to in writing, software
12+
# distributed under the License is distributed on an "AS IS" BASIS,
13+
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14+
# See the License for the specific language governing permissions and
15+
# limitations under the License.
16+
#
17+
18+
import argparse
19+
import json
20+
import logging
21+
import multiprocessing
22+
import os
23+
import subprocess
24+
import sys
25+
from pathlib import Path
26+
27+
CHIP_ROOT_DIR = os.path.realpath(
28+
os.path.join(os.path.dirname(__file__), '../../..'))
29+
30+
31+
def getTargets():
32+
ROOTS_TO_SEARCH = [
33+
'./examples',
34+
'./src/controller/data_model',
35+
'./scripts/tools/zap/tests/inputs',
36+
]
37+
38+
targets = []
39+
for root in ROOTS_TO_SEARCH:
40+
for filepath in Path(root).rglob('*.zap'):
41+
targets.append(filepath)
42+
43+
return targets
44+
45+
46+
def checkPythonVersion():
47+
if sys.version_info[0] < 3:
48+
print('Must use Python 3. Current version is ' +
49+
str(sys.version_info[0]))
50+
exit(1)
51+
52+
53+
def runArgumentsParser():
54+
parser = argparse.ArgumentParser(
55+
description='Update the ClusterRevision for a chosen cluster in all .zap files')
56+
parser.add_argument('--cluster-id', default=None, action='store',
57+
help='The id of the cluster, as hex, for which the cluster revision should be updated.')
58+
parser.add_argument('--new-revision', default=None, action='store',
59+
help='The new cluster revision as a decimal integer')
60+
parser.add_argument('--old-revision', default=None, action='store',
61+
help='If set, only clusters with this old revision will be updated. This is a decimal integer.')
62+
parser.add_argument('--dry-run', default=False, action='store_true',
63+
help="Don't do any generation, just log what .zap files would be updated (default: False)")
64+
parser.add_argument('--parallel', action='store_true')
65+
parser.add_argument('--no-parallel', action='store_false', dest='parallel')
66+
parser.set_defaults(parallel=True)
67+
68+
args = parser.parse_args()
69+
70+
if args.cluster_id is None:
71+
logging.error("Must have a cluster id")
72+
sys.exit(1)
73+
74+
if args.new_revision is None:
75+
logging.error("Must have a new cluster revision")
76+
sys.exit(1)
77+
78+
args.cluster_id = int(args.cluster_id, 16)
79+
80+
return args
81+
82+
83+
def isClusterRevisionAttribute(attribute):
84+
if attribute['mfgCode'] is not None:
85+
return False
86+
87+
if attribute['code'] != 0xFFFD:
88+
return False
89+
90+
if attribute['name'] != "ClusterRevision":
91+
logging.error("Attribute has ClusterRevision id but wrong name")
92+
return False
93+
94+
return True
95+
96+
97+
def updateOne(item):
98+
"""
99+
Helper method that may be run in parallel to update a single target.
100+
"""
101+
(args, target) = item
102+
103+
with open(target, "r") as file:
104+
data = json.load(file)
105+
106+
for endpointType in data['endpointTypes']:
107+
for cluster in endpointType['clusters']:
108+
if cluster['mfgCode'] is None and cluster['code'] == args.cluster_id:
109+
for attribute in cluster['attributes']:
110+
if isClusterRevisionAttribute(attribute):
111+
if args.old_revision is None or attribute['defaultValue'] == args.old_revision:
112+
attribute['defaultValue'] = args.new_revision
113+
114+
with open(target, "w") as file:
115+
json.dump(data, file)
116+
117+
# Now run convert.py on the file to have ZAP reformat it however it likes.
118+
subprocess.check_call(['./scripts/tools/zap/convert.py', target])
119+
120+
121+
def main():
122+
checkPythonVersion()
123+
124+
logging.basicConfig(
125+
level=logging.INFO,
126+
format='%(asctime)s %(name)s %(levelname)-7s %(message)s'
127+
)
128+
129+
args = runArgumentsParser()
130+
131+
os.chdir(CHIP_ROOT_DIR)
132+
133+
targets = getTargets()
134+
135+
if args.dry_run:
136+
for target in targets:
137+
print(f"Will try to update: {target}")
138+
sys.exit(0)
139+
140+
items = [(args, target) for target in targets]
141+
142+
if args.parallel:
143+
# Ensure each zap run is independent
144+
os.environ['ZAP_TEMPSTATE'] = '1'
145+
with multiprocessing.Pool() as pool:
146+
for _ in pool.imap_unordered(updateOne, items):
147+
pass
148+
else:
149+
for item in items:
150+
updateOne(item)
151+
152+
153+
if __name__ == '__main__':
154+
main()

scripts/tools/zap_convert_all.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -105,7 +105,7 @@ def main():
105105
pass
106106
else:
107107
for target in targets:
108-
generateOne(target)
108+
convertOne(target)
109109

110110

111111
if __name__ == '__main__':

0 commit comments

Comments
 (0)