File: flasher.py

package info (click to toggle)
zigpy-zigate 0.13.3-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 288 kB
  • sloc: python: 2,167; makefile: 3
file content (506 lines) | stat: -rw-r--r-- 14,277 bytes parent folder | download | duplicates (2)
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
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
#!/usr/bin/python3
#
# Copyright (c) 2018 Sébastien RAMAGE
#
# For the full copyright and license information, please view the LICENSE
# file that was distributed with this source code.
#
# Thanks to Sander Hoentjen (tjikkun) we now have a flasher !
# https://github.com/tjikkun/zigate-flasher

import argparse
import datetime
import functools
import itertools
import logging
from operator import xor
import struct

import serial
from serial.tools.list_ports import comports

from zigpy_zigate import common as c

from .firmware import download_latest

LOGGER = logging.getLogger(__name__)
_responses = {}

ZIGATE_CHIP_ID = 0x10408686
ZIGATE_BINARY_VERSION = bytes.fromhex("07030008")
ZIGATE_FLASH_START = 0x00000000
ZIGATE_FLASH_END = 0x00040000


class Command:
    def __init__(self, type_, fmt=None, raw=False):
        assert not (raw and fmt), "Raw commands cannot use built-in struct formatting"
        LOGGER.debug("Command {} {} {}".format(type_, fmt, raw))
        self.type = type_
        self.raw = raw
        if fmt:
            self.struct = struct.Struct(fmt)
        else:
            self.struct = None

    def __call__(self, func):
        @functools.wraps(func)
        def wrapper(*args, **kwargs):
            rv = func(*args, **kwargs)

            if self.struct:
                try:
                    data = self.struct.pack(*rv)
                except TypeError:
                    data = self.struct.pack(rv)
            elif self.raw:
                data = rv
            else:
                data = bytearray()

            return prepare(self.type, data)

        return wrapper


class Response:
    def __init__(self, type_, data, chksum):
        LOGGER.debug("Response {} {} {}".format(type_, data, chksum))
        self.type = type_
        self.data = data[1:]
        self.chksum = chksum
        self.status = data[0]

    @property
    def ok(self):
        return self.status == 0

    def __str__(self):
        return "Response(type=0x{:02x}, data=0x{}, checksum=0x{:02x})".format(
            self.type,
            self.data.hex(),
            self.chksum,
        )


def register(type_):
    assert type_ not in _responses, "Duplicate response type 0x%02x" % type_

    def decorator(func):
        _responses[type_] = func
        return func

    return decorator


def prepare(type_, data):
    length = len(data) + 2

    checksum = functools.reduce(
        xor,
        itertools.chain(type_.to_bytes(2, "big"), length.to_bytes(2, "big"), data),
        0,
    )

    message = struct.pack("!BB%dsB" % len(data), length, type_, data, checksum)
    # print('Prepared command 0x%s' % message.hex())
    return message


def read_response(ser):
    length = ser.read()
    length = int.from_bytes(length, "big")
    LOGGER.debug("read_response length {}".format(length))
    answer = ser.read(length)
    LOGGER.debug("read_response answer {}".format(answer))
    return _unpack_raw_message(length, answer)
    # type_, data, chksum = struct.unpack('!B%dsB' % (length - 2), answer)
    # return {'type': type_, 'data': data, 'chksum': chksum}


def _unpack_raw_message(length, decoded):
    LOGGER.debug("unpack raw message {} {}".format(length, decoded))
    if len(decoded) != length or length < 2:
        LOGGER.exception("Unpack failed, length: %d, msg %s" % (length, decoded.hex()))
        return
    type_, data, chksum = struct.unpack("!B%dsB" % (length - 2), decoded)
    return _responses.get(type_, Response)(type_, data, chksum)


@Command(0x07)
def req_flash_erase():
    pass


@Command(0x09, raw=True)
def req_flash_write(addr, data):
    msg = struct.pack("<L%ds" % len(data), addr, data)
    return msg


@Command(0x0B, "<LH")
def req_flash_read(addr, length):
    return (addr, length)


@Command(0x1F, "<LH")
def req_ram_read(addr, length):
    return (addr, length)


@Command(0x25)
def req_flash_id():
    pass


@Command(0x27, "!B")
def req_change_baudrate(rate):
    # print(serial.Serial.BAUDRATES)
    clockspeed = 1000000
    divisor = round(clockspeed / rate)
    # print(divisor)
    return divisor


@Command(0x2C, "<BL")
def req_select_flash_type(type_, custom_jump=0):
    return (type_, custom_jump)


@Command(0x32)
def req_chip_id():
    pass


@Command(0x36, "B")
def req_eeprom_erase(pdm_only=False):
    return not pdm_only


@register(0x26)
class ReadFlashIDResponse(Response):
    def __init__(self, *args):
        super().__init__(*args)
        self.manufacturer_id, self.device_id = struct.unpack("!BB", self.data)

    def __str__(self):
        return (
            "ReadFlashIDResponse %d (ok=%s, manufacturer_id=0x%02x, device_id=0x%02x)"
            % (self.status, self.ok, self.manufacturer_id, self.device_id)
        )


