forked from pyocd/pyOCD
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest_util.py
311 lines (273 loc) · 10.6 KB
/
test_util.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
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
# pyOCD debugger
# Copyright (c) 2015-2020 Arm Limited
# Copyright (c) 2021-2022 Chris Reed
# SPDX-License-Identifier: Apache-2.0
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
from __future__ import print_function
import logging
import os
import sys
import traceback
from xml.etree import ElementTree
import six
import subprocess
import tempfile
import threading
import codecs
from pathlib import Path
from pyocd.utility.compatibility import to_str_safe
OBJCOPY = "arm-none-eabi-objcopy"
TEST_DIR = os.path.dirname(os.path.abspath(__file__))
PYOCD_DIR = os.path.dirname(TEST_DIR)
TEST_DATA_DIR = os.path.join(TEST_DIR, "data")
TEST_OUTPUT_DIR = os.path.join(TEST_DIR, "output")
def get_test_binary_path(binary_name):
if binary_name is None:
binary_name = os.environ.get('PYOCD_TEST_BINARY')
if binary_name is None:
raise RuntimeError("no test binary available")
if Path(binary_name).is_absolute():
return binary_name
else:
return os.path.join(TEST_DATA_DIR, "binaries", binary_name)
def get_env_name():
return os.environ.get('TOX_ENV_NAME', '')
def get_env_file_name():
env_name = get_env_name()
return ("_" + env_name) if env_name else ''
def ensure_output_dir():
if not os.path.isdir(TEST_OUTPUT_DIR):
if os.path.exists(TEST_OUTPUT_DIR):
raise RuntimeError("path '%s' already exists but is not a directory" % TEST_OUTPUT_DIR)
os.mkdir(TEST_OUTPUT_DIR)
# Returns common option values passed in when creating test sessions.
def get_session_options():
return {
# These options can be overridden by probe config in pyocd.yaml.
'option_defaults': {
'frequency': 1000000, # 1 MHz
'skip_test': False,
},
}
# Returns a dict containing some test parameters for the target in the passed-in session.
#
# 'test_clock' : the max supported SWD frequency for the target
# 'error_on_invalid_access' : whether invalid accesses cause a fault
#
def get_target_test_params(session):
target_type = session.board.target_type
error_on_invalid_access = True
if target_type.startswith("nrf"):
# Override clock since 10MHz is too fast
test_clock = 1000000
error_on_invalid_access = False
elif target_type == "ncs36510":
# Override clock since 10MHz is too fast
test_clock = 1000000
else:
# Default of 4 MHz.
test_clock = 4000000
return {
'test_clock': test_clock,
'error_on_invalid_access': error_on_invalid_access,
}
# Generate an Intel hex file from the binary test file.
def binary_to_hex_file(binary_file, base_address):
temp_test_hex_name = tempfile.mktemp('.hex')
objcopyOutput = subprocess.check_output([OBJCOPY,
"-v", "-I", "binary", "-O", "ihex", "-B", "arm", "-S",
"--set-start", "0x%x" % base_address,
"--change-addresses", "0x%x" % base_address,
binary_file, temp_test_hex_name], stderr=subprocess.STDOUT)
print(to_str_safe(objcopyOutput))
# Need to escape backslashes on Windows.
if sys.platform.startswith('win'):
temp_test_hex_name = temp_test_hex_name.replace('\\', '\\\\')
return temp_test_hex_name
# Generate an elf from the binary test file.
def binary_to_elf_file(binary_file, base_address):
temp_test_elf_name = tempfile.mktemp('.elf')
objcopyOutput = subprocess.check_output([OBJCOPY,
"-v", "-I", "binary", "-O", "elf32-littlearm", "-B", "arm", "-S",
"--set-start", "0x%x" % base_address,
"--change-addresses", "0x%x" % base_address,
binary_file, temp_test_elf_name], stderr=subprocess.STDOUT)
print(to_str_safe(objcopyOutput))
# Need to escape backslashes on Windows.
if sys.platform.startswith('win'):
temp_test_elf_name = temp_test_elf_name.replace('\\', '\\\\')
return temp_test_elf_name
def run_in_parallel(function, args_list):
"""Create and run a thread in parallel for each element in args_list
Wait until all threads finish executing. Throw an exception if an exception
occurred on any of the threads.
"""
def _thread_helper(idx, func, args):
"""Run the function and set result to True if there was not error"""
func(*args)
result_list[idx] = True
result_list = [False] * len(args_list)
thread_list = []
for idx, args in enumerate(args_list):
thread = threading.Thread(target=_thread_helper,
args=(idx, function, args))
thread.start()
thread_list.append(thread)
for thread in thread_list:
thread.join()
for result in result_list:
if result is not True:
raise Exception("Running in thread failed")
def wait_with_deadline(process, timeout):
try:
from subprocess import TimeoutExpired
try:
process.wait(timeout=timeout)
except TimeoutExpired as e:
print('Timeout while waiting for process %s to exit: %s' % (process, e))
process.kill()
return False
except ImportError:
# Python 2.7 doesn't support deadline for wait.
# Let's wait without deadline, as Python 2.7 support is close to end anyway.
process.wait()
return True
class IOTee(object):
def __init__(self, *args):
self.outputs = list(args)
def add(self, output):
self.outputs.append(output)
def write(self, message):
for out in self.outputs:
encoding = out.encoding if getattr(out, 'encoding', None) else 'latin-1'
try:
# Pre-encode the output with error replacement, then convert back to a string
# to write to the file. Very inefficient, but prevents possible errors.
b = codecs.encode(message, encoding=encoding, errors='backslashreplace')
u = codecs.decode(b, encoding=encoding, errors='backslashreplace')
out.write(u)
except UnicodeEncodeError as err:
out.write(f"<encode error: {err}>")
def flush(self):
for out in self.outputs:
out.flush()
def isatty(self):
return False
class RecordingLogHandler(logging.Handler):
def __init__(self, iostream, level=logging.NOTSET):
super(RecordingLogHandler, self).__init__(level)
self.stream = iostream
def emit(self, record):
try:
message = self.format(record)
self.stream.write(six.u(message + "\n"))
except:
self.handleError(record)
class TestResult(object):
def __init__(self, test_board, test, result):
self.passed = result
self._board = test_board.target_type if test_board else 'unknown'
self.board_name = test_board.name if test_board else ""
self.test = test
self.name = "test"
self.time = 0
self.output = ""
@property
def board(self):
return self._board
@board.setter
def board(self, newBoard):
self._board = newBoard.target_type if newBoard else 'unknown'
self.board_name = newBoard.name
def get_test_case(self):
if 'TOX_ENV_NAME' in os.environ:
classname = "{}.{}.{}.{}".format(os.environ['TOX_ENV_NAME'], self.board_name, self.board, self.name)
else:
classname = "{}.{}.{}".format(self.board_name, self.board, self.name)
case = ElementTree.Element('testcase',
name=classname,
classname=classname,
status=("passed" if self.passed else "failed"),
time="%.3f" % self.time
)
case.text = "\n"
case.tail = "\n"
if not self.passed:
failed = ElementTree.SubElement(case, 'failure',
message="failure",
type="failure"
)
failed.text = self.filter_output(self.output)
system_out = ElementTree.SubElement(case, 'system-out')
system_out.text = self.filter_output(self.output)
return case
def filter_output(self, output):
"""@brief Hex-encode null byte and control characters."""
result = six.text_type()
for c in output:
if (c not in ('\n', '\r', '\t')) and (0 <= ord(c) <= 31):
result += u"\\x{:02x}".format(ord(c))
else:
result += c
return result
class Test(object):
def __init__(self, name, function):
self.name = name
self.test_function = function
self.n = 0
def run(self, board):
"""
Run test and return the result
Override this function to return a custom result
"""
passed = False
try:
self.test_function(board.unique_id)
passed = True
except Exception as e:
print("Exception %s when testing board %s" % (e, board.unique_id))
traceback.print_exc(file=sys.stdout)
result = TestResult(board, self, passed)
result.name = self.name
return result
def print_perf_info(self, result_list, output_file=None):
"""
Print performance info if any
"""
pass
@staticmethod
def print_results(result_list, output_file=None, ignored=[]):
msg_format_str = "{:<15}{:<21}{:<15}{:<15}"
print("\n\n------ TEST RESULTS ------")
print(msg_format_str .format("Target", "Test", "Result", "Time"),
file=output_file)
print("", file=output_file)
for result in result_list:
status_str = "Pass" if result.passed else "Fail"
if not result.passed and result.test.name in ignored:
status_str += " [ignored]"
print(msg_format_str.format(result.board,
result.test.name,
status_str, "%.3f" % result.time),
file=output_file)
@staticmethod
def all_tests_pass(result_list, ignored=[]):
passed = True
for result in result_list:
if not result.passed and result.test.name not in ignored:
passed = False
break
if len(result_list) <= 0:
passed = False
return passed