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
|
#!/usr/bin/env python
# coding: utf-8
"""
This test module test the separate reader/writer combinations of the can.io.*
modules by writing some messages to a temporary file and reading it again.
Then it checks if the messages that were read are same ones as the
ones that were written. It also checks that the order of the messages
is correct. The types of messages that are tested differs between the
different writer/reader pairs - e.g., some don't handle error frames and
comments.
TODO: correctly set preserves_channel and adds_default_channel
TODO: implement CAN FD support testing
"""
from __future__ import print_function, absolute_import, division
import logging
import unittest
import tempfile
import os
from abc import abstractmethod, ABCMeta
try:
# Python 3
from itertools import zip_longest
except ImportError:
# Python 2
from itertools import izip_longest as zip_longest
import can
from .data.example_data import TEST_MESSAGES_BASE, TEST_MESSAGES_REMOTE_FRAMES, \
TEST_MESSAGES_ERROR_FRAMES, TEST_COMMENTS, \
sort_messages
from .message_helper import ComparingMessagesTestCase
logging.basicConfig(level=logging.DEBUG)
class ReaderWriterTest(unittest.TestCase, ComparingMessagesTestCase):
"""Tests a pair of writer and reader by writing all data first and
then reading all data and checking if they could be reconstructed
correctly. Optionally writes some comments as well.
"""
__test__ = False
__metaclass__ = ABCMeta
def __init__(self, *args, **kwargs):
unittest.TestCase.__init__(self, *args, **kwargs)
self._setup_instance()
@abstractmethod
def _setup_instance(self):
"""Hook for subclasses."""
raise NotImplementedError()
def _setup_instance_helper(self,
writer_constructor, reader_constructor, binary_file=False,
check_remote_frames=True, check_error_frames=True, check_fd=True,
check_comments=False, test_append=False,
allowed_timestamp_delta=0.0,
preserves_channel=True, adds_default_channel=None):
"""
:param Callable writer_constructor: the constructor of the writer class
:param Callable reader_constructor: the constructor of the reader class
:param bool binary_file: if True, opens files in binary and not in text mode
:param bool check_remote_frames: if True, also tests remote frames
:param bool check_error_frames: if True, also tests error frames
:param bool check_fd: if True, also tests CAN FD frames
:param bool check_comments: if True, also inserts comments at some
locations and checks if they are contained anywhere literally
in the resulting file. The locations as selected randomly
but deterministically, which makes the test reproducible.
:param bool test_append: tests the writer in append mode as well
:param float or int or None allowed_timestamp_delta: directly passed to :meth:`can.Message.equals`
:param bool preserves_channel: if True, checks that the channel attribute is preserved
:param any adds_default_channel: sets this as the channel when not other channel was given
ignored, if *preserves_channel* is True
"""
# get all test messages
self.original_messages = TEST_MESSAGES_BASE
if check_remote_frames:
self.original_messages += TEST_MESSAGES_REMOTE_FRAMES
if check_error_frames:
self.original_messages += TEST_MESSAGES_ERROR_FRAMES
if check_fd:
self.original_messages += [] # TODO: add TEST_MESSAGES_CAN_FD
# sort them so that for example ASCWriter does not "fix" any messages with timestamp 0.0
self.original_messages = sort_messages(self.original_messages)
if check_comments:
# we check this because of the lack of a common base class
# we filter for not starts with '__' so we do not get all the builtin
# methods when logging to the console
attrs = [attr for attr in dir(writer_constructor) if not attr.startswith('__')]
assert 'log_event' in attrs, \
"cannot check comments with this writer: {}".format(writer_constructor)
# get all test comments
self.original_comments = TEST_COMMENTS if check_comments else ()
self.writer_constructor = writer_constructor
self.reader_constructor = reader_constructor
self.binary_file = binary_file
self.test_append_enabled = test_append
ComparingMessagesTestCase.__init__(self,
allowed_timestamp_delta=allowed_timestamp_delta,
preserves_channel=preserves_channel)
#adds_default_channel=adds_default_channel # TODO inlcude in tests
def setUp(self):
with tempfile.NamedTemporaryFile('w+', delete=False) as test_file:
self.test_file_name = test_file.name
def tearDown(self):
os.remove(self.test_file_name)
del self.test_file_name
def test_path_like_explicit_stop(self):
"""testing with path-like and explicit stop() call"""
# create writer
print("writing all messages/comments")
writer = self.writer_constructor(self.test_file_name)
self._write_all(writer)
self._ensure_fsync(writer)
writer.stop()
if hasattr(writer.file, 'closed'):
self.assertTrue(writer.file.closed)
print("reading all messages")
reader = self.reader_constructor(self.test_file_name)
read_messages = list(reader)
# redundant, but this checks if stop() can be called multiple times
reader.stop()
if hasattr(writer.file, 'closed'):
self.assertTrue(writer.file.closed)
# check if at least the number of messages matches
# could use assertCountEqual in later versions of Python and in the other methods
self.assertEqual(len(read_messages), len(self.original_messages),
"the number of written messages does not match the number of read messages")
self.assertMessagesEqual(self.original_messages, read_messages)
self.assertIncludesComments(self.test_file_name)
def test_path_like_context_manager(self):
"""testing with path-like object and context manager"""
# create writer
print("writing all messages/comments")
with self.writer_constructor(self.test_file_name) as writer:
self._write_all(writer)
self._ensure_fsync(writer)
w = writer
if hasattr(w.file, 'closed'):
self.assertTrue(w.file.closed)
# read all written messages
print("reading all messages")
with self.reader_constructor(self.test_file_name) as reader:
read_messages = list(reader)
r = reader
if hasattr(r.file, 'closed'):
self.assertTrue(r.file.closed)
# check if at least the number of messages matches;
self.assertEqual(len(read_messages), len(self.original_messages),
"the number of written messages does not match the number of read messages")
self.assertMessagesEqual(self.original_messages, read_messages)
self.assertIncludesComments(self.test_file_name)
def test_file_like_explicit_stop(self):
"""testing with file-like object and explicit stop() call"""
# create writer
print("writing all messages/comments")
my_file = open(self.test_file_name, 'wb' if self.binary_file else 'w')
writer = self.writer_constructor(my_file)
self._write_all(writer)
self._ensure_fsync(writer)
writer.stop()
if hasattr(my_file, 'closed'):
self.assertTrue(my_file.closed)
print("reading all messages")
my_file = open(self.test_file_name, 'rb' if self.binary_file else 'r')
reader = self.reader_constructor(my_file)
read_messages = list(reader)
# redundant, but this checks if stop() can be called multiple times
reader.stop()
if hasattr(my_file, 'closed'):
self.assertTrue(my_file.closed)
# check if at least the number of messages matches
# could use assertCountEqual in later versions of Python and in the other methods
self.assertEqual(len(read_messages), len(self.original_messages),
"the number of written messages does not match the number of read messages")
self.assertMessagesEqual(self.original_messages, read_messages)
self.assertIncludesComments(self.test_file_name)
def test_file_like_context_manager(self):
"""testing with file-like object and context manager"""
# create writer
print("writing all messages/comments")
my_file = open(self.test_file_name, 'wb' if self.binary_file else 'w')
with self.writer_constructor(my_file) as writer:
self._write_all(writer)
self._ensure_fsync(writer)
w = writer
if hasattr(my_file, 'closed'):
self.assertTrue(my_file.closed)
# read all written messages
print("reading all messages")
my_file = open(self.test_file_name, 'rb' if self.binary_file else 'r')
with self.reader_constructor(my_file) as reader:
read_messages = list(reader)
r = reader
if hasattr(my_file, 'closed'):
self.assertTrue(my_file.closed)
# check if at least the number of messages matches;
self.assertEqual(len(read_messages), len(self.original_messages),
"the number of written messages does not match the number of read messages")
self.assertMessagesEqual(self.original_messages, read_messages)
self.assertIncludesComments(self.test_file_name)
def test_append_mode(self):
"""
testing append mode with context manager and path-like object
"""
if not self.test_append_enabled:
raise unittest.SkipTest("do not test append mode")
count = len(self.original_messages)
first_part = self.original_messages[:count // 2]
second_part = self.original_messages[count // 2:]
# write first half
with self.writer_constructor(self.test_file_name) as writer:
for message in first_part:
writer(message)
self._ensure_fsync(writer)
# use append mode for second half
try:
writer = self.writer_constructor(self.test_file_name, append=True)
except TypeError as e:
# maybe "append" is not a formal parameter (this is the case for SqliteWriter)
try:
writer = self.writer_constructor(self.test_file_name)
except TypeError:
# is the is still a problem, raise the initial error
raise e
with writer:
for message in second_part:
writer(message)
self._ensure_fsync(writer)
with self.reader_constructor(self.test_file_name) as reader:
read_messages = list(reader)
self.assertMessagesEqual(self.original_messages, read_messages)
def _write_all(self, writer):
"""Writes messages and insert comments here and there."""
# Note: we make no assumptions about the length of original_messages and original_comments
for msg, comment in zip_longest(self.original_messages, self.original_comments, fillvalue=None):
# msg and comment might be None
if comment is not None:
print("writing comment: ", comment)
writer.log_event(comment) # we already know that this method exists
if msg is not None:
print("writing message: ", msg)
writer(msg)
def _ensure_fsync(self, io_handler):
if hasattr(io_handler.file, 'fileno'):
io_handler.file.flush()
os.fsync(io_handler.file.fileno())
def assertMessagesEqual(self, messages_1, messages_2):
"""
Checks the order and content of the individual messages.
"""
self.assertEqual(len(messages_1), len(messages_2))
for message_1, message_2 in zip(messages_1, messages_2):
self.assertMessageEqual(message_1, message_2)
def assertIncludesComments(self, filename):
"""
Ensures that all comments are literally contained in the given file.
:param filename: the path-like object to use
"""
if self.original_comments:
# read the entire outout file
with open(filename, 'rb' if self.binary_file else 'r') as file:
output_contents = file.read()
# check each, if they can be found in there literally
for comment in self.original_comments:
self.assertIn(comment, output_contents)
class TestAscFileFormat(ReaderWriterTest):
"""Tests can.ASCWriter and can.ASCReader"""
__test__ = True
def _setup_instance(self):
super(TestAscFileFormat, self)._setup_instance_helper(
can.ASCWriter, can.ASCReader,
check_fd=False,
check_comments=True,
preserves_channel=False, adds_default_channel=0
)
class TestBlfFileFormat(ReaderWriterTest):
"""Tests can.BLFWriter and can.BLFReader"""
__test__ = True
def _setup_instance(self):
super(TestBlfFileFormat, self)._setup_instance_helper(
can.BLFWriter, can.BLFReader,
binary_file=True,
check_fd=False,
check_comments=False,
allowed_timestamp_delta=1.0e-6,
preserves_channel=False, adds_default_channel=0
)
def test_read_known_file(self):
logfile = os.path.join(os.path.dirname(__file__), "data", "logfile.blf")
with can.BLFReader(logfile) as reader:
messages = list(reader)
expected = [
can.Message(
timestamp=1.0,
extended_id=False,
arbitration_id=0x64,
data=[0x1, 0x2, 0x3, 0x4, 0x5, 0x6, 0x7, 0x8]),
can.Message(
timestamp=73.0,
extended_id=True,
arbitration_id=0x1FFFFFFF,
is_error_frame=True,)
]
self.assertMessagesEqual(messages, expected)
class TestCanutilsFileFormat(ReaderWriterTest):
"""Tests can.CanutilsLogWriter and can.CanutilsLogReader"""
__test__ = True
def _setup_instance(self):
super(TestCanutilsFileFormat, self)._setup_instance_helper(
can.CanutilsLogWriter, can.CanutilsLogReader,
check_fd=False,
test_append=True, check_comments=False,
preserves_channel=False, adds_default_channel='vcan0'
)
class TestCsvFileFormat(ReaderWriterTest):
"""Tests can.ASCWriter and can.ASCReader"""
__test__ = True
def _setup_instance(self):
super(TestCsvFileFormat, self)._setup_instance_helper(
can.CSVWriter, can.CSVReader,
check_fd=False,
test_append=True, check_comments=False,
preserves_channel=False, adds_default_channel=None
)
class TestSqliteDatabaseFormat(ReaderWriterTest):
"""Tests can.SqliteWriter and can.SqliteReader"""
__test__ = True
def _setup_instance(self):
super(TestSqliteDatabaseFormat, self)._setup_instance_helper(
can.SqliteWriter, can.SqliteReader,
check_fd=False,
test_append=True, check_comments=False,
preserves_channel=False, adds_default_channel=None
)
@unittest.skip("not implemented")
def test_file_like_explicit_stop(self):
pass
@unittest.skip("not implemented")
def test_file_like_context_manager(self):
pass
def test_read_all(self):
"""
testing :meth:`can.SqliteReader.read_all` with context manager and path-like object
"""
# create writer
print("writing all messages/comments")
with self.writer_constructor(self.test_file_name) as writer:
self._write_all(writer)
# read all written messages
print("reading all messages")
with self.reader_constructor(self.test_file_name) as reader:
read_messages = list(reader.read_all())
# check if at least the number of messages matches;
self.assertEqual(len(read_messages), len(self.original_messages),
"the number of written messages does not match the number of read messages")
self.assertMessagesEqual(self.original_messages, read_messages)
class TestPrinter(unittest.TestCase):
"""Tests that can.Printer does not crash"""
# TODO add CAN FD messages
messages = TEST_MESSAGES_BASE + TEST_MESSAGES_REMOTE_FRAMES + TEST_MESSAGES_ERROR_FRAMES
def test_not_crashes_with_stdout(self):
with can.Printer() as printer:
for message in self.messages:
printer(message)
def test_not_crashes_with_file(self):
with tempfile.NamedTemporaryFile('w', delete=False) as temp_file:
with can.Printer(temp_file) as printer:
for message in self.messages:
printer(message)
if __name__ == '__main__':
unittest.main()
|