@register(0x28)
class ChangeBaudrateResponse(Response):
    def __init__(self, *args):
        super().__init__(*args)

    def __str__(self):
        return "ChangeBaudrateResponse %d (ok=%s)" % (self.status, self.ok)


@register(0x33)
class GetChipIDResponse(Response):
    def __init__(self, *args):
        super().__init__(*args)
        (self.chip_id,) = struct.unpack("!L", self.data)

    def __str__(self):
        return "GetChipIDResponse (ok={}, chip_id=0x{:04x})".format(
            self.ok, self.chip_id
        )


@register(0x37)
class EraseEEPROMResponse(Response):
    def __init__(self, *args):
        super().__init__(*args)

    def __str__(self):
        return "EraseEEPROMResponse %d (ok=%s)" % (self.status, self.ok)


def change_baudrate(ser, baudrate):
    ser.write(req_change_baudrate(baudrate))

    res = read_response(ser)
    if not res or not res.ok:
        LOGGER.exception("Change baudrate failed")
        raise SystemExit(1)

    ser.baudrate = baudrate


def check_chip_id(ser):
    ser.write(req_chip_id())
    res = read_response(ser)
    if not res or not res.ok:
        LOGGER.exception("Getting Chip ID failed")
        raise SystemExit(1)
    if res.chip_id != ZIGATE_CHIP_ID:
        LOGGER.exception("This is not a supported chip, patches welcome")
        raise SystemExit(1)


def get_flash_type(ser):
    ser.write(req_flash_id())
    res = read_response(ser)

    if not res or not res.ok:
        print("Getting Flash ID failed")
        raise SystemExit(1)

    if res.manufacturer_id != 0xCC or res.device_id != 0xEE:
        print("Unsupported Flash ID, patches welcome")
        raise SystemExit(1)
    else:
        return 8


def get_mac(ser):
    ser.write(req_ram_read(0x01001570, 8))
    res = read_response(ser)
    if res.data == bytes.fromhex("ffffffffffffffff"):
        ser.write(req_ram_read(0x01001580, 8))
        res = read_response(ser)
    return ":".join("".join(x) for x in zip(*[iter(res.data.hex())] * 2))


def select_flash(ser, flash_type):
    ser.write(req_select_flash_type(flash_type))
    res = read_response(ser)
    if not res or not res.ok:
        print("Selecting flash type failed")
        raise SystemExit(1)


