3

我没有找到一个合理的好例子来说明如何使用 pyserial 与串行调制解调器通信。给定一个实例化的 pyserial 对象,我创建了一个应该执行以下操作的代码片段ser

  • 向调制解调器发送 AT 命令
  • 尽快返回调制解调器应答
  • 在超时的情况下返回例如 None
  • 处理脚本和调制解调器之间的通信最合理、健壮和容易。

这是片段:

def send(cmd, timeout=2):

  # flush all output data
  ser.flushOutput()

  # initialize the timer for timeout
  t0 = time.time()
  dt = 0

  # send the command to the serial port
  ser.write(cmd+'\r')

  # wait until answer within the alotted time
  while ser.inWaiting()==0 and time.time()-t0<timeout:
    pass

  n = ser.inWaiting()
  if n>0:
    return ser.read(n)
  else:
    return None

我的问题:这是好的、健壮的代码,还是可以更改/简化部分?我特别不喜欢这种read(n)方法,我希望 pyserial 提供一段只返回整个缓冲区内容的代码。另外,我/我应该在开始时刷新输出,以避免之前在输出缓冲区中有一些废话吗?

谢谢亚历克斯

4

1 回答 1

1

timeout=2使用读取超时参数创建 Serial 对象。

我的食谱是:

def send(data):
    try:
        ser.write(data)
    except Exception as e:
        print "Couldn't send data to serial port: %s" % str(e)
    else:
        try:
            data = ser.read(1)
        except Exception as e:
            print "Couldn't read data from serial port: %s" % str(e)
        else:
            if data:  # If data = None, timeout occurr
                n = ser.inWaiting()
                if n > 0: data += ser.read(n)
                return data

我认为这是管理与串口通信的一种很好的形式。

于 2013-03-24T17:31:39.773 回答