blob: 02f30dfec9a93fd273b4f821f0134793ac667466 [file] [log] [blame]
cliechti41973a92009-08-06 02:18:21 +00001#! python
2#
3# Python Serial Port Extension for Win32, Linux, BSD, Jython
4# see __init__.py
5#
6# This module implements a loop back connection receiving itself what it sent.
7#
8# The purpose of this module is.. well... You can run the unit tests with it.
9# and it was so easy to implement ;-)
10#
Chris Liechtic4bca9e2015-08-07 14:40:41 +020011# (C) 2001-2015 Chris Liechti <cliechti@gmx.net>
Chris Liechtifbdd8a02015-08-09 02:37:45 +020012#
13# SPDX-License-Identifier: BSD-3-Clause
cliechti41973a92009-08-06 02:18:21 +000014#
15# URL format: loop://[option[/option...]]
16# options:
17# - "debug" print diagnostic messages
Chris Liechtic4bca9e2015-08-07 14:40:41 +020018import logging
19import numbers
cliechti41973a92009-08-06 02:18:21 +000020import threading
21import time
Chris Liechtic4bca9e2015-08-07 14:40:41 +020022try:
23 import urlparse
24except ImportError:
25 import urllib.parse as urlparse
Chris Liechtia469cde2015-08-11 23:05:24 +020026try:
27 import queue
28except ImportError:
29 import Queue as queue
Chris Liechtic4bca9e2015-08-07 14:40:41 +020030
31from serial.serialutil import *
cliechtic64ba692009-08-12 00:32:47 +000032
33# map log level names to constants. used in fromURL()
34LOGGER_LEVELS = {
Chris Liechtic4bca9e2015-08-07 14:40:41 +020035 'debug': logging.DEBUG,
36 'info': logging.INFO,
37 'warning': logging.WARNING,
38 'error': logging.ERROR,
39 }
cliechtic64ba692009-08-12 00:32:47 +000040
cliechti41973a92009-08-06 02:18:21 +000041
Chris Liechtief6b7b42015-08-06 22:19:26 +020042class Serial(SerialBase):
cliechtiab3d4282011-08-19 01:52:46 +000043 """Serial port implementation that simulates a loop back connection in plain software."""
cliechti41973a92009-08-06 02:18:21 +000044
45 BAUDRATES = (50, 75, 110, 134, 150, 200, 300, 600, 1200, 1800, 2400, 4800,
46 9600, 19200, 38400, 57600, 115200)
47
Chris Liechtia469cde2015-08-11 23:05:24 +020048 def __init__(self, *args, **kwargs):
49 super(Serial, self).__init__(*args, **kwargs)
50 self.buffer_size = 4096
51
cliechti41973a92009-08-06 02:18:21 +000052 def open(self):
cliechti7d448562014-08-03 21:57:45 +000053 """\
54 Open port with current settings. This may throw a SerialException
55 if the port cannot be opened.
56 """
cliechti8f69e702011-03-19 00:22:32 +000057 if self._isOpen:
58 raise SerialException("Port is already open.")
cliechti6a300772009-08-12 02:28:56 +000059 self.logger = None
Chris Liechtia469cde2015-08-11 23:05:24 +020060 self.queue = queue.Queue(self.buffer_size)
cliechti41973a92009-08-06 02:18:21 +000061 self.cts = False
62 self.dsr = False
63
64 if self._port is None:
65 raise SerialException("Port must be configured before it can be used.")
66 # not that there is anything to open, but the function applies the
67 # options found in the URL
68 self.fromURL(self.port)
69
70 # not that there anything to configure...
71 self._reconfigurePort()
72 # all things set up get, now a clean start
73 self._isOpen = True
74 if not self._rtscts:
75 self.setRTS(True)
76 self.setDTR(True)
77 self.flushInput()
78 self.flushOutput()
79
Chris Liechtia469cde2015-08-11 23:05:24 +020080 def close(self):
81 self.queue.put(None)
82 super(Serial, self).close()
83
cliechti41973a92009-08-06 02:18:21 +000084 def _reconfigurePort(self):
cliechti7d448562014-08-03 21:57:45 +000085 """\
86 Set communication parameters on opened port. For the loop://
87 protocol all settings are ignored!
88 """
cliechti41973a92009-08-06 02:18:21 +000089 # not that's it of any real use, but it helps in the unit tests
Chris Liechtic4bca9e2015-08-07 14:40:41 +020090 if not isinstance(self._baudrate, numbers.Integral) or not 0 < self._baudrate < 2**32:
cliechti41973a92009-08-06 02:18:21 +000091 raise ValueError("invalid baudrate: %r" % (self._baudrate))
cliechti6a300772009-08-12 02:28:56 +000092 if self.logger:
93 self.logger.info('_reconfigurePort()')
cliechti41973a92009-08-06 02:18:21 +000094
95 def close(self):
96 """Close port"""
97 if self._isOpen:
98 self._isOpen = False
99 # in case of quick reconnects, give the server some time
100 time.sleep(0.3)
101
cliechti41973a92009-08-06 02:18:21 +0000102 def fromURL(self, url):
103 """extract host and port from an URL string"""
Chris Liechtic4bca9e2015-08-07 14:40:41 +0200104 parts = urlparse.urlsplit(url)
105 if parts.scheme.lower() != "loop":
106 raise SerialException('expected a string in the form "loop://[option[/option...]]": not starting with loop:// (%r)' % (parts.scheme,))
cliechti41973a92009-08-06 02:18:21 +0000107 try:
108 # process options now, directly altering self
Chris Liechtic4bca9e2015-08-07 14:40:41 +0200109 for option in parts.path.split('/'):
cliechtic64ba692009-08-12 00:32:47 +0000110 if '=' in option:
111 option, value = option.split('=', 1)
112 else:
113 value = None
cliechti641c4bb2009-08-12 02:34:19 +0000114 if not option:
115 pass
116 elif option == 'logging':
cliechtic64ba692009-08-12 00:32:47 +0000117 logging.basicConfig() # XXX is that good to call it here?
cliechti6a300772009-08-12 02:28:56 +0000118 self.logger = logging.getLogger('pySerial.loop')
119 self.logger.setLevel(LOGGER_LEVELS[value])
120 self.logger.debug('enabled logging')
cliechti41973a92009-08-06 02:18:21 +0000121 else:
122 raise ValueError('unknown option: %r' % (option,))
Chris Liechti68340d72015-08-03 14:15:48 +0200123 except ValueError as e:
cliechti41973a92009-08-06 02:18:21 +0000124 raise SerialException('expected a string in the form "[loop://][option[/option...]]": %s' % e)
125
126 # - - - - - - - - - - - - - - - - - - - - - - - -
127
128 def inWaiting(self):
129 """Return the number of characters currently in the input buffer."""
130 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000131 if self.logger:
cliechtic64ba692009-08-12 00:32:47 +0000132 # attention the logged value can differ from return value in
133 # threaded environments...
Chris Liechtia469cde2015-08-11 23:05:24 +0200134 self.logger.debug('inWaiting() -> %d' % (self.queue.qsize(),))
135 return self.queue.qsize()
cliechti41973a92009-08-06 02:18:21 +0000136
137 def read(self, size=1):
cliechti7d448562014-08-03 21:57:45 +0000138 """\
139 Read size bytes from the serial port. If a timeout is set it may
cliechti41973a92009-08-06 02:18:21 +0000140 return less characters as requested. With no timeout it will block
cliechti7d448562014-08-03 21:57:45 +0000141 until the requested number of bytes is read.
142 """
cliechti41973a92009-08-06 02:18:21 +0000143 if not self._isOpen: raise portNotOpenError
cliechti41973a92009-08-06 02:18:21 +0000144 if self._timeout is not None:
145 timeout = time.time() + self._timeout
146 else:
cliechti024b4f42009-08-07 18:43:05 +0000147 timeout = None
cliechti1de32cd2009-08-07 19:05:09 +0000148 data = bytearray()
Chris Liechtia469cde2015-08-11 23:05:24 +0200149 while size > 0 and self._isOpen:
150 try:
151 data += self.queue.get(timeout=self._timeout) # XXX inter char timeout
152 except queue.Empty:
153 break
154 else:
155 size -= 1
cliechti41973a92009-08-06 02:18:21 +0000156 # check for timeout now, after data has been read.
157 # useful for timeout = 0 (non blocking) read
cliechti024b4f42009-08-07 18:43:05 +0000158 if timeout and time.time() > timeout:
cliechti41973a92009-08-06 02:18:21 +0000159 break
160 return bytes(data)
161
162 def write(self, data):
cliechti7d448562014-08-03 21:57:45 +0000163 """\
164 Output the given string over the serial port. Can block if the
cliechti41973a92009-08-06 02:18:21 +0000165 connection is blocked. May raise SerialException if the connection is
cliechti7d448562014-08-03 21:57:45 +0000166 closed.
167 """
cliechti41973a92009-08-06 02:18:21 +0000168 if not self._isOpen: raise portNotOpenError
cliechti38077122013-10-16 02:57:27 +0000169 data = to_bytes(data)
cliechti66957bf2009-08-06 23:25:37 +0000170 # calculate aprox time that would be used to send the data
171 time_used_to_send = 10.0*len(data) / self._baudrate
172 # when a write timeout is configured check if we would be successful
173 # (not sending anything, not even the part that would have time)
174 if self._writeTimeout is not None and time_used_to_send > self._writeTimeout:
175 time.sleep(self._writeTimeout) # must wait so that unit test succeeds
176 raise writeTimeoutError
Chris Liechtia469cde2015-08-11 23:05:24 +0200177 #~ for byte in data: # fails for python3 as it returns ints instead of b''
178 for x in range(len(data)):
179 byte = data[x:x+1]
180 self.queue.put(byte, timeout=self._writeTimeout)
cliechti41973a92009-08-06 02:18:21 +0000181 return len(data)
182
183 def flushInput(self):
184 """Clear input buffer, discarding all that is in the buffer."""
185 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000186 if self.logger:
187 self.logger.info('flushInput()')
Chris Liechtia469cde2015-08-11 23:05:24 +0200188 try:
189 while self.queue.qsize():
190 self.queue.get_nowait()
191 except queue.Empty:
192 pass
cliechti41973a92009-08-06 02:18:21 +0000193
194 def flushOutput(self):
cliechti7d448562014-08-03 21:57:45 +0000195 """\
196 Clear output buffer, aborting the current output and
197 discarding all that is in the buffer.
198 """
cliechti41973a92009-08-06 02:18:21 +0000199 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000200 if self.logger:
201 self.logger.info('flushOutput()')
Chris Liechtia469cde2015-08-11 23:05:24 +0200202 try:
203 while self.queue.qsize():
204 self.queue.get_nowait()
205 except queue.Empty:
206 pass
cliechti41973a92009-08-06 02:18:21 +0000207
208 def sendBreak(self, duration=0.25):
cliechti7d448562014-08-03 21:57:45 +0000209 """\
210 Send break condition. Timed, returns to idle state after given
211 duration.
212 """
cliechti41973a92009-08-06 02:18:21 +0000213 if not self._isOpen: raise portNotOpenError
Chris Liechtia469cde2015-08-11 23:05:24 +0200214 time.sleep(duration)
cliechti41973a92009-08-06 02:18:21 +0000215
216 def setBreak(self, level=True):
cliechti7d448562014-08-03 21:57:45 +0000217 """\
218 Set break: Controls TXD. When active, to transmitting is
219 possible.
220 """
cliechti41973a92009-08-06 02:18:21 +0000221 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000222 if self.logger:
223 self.logger.info('setBreak(%r)' % (level,))
cliechti41973a92009-08-06 02:18:21 +0000224
225 def setRTS(self, level=True):
226 """Set terminal status line: Request To Send"""
227 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000228 if self.logger:
229 self.logger.info('setRTS(%r) -> state of CTS' % (level,))
cliechti41973a92009-08-06 02:18:21 +0000230 self.cts = level
231
232 def setDTR(self, level=True):
233 """Set terminal status line: Data Terminal Ready"""
234 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000235 if self.logger:
236 self.logger.info('setDTR(%r) -> state of DSR' % (level,))
cliechti41973a92009-08-06 02:18:21 +0000237 self.dsr = level
238
239 def getCTS(self):
240 """Read terminal status line: Clear To Send"""
241 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000242 if self.logger:
243 self.logger.info('getCTS() -> state of RTS (%r)' % (self.cts,))
cliechti41973a92009-08-06 02:18:21 +0000244 return self.cts
245
246 def getDSR(self):
247 """Read terminal status line: Data Set Ready"""
248 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000249 if self.logger:
250 self.logger.info('getDSR() -> state of DTR (%r)' % (self.dsr,))
cliechti41973a92009-08-06 02:18:21 +0000251 return self.dsr
252
253 def getRI(self):
254 """Read terminal status line: Ring Indicator"""
255 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000256 if self.logger:
257 self.logger.info('returning dummy for getRI()')
cliechti41973a92009-08-06 02:18:21 +0000258 return False
259
260 def getCD(self):
261 """Read terminal status line: Carrier Detect"""
262 if not self._isOpen: raise portNotOpenError
cliechti6a300772009-08-12 02:28:56 +0000263 if self.logger:
264 self.logger.info('returning dummy for getCD()')
cliechti41973a92009-08-06 02:18:21 +0000265 return True
266
267 # - - - platform specific - - -
268 # None so far
269
270
cliechti41973a92009-08-06 02:18:21 +0000271# simple client test
272if __name__ == '__main__':
273 import sys
cliechtiab3d4282011-08-19 01:52:46 +0000274 s = Serial('loop://')
cliechti41973a92009-08-06 02:18:21 +0000275 sys.stdout.write('%s\n' % s)
276
277 sys.stdout.write("write...\n")
278 s.write("hello\n")
279 s.flush()
280 sys.stdout.write("read: %s\n" % s.read(5))
281
282 s.close()