def printProgressBar(
    iteration,
    total,
    prefix="",
    suffix="",
    decimals=1,
    length=100,
    fill="█",
    printEnd="\r",
):
    """
    Call in a loop to create terminal progress bar
    @params:
        iteration   - Required  : current iteration (Int)
        total       - Required  : total iterations (Int)
        prefix      - Optional  : prefix string (Str)
        suffix      - Optional  : suffix string (Str)
        decimals    - Optional  : positive number of decimals in percent complete (Int)
        length      - Optional  : character length of bar (Int)
        fill        - Optional  : bar fill character (Str)
        printEnd    - Optional  : end character (e.g. "\r", "\r\n") (Str)
    """
    percent = ("{0:." + str(decimals) + "f}").format(100 * (iteration / float(total)))
    filledLength = int(length * iteration // total)
    bar = fill * filledLength + "-" * (length - filledLength)
    print("\r{} |{}| {}% {}".format(prefix, bar, percent, suffix), end=printEnd)
    # Print New Line on Complete
    if iteration == total:
        print()


def write_flash_to_file(ser, filename):
    # flash_start = cur = ZIGATE_FLASH_START
    cur = ZIGATE_FLASH_START
    flash_end = ZIGATE_FLASH_END

    LOGGER.info("Backup firmware to %s", filename)
    with open(filename, "wb") as fd:
        fd.write(ZIGATE_BINARY_VERSION)
        read_bytes = 128
        while cur < flash_end:
            if cur + read_bytes > flash_end:
                read_bytes = flash_end - cur
            ser.write(req_flash_read(cur, read_bytes))
            res = read_response(ser)
            if not res or not res.ok:
                print("Reading flash failed")
                raise SystemExit(1)
            if cur == 0:
                (flash_end,) = struct.unpack(">L", res.data[0x20:0x24])
            fd.write(res.data)
            printProgressBar(cur, flash_end, "Reading")
            cur += read_bytes
    printProgressBar(flash_end, flash_end, "Reading")
    LOGGER.info("Backup firmware done")


def write_file_to_flash(ser, filename):
    LOGGER.info("Writing new firmware from %s", filename)
    with open(filename, "rb") as fd:
        ser.write(req_flash_erase())
        res = read_response(ser)
        if not res or not res.ok:
            print("Erasing flash failed")
            raise SystemExit(1)

        # flash_start = cur = ZIGATE_FLASH_START
        cur = ZIGATE_FLASH_START
        flash_end = ZIGATE_FLASH_END

        bin_ver = fd.read(4)
        if bin_ver != ZIGATE_BINARY_VERSION:
            print("Not a valid image for Zigate")
            raise SystemExit(1)
        read_bytes = 128
        while cur < flash_end:
            data = fd.read(read_bytes)
            if not data:
                break
            ser.write(req_flash_write(cur, data))
            res = read_response(ser)
            if not res.ok:
                print(
                    "writing failed at 0x%08x, status: 0x%x, data: %s"
                    % (cur, res.status, data.hex())
                )
                raise SystemExit(1)
            printProgressBar(cur, flash_end, "Writing")
            cur += read_bytes
    printProgressBar(flash_end, flash_end, "Writing")
    LOGGER.info("Writing new firmware done")


def erase_EEPROM(ser, pdm_only=False):
    ser.timeout = 10  # increase timeout because official NXP programmer do it
    ser.write(req_eeprom_erase(pdm_only))
    res = read_response(ser)
    if not res or not res.ok:
        print("Erasing EEPROM failed")
        raise SystemExit(1)


def flash(serialport="auto", write=None, save=None, erase=False, pdm_only=False):
    """
    Read or write firmware
    """
    if serialport == "auto":
        serialport = c.discover_port()
    try:
        ser = serial.Serial(serialport, 38400, timeout=5)
    except serial.SerialException:
        LOGGER.exception("Could not open serial device %s", serialport)
        return

    change_baudrate(ser, 115200)
    check_chip_id(ser)
    flash_type = get_flash_type(ser)
    mac_address = get_mac(ser)
    LOGGER.info("Found MAC-address: %s", mac_address)
    if write or save or erase:
        select_flash(ser, flash_type)

    if save:
        write_flash_to_file(ser, save)

    if write:
        write_file_to_flash(ser, write)

    if erase:
        erase_EEPROM(ser, pdm_only)
    change_baudrate(ser, 38400)
    ser.close()


def upgrade_firmware(port):
    backup_filename = "zigate_backup_{:%Y%m%d%H%M%S}.bin".format(
        datetime.datetime.now()
    )
    flash(port, save=backup_filename)
    print("ZiGate backup created {}".format(backup_filename))
    firmware_path = download_latest()
    print("Firmware downloaded", firmware_path)
    flash(port, write=firmware_path)
    print("ZiGate flashed with {}".format(firmware_path))


def main():
    ports_available = [port for (port, _, _) in sorted(comports())]
    parser = argparse.ArgumentParser()
    parser.add_argument(
        "-p",
        "--serialport",
        choices=ports_available,
        help="Serial port, e.g. /dev/ttyUSB0",
        required=True,
    )
    parser.add_argument("-w", "--write", help="Firmware bin to flash onto the chip")
    parser.add_argument(
        "-s", "--save", help="File to save the currently loaded firmware to"
    )
    parser.add_argument(
        "-u",
        "--upgrade",
        help="Download and flash the lastest available firmware",
        action="store_true",
        default=False,
    )
    #     parser.add_argument('-e', '--erase', help='Erase EEPROM', action='store_true')
    #     parser.add_argument('--pdm-only', help='Erase PDM only, use it with --erase', action='store_true')
    parser.add_argument(
        "-d", "--debug", help="Set log level to DEBUG", action="store_true"
    )
    parser.add_argument(
        "--gpio",
        help="Configure GPIO for PiZiGate flash",
        action="store_true",
        default=False,
    )
    parser.add_argument(
        "--din",
        help="Configure USB for ZiGate DIN flash",
        action="store_true",
        default=False,
    )
    args = parser.parse_args()
    LOGGER.setLevel(logging.INFO)
    if args.debug:
        LOGGER.setLevel(logging.DEBUG)

    if args.gpio:
        c.set_pizigate_flashing_mode()
    elif args.din:
        c.set_zigatedin_flashing_mode()

    if args.upgrade:
        upgrade_firmware(args.serialport)

    else:
        try:
            ser = serial.Serial(args.serialport, 38400, timeout=5)
        except serial.SerialException:
            LOGGER.exception("Could not open serial device %s", args.serialport)
            raise SystemExit(1)

        change_baudrate(ser, 115200)
        check_chip_id(ser)
        flash_type = get_flash_type(ser)
        mac_address = get_mac(ser)
        LOGGER.info("Found MAC-address: %s", mac_address)
        if args.write or args.save:  # or args.erase:
            select_flash(ser, flash_type)

        if args.save:
            write_flash_to_file(ser, args.save)

        if args.write:
            write_file_to_flash(ser, args.write)

    #         if args.erase:
    #             erase_EEPROM(ser, args.pdm_only)

    if args.gpio:
        c.set_pizigate_running_mode()
    elif args.din:
        c.set_zigatedin_running_mode()


if __name__ == "__main__":
    logging.basicConfig()
    main()