Ошибка обработки данных, считываемых с последовательного порта, при отображении их в текстовом поле Tkinter - PullRequest
6 голосов
/ 04 ноября 2019

Итак, я читаю (и отображаю в текстовом поле tkinter) данные из последовательного соединения, но я не могу обработать возвращаемые данные так, как мне бы хотелось, чтобы запустить свои тесты. В более простых сроках, даже если отображается machine response = 0x1, я не могу прочитать его из глобального serBuffer.

Перед отображением его в textbox я бы прочитал изнутри теста function и затем проверьте, был ли ответ в string, но теперь, когда я передаю прочитанные данные (строки) в глобальную переменную, а затем пытаюсь прочитать их, это не похоже на работу, ЕСЛИ Я не удаляю serBuffer = "" с readserial. Это приводит к новой проблеме, хотя. Когда я нажимаю кнопку, чтобы отправить команду, она отправляет ее, но получает ответ только после второго нажатия, и каждый раз после. Таким образом, в результате я получаю Fail, если я запускаю тест один раз, но я получаю пропуск каждый раз после.

Изображение с желаемым ответом (что test function не читает 0x1 и всегда возвращает FAIL)

Image with the correct response that i am unable to read and get a pass or fail

Изображение с нежелательным ответом (которое получает ответ только после второго нажатия и каждый раз после него. Таким образом, в результате я получаю Fail, если я запускаю тест один раз, но я получаю пропуск каждый раз после).

enter image description here

import tkinter as tk
import serial
from serial import *


serialPort = "COM3"
baudRate = 115200
ser = Serial(serialPort, baudRate, timeout=0, writeTimeout=0) #ensure non-blocking


#make a TkInter Window
mainWindow = tk.Tk()
mainWindow.wm_title("Reading Serial")
mainWindow.geometry('1650x1000+500+100')




scrollbar = tk.Scrollbar(mainWindow)
scrollbar.pack(side=tk.RIGHT, fill=tk.Y)

log = tk.Text ( mainWindow, width=60, height=60, takefocus=0)
log.pack()

log.config(yscrollcommand=scrollbar.set)
scrollbar.config(command=log.yview)

#make our own buffer
#useful for parsing commands
#Serial.readline seems unreliable at times too
serBuffer = ""
ser.write(b'\r\n')

def readSerial():
    while True:
        c = (ser.read().decode('utf-8', 'ignore'))  # attempt to read a character from Serial
        # was anything read?
        if len(c) == 0:
            break

        # get the buffer from outside of this function
        global serBuffer

        # check if character is a delimeter
        if c == '\r':
            serBuffer += "\n" # don't want returns. chuck it

        if c == '\n':
            serBuffer += "\n"  # add the newline to the buffer

            # add the line to the TOP of the log
            log.insert('1.1', serBuffer)
            serBuffer = ""  # empty the buffer
        else:
            serBuffer += c  # add to the buffer

    mainWindow.after(100, readSerial)  # check serial again soon

def test():
    command = b" test command \r\n"
    ser.write(command)
    global serBuffer
    time.sleep(0.5)
    if "0x1" in serBuffer:
        print('PASS')
        return 'PASS'
    else:
        print('FAIL')
        return 'FAIL'

button = tk.Button(mainWindow, text="Pone Test", font=40, bg='#b1c62d', command=test)
button.place(relx=0.8, rely=0, relwidth=0.1, relheight=0.05)


# after initializing serial, an arduino may need a bit of time to reset
mainWindow.after(100, readSerial)

mainWindow.mainloop()

Ответы [ 2 ]

6 голосов
/ 04 ноября 2019

Комментарий : но получает ответ только после второго нажатия и каждый раз после. Таким образом, в результате я получаю Fail, если я запускаю тест один раз, но я получаю пропуск каждый раз после

Повышение первого тайм-аута с 100 до 500 или более.

        # after initializing serial, an arduino may need a bit of time to reset
        mainWindow.after(100, self.readSerial)

Чтобы узнать задержку для первого ответа, попробуйте следующее:

Примечание : Вам нужно сделатьэто без запуска def readSerial, чтобы предотвратить одновременное опустошение in buffer "

    command = b" test command \r\n"
    self.ser.write(command)

    delay = 0.0

    # wait until you get `.in_waiting` data.
    while not self.ser.in_waiting:
        time.sleep(0.1)
        delay += 0.1
        print('.', end='')
        if delay >= 10:
            print('BREAK after {} no in_waiting'.format(int(delay * 10)))
            break

    print('Delay:{}, in_waiting:{}'.format(delay, self.ser.in_waiting))

Следующее работает для меня.

Примечание: я использую синтаксис OOP.

  1. last_command

    serBuffer = ""
    last_command = None
    
  2. Скопируйте готовый read_bufferдо last_command, только пусто read_buffer

    def readSerial(self):
        while True:
            c = (self.ser.read().decode('utf-8', 'ignore'))  # attempt to read a character from Serial
            # was anything read?
            if len(c) == 0:
                break
    
            # get the buffer from outside of this function
            global serBuffer
    
            # check if character is a delimeter
            if c == '\r':
                serBuffer += "\n"  # don't want returns. chuck it
    
            if c == '\n':
                serBuffer += "\n"  # add the newline to the buffer
    
                global last_command
                last_command = serBuffer
    
                # add the line to the TOP of the log
                # log.insert('1.1', last_command)
                print('readSerial.last_command:"{}"'.format(bytes(last_command, 'utf-8')))
    
                serBuffer = ""  # empty the buffer
    
            else:
                serBuffer += c  # add to the buffer
                print('readSerial:"{}"'.format(bytes(serBuffer, 'utf-8')))
    
        self.after(100, self.readSerial)  # check serial again soon
    
  3. Do test()

    def test(self, write=True):
        print('test(write={})'.format(write))
    
        if write:
            command = b" test command \r\n"
            self.ser.write(command)
            self.after(500, self.test, False)
    
        elif last_command is not None:
            print('last_command:{}'.format(bytes(last_command, 'utf-8')))
    
            if "0x1" in last_command:
                print('PASS')
            else:
                print('FAIL')
        else:
            # ATTENTION: This could lead to a infinit loop
            # self.after(500, self.test, False)
            pass
    

Вывод :

test(write=True)
readSerial:"b' '"
readSerial:"b' t'"
readSerial:"b' te'"
readSerial:"b' tes'"
readSerial:"b' test'"
readSerial:"b' test '"
readSerial:"b' test c'"
readSerial:"b' test co'"
readSerial:"b' test com'"
readSerial:"b' test comm'"
readSerial:"b' test comma'"
readSerial:"b' test comman'"
readSerial:"b' test command'"
readSerial:"b' test command '"
readSerial:"b' test command \n\r'"
readSerial.last_command:"b' test command \n\r\n'"
test(write=False)
last_command:b' test command \n\r\n'
FAIL

Примечание : я получаю FAIL, потому что нет 0x1 в last_command, поскольку я использую PORT = 'loop://', что повторяет то, что написано!

2 голосов
/ 12 ноября 2019

Я внес некоторые изменения, отметьте это.

def readSerial():
    while True:
        c = (ser.read(1).decode('utf-8', 'ignore')) from Serial

        if len(c) == 0:
            break


        global serBuffer
        if c == '\r':
            serBuffer += "" 

        if c == '\n':
            serBuffer += "\n" 



            log.insert(tk.END, serBuffer)
            log.see(tk.END)
            log.update_idletasks()
            serBuffer = ""  
        else:
            serBuffer += c  

    mainWindow.after(500, readSerial)  
...