-
Notifications
You must be signed in to change notification settings - Fork 66
/
dfu_windows.py
237 lines (180 loc) · 6.93 KB
/
dfu_windows.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
#!/usr/bin/env python
"""
DFU tool for ReSpeaker USB Mic Array
Requirements:
pip install pyusb click
Usage:
python dfu.py --download new_firmware.bin
python dfu.py --revertfactory
"""
import sys
import time
import usb.core
import usb.util
import click
class DFU(object):
TIMEOUT = 120000
DFU_DETACH = 0
DFU_DNLOAD = 1
DFU_UPLOAD = 2
DFU_GETSTATUS = 3
DFU_CLRSTATUS = 4
DFU_GETSTATE = 5
DFU_ABORT = 6
DFU_STATUS_DICT = {
0x00: 'No error condition is present.',
0x01: 'File is not targeted for use by this device.',
0x02: 'File is for this device but fails some vendor-specific '
'verification test.',
0x03: 'Device is unable to write memory.',
0x04: 'Memory erase function failed.',
0x05: 'Memory erase check failed.',
0x06: 'Program memory function failed.',
0x07: 'Programmed memory failed verification.',
0x08: 'Cannot program memory due to received address that is our of '
'range.',
0x09: 'Received DFU_DNLOAD with wLength = 0, but device does not think it'
'has all of the data yet.',
0x0a: "Device's firmware is corrupt. It cannot return to run-time "
"(non-DFU) operations.",
0x0b: 'iString indicates a vendor-specific error.',
0x0c: 'Device detected unexpected USB reset signaling.',
0x0d: 'Device detected unexpected power on reset.',
0x0e: 'Something went wrong, but the device does not know what is was.',
0x0f: 'Device stalled a unexpected request.',
}
@staticmethod
def find():
"""
find all USB devices with a DFU interface
"""
devices = []
for device in usb.core.find(find_all=True):
configuration = device.get_active_configuration()
for interface in configuration:
if interface.bInterfaceClass == 0xFE and interface.bInterfaceSubClass == 0x01:
devices.append((device, interface.bInterfaceNumber, configuration.bNumInterfaces))
break
return devices
def __init__(self):
devices = self.find()
if not devices:
raise ValueError('No DFU device found')
# TODO: support multiple devices
if len(devices) > 1:
raise ValueError('Multiple DFU devices found')
self.device, self.interface, self.num_interfaces = devices[0]
# if self.device.is_kernel_driver_active(self.interface):
# self.device.detach_kernel_driver(self.interface)
usb.util.claim_interface(self.device, self.interface)
def __enter__(self):
# TODO: suppose the device has more than 1 interface at Run-Time
# on windows, self.num_interfaces can be 1 even if not in dfu mode -_-!
if True: # self.num_interfaces > 1:
print('entering dfu mode')
self._detach()
self.close()
# wait 6 seconds
time.sleep(6)
# wait for re-enumerating device
timeout = 12
while timeout:
timeout -= 1
devices = self.find()
if len(devices) and devices[0][2] == 1:
print('found dfu device')
break
time.sleep(1)
else:
raise ValueError('No re-enumerated DFU device found')
self.device, self.interface, _ = devices[0]
# # Windows doesn't implement this
# if self.device.is_kernel_driver_active(self.interface):
# self.device.detach_kernel_driver(self.interface)
usb.util.claim_interface(self.device, self.interface)
return self
def __exit__(self, exc_type, exc_value, traceback):
pass
def download(self, firmware):
"""
Args:
firmware (file object): the file to download.
"""
block_size = 64
block_number = 0
print('downloading')
while True:
data = firmware.read(block_size)
self._download(block_number, data)
status = self._get_status()[0]
if status:
raise IOError(self.DFU_STATUS_DICT[status])
block_number += 1
# on windows, sys.stdout.write() or print() may got IOError -_-!
# sys.stdout.write('{} bytes\r'.format(block_number * block_size))
# sys.stdout.flush()
if not data:
break
print('\ndone')
def upload(self, firmware):
pass
def _detach(self):
return self._out_request(self.DFU_DETACH)
def _download(self, block_number, data):
return self._out_request(self.DFU_DNLOAD, value=block_number, data=data)
def _get_status(self):
data = self._in_request(self.DFU_GETSTATUS, 6)
status = data[0]
timeout = data[1] + data[2] << 8 + data[3] << 16
state = data[4]
status_description = data[5] # index of status description in string table
return status, timeout, state, status_description
def _clear_status(self):
return self._out_request(self.DFU_CLRSTATUS)
def _get_state(self):
return self._in_request(self.DFU_GETSTATE, 1)[0]
def _abort(self):
return self._out_request(self.DFU_ABORT)
def _out_request(self, request, value=0, data=None):
return self.device.ctrl_transfer(
usb.util.CTRL_OUT | usb.util.CTRL_TYPE_CLASS | usb.util.CTRL_RECIPIENT_INTERFACE,
request, value, self.interface, data, self.TIMEOUT)
def _in_request(self, request, length):
return self.device.ctrl_transfer(
usb.util.CTRL_IN | usb.util.CTRL_TYPE_CLASS | usb.util.CTRL_RECIPIENT_INTERFACE,
request, 0x0, self.interface, length, self.TIMEOUT)
def close(self):
"""
close the interface
"""
usb.util.dispose_resources(self.device)
class XMOS_DFU(DFU):
XMOS_DFU_RESETDEVICE = 0xf0
XMOS_DFU_REVERTFACTORY = 0xf1
XMOS_DFU_RESETINTODFU = 0xf2
XMOS_DFU_RESETFROMDFU = 0xf3
XMOS_DFU_SAVESTATE = 0xf5
XMOS_DFU_RESTORESTATE = 0xf6
def __init__(self):
super(XMOS_DFU, self).__init__()
def _detach(self):
return self._out_request(self.XMOS_DFU_RESETINTODFU)
def leave(self):
return self._out_request(self.XMOS_DFU_RESETFROMDFU)
def revertfactory(self):
return self._out_request(self.XMOS_DFU_REVERTFACTORY)
def __exit__(self, exc_type, exc_value, traceback):
self.leave()
@click.command()
@click.option('--download', '-d', nargs=1, type=click.File('rb'), help='the firmware to download')
@click.option('--revertfactory', is_flag=True, help="factory reset")
def main(download, revertfactory):
dev = XMOS_DFU()
with dev:
if download:
dev.download(download)
elif revertfactory:
dev.revertfactory()
dev.close()
if __name__ == '__main__':
main()