diff options
author | Guido van Rossum <guido@python.org> | 2013-12-02 18:36:30 -0800 |
---|---|---|
committer | Guido van Rossum <guido@python.org> | 2013-12-02 18:36:30 -0800 |
commit | f10345e1026c087d0e2cba7187a94df769b55e62 (patch) | |
tree | 129acc43ee33d29c6b22f44fc1fd1271f25887c4 | |
parent | afbf827875dc2fb0cb603b03fe8f79c8ac1e30af (diff) | |
download | cpython-git-f10345e1026c087d0e2cba7187a94df769b55e62.tar.gz |
asyncio: Improve default writelines().
-rw-r--r-- | Lib/asyncio/transports.py | 16 | ||||
-rw-r--r-- | Lib/test/test_asyncio/test_transports.py | 10 |
2 files changed, 20 insertions, 6 deletions
diff --git a/Lib/asyncio/transports.py b/Lib/asyncio/transports.py index 86b850e918..c2feb93d0a 100644 --- a/Lib/asyncio/transports.py +++ b/Lib/asyncio/transports.py @@ -1,5 +1,9 @@ """Abstract Transport class.""" +import sys + +PY34 = sys.version_info >= (3, 4) + __all__ = ['ReadTransport', 'WriteTransport', 'Transport'] @@ -85,11 +89,15 @@ class WriteTransport(BaseTransport): def writelines(self, list_of_data): """Write a list (or any iterable) of data bytes to the transport. - The default implementation just calls write() for each item in - the list/iterable. + The default implementation concatenates the arguments and + calls write() on the result. """ - for data in list_of_data: - self.write(data) + if not PY34: + # In Python 3.3, bytes.join() doesn't handle memoryview. + list_of_data = ( + bytes(data) if isinstance(data, memoryview) else data + for data in list_of_data) + self.write(b''.join(list_of_data)) def write_eof(self): """Close the write end after flushing buffered data. diff --git a/Lib/test/test_asyncio/test_transports.py b/Lib/test/test_asyncio/test_transports.py index f96445c19c..29393b527d 100644 --- a/Lib/test/test_asyncio/test_transports.py +++ b/Lib/test/test_asyncio/test_transports.py @@ -24,12 +24,18 @@ class TransportTests(unittest.TestCase): transport = transports.Transport() transport.write = unittest.mock.Mock() - transport.writelines(['line1', 'line2', 'line3']) - self.assertEqual(3, transport.write.call_count) + transport.writelines([b'line1', + bytearray(b'line2'), + memoryview(b'line3')]) + self.assertEqual(1, transport.write.call_count) + transport.write.assert_called_with(b'line1line2line3') def test_not_implemented(self): transport = transports.Transport() + self.assertRaises(NotImplementedError, + transport.set_write_buffer_limits) + self.assertRaises(NotImplementedError, transport.get_write_buffer_size) self.assertRaises(NotImplementedError, transport.write, 'data') self.assertRaises(NotImplementedError, transport.write_eof) self.assertRaises(NotImplementedError, transport.can_write_eof) |