在断开连接期间处理 pyserial 中的异常

Handle exception in pyserial during disconnection

我有从串口读取数据的代码。

try: 
  dataIn = self.port.read(100) 
except serial.SerialException: 
  #do some work
  return None

如果我断开设备连接,我会捕获无法处理的异常。

Traceback (most recent call last):
  File "/usr/local/lib/python3.4/dist-packages/serial/serialposix.py", line 475, in read
    raise SerialException('device reports readiness to read but returned no data (device disconnected or multiple access on port?)')
serial.serialutil.SerialException: device reports readiness to read but returned no data (device disconnected or multiple access on port?)

During handling of the above exception, another exception occurred:

Traceback (most recent call last):
  File "/home/katkov/work/obd2rds/obd2rds/testing/python/main.py", line 48, in <module>
    main()
  File "/home/katkov/work/obd2rds/obd2rds/testing/python/main.py", line 41, in main
    dataIn = serPort.read()
  File "/home/katkov/work/obd2rds/obd2rds/testing/python/uart.py", line 55, in read
    dataIn = self.port.read(100)
  File "/usr/local/lib/python3.4/dist-packages/serial/serialposix.py", line 480, in read
    if e[0] != errno.EAGAIN:
TypeError: 'SerialException' object does not support indexing

我怎样才能捕捉到它被正确处理的异常。 谢谢!

您没有分享您的完整代码,但如果您试图索引您的错误编号,那是行不通的 AFAIK。尝试:

try: 
  dataIn = self.port.read(100) 
except serial.SerialException as e:
  # ...
  if e.errno != errno.EAGAIN:
  # ...

此外,如果您在异常处理程序内部进行工作可能会导致更多异常,请嵌套处理程序。例如:

try: 
  dataIn = self.port.read(100) 
except serial.SerialException as e:
  try:
    # more dangerous stuff
  except serial.SerialException as e2:
    # handle nested expression

感谢Jonathan Eunice!你的建议解决了我的问题。

现在我使用以下代码:

try:
    dataIn = self.port.read()
except serial.SerialException as e:
    #There is no new data from serial port
    return None
except TypeError as e:
    #Disconnect of USB->UART occured
    self.port.close()
    return None
else:
    #Some data was received
    return dataIn