Use Qt to create your own serial port debugging assistant

Use Qt to create your own serial port debugging assistant

[[376484]]

In my work, the thing I deal with most is probably serial port communication. Serial port is undoubtedly the simplest way to communicate data with the microcontroller. Today we use Qt to implement our own serial port debugging assistant.

Achieving goals

Write a Qt-based serial port debugging software by yourself to realize the communication between this software and the serial port assistant.

The data sent by the software is forwarded through the virtual serial port and can be correctly received in the serial port assistant;

The data sent by the serial port assistant can be displayed in the receiving text box of this software, thereby realizing two-way communication of serial port data.

Required tools and environment

  • Virtual serial port software (used to create a pair of virtual serial ports)
  • Qt Creator 4.10.1
  • Qt 5.13.1
  • XCOM V2.0 Serial Port Assistant
  • My computer is Windows 10 64bit [version 10.0.19041.329]

Source code of this article

Reply to the keyword "Qt-COM" in the background to obtain the virtual serial port software and Qt project source code involved in this article.

Interface Design

Create a new Project using Qt Creator, select Application-->Qt Widgets Application as the template, and in the Class Information page of the wizard, select QMainWindow, QWidget, or QDialog as the Base class.

The project is created, and the specific design of the .ui file is as follows:

Specific implementation

Import serial communication module

Starting from Qt 5.1, Qt has its own serial communication class. Previous versions required the use of third-party serial communication classes.

To use the serial communication class, you need to add QT += serialport in the .pro file

Display all serial port numbers in the system

The serial port number list is displayed in a QComboBox control.

We call QSerialPortInfo::availablePorts() to get a QList. Each QSerialPortInfo in the List represents a serial port instance. This class stores information such as the port name, system location, description, and vendor of the existing serial ports in the system.

The implementation code for traversing all serial port names in the system is as follows:

  1. QStringList MainWindow::getPortNameList()
  2. {
  3. QStringList m_serialPortName;
  4. foreach(const QSerialPortInfo &info,QSerialPortInfo::availablePorts())
  5. {
  6. m_serialPortName << info.portName();
  7. qDebug()<< "serialPortName:" <<info.portName();
  8. }
  9. return m_serialPortName;
  10. }

Traverse the QList above and save the serial port name to the m_serialPortName variable, which is of QStringList type. Display the final result in the QComboBox:

  1. m_portNameList = getPortNameList();
  2.      
  3. ui->comboBoxPortName->addItems(m_portNameList);

Open the serial port

Opening the serial port involves the following functions:

  1. // Check if the serial port is open
  2. bool QIODevice::isOpen() const
  3. // Clear the buffer
  4. bool QSerialPort::clear(QSerialPort::Directions directions = AllDirections)
  5. //Serial port closed
  6. [override virtual] void QSerialPort:: close ()
  7. //Set the serial port name to be opened
  8. void QSerialPort::setPortName(const QString & name )
  9. //Set the baud rate of serial communication
  10. bool QSerialPort::setBaudRate(qint32 baudRate, QSerialPort::Directions directions = AllDirections)
  11. //Set the data bit of serial communication, the data bit is usually 8 bits
  12. bool QSerialPort::setDataBits(QSerialPort::DataBits dataBits)
  13. //Set the flow control of serial communication, generally no flow control is required
  14. bool QSerialPort::setFlowControl(QSerialPort::FlowControl flowControl)
  15. //Set the parity check of serial communication, usually select "None"
  16. bool QSerialPort::setParity(QSerialPort::Parity parity)
  17. //Set the stop bit of serial communication, the stop bit is usually 1
  18. bool QSerialPort::setStopBits(QSerialPort::StopBits stopBits)

In the pop-up menu of right-clicking on the "Open Serial Port" button, select Go to Slot..., and in the clicked() event of the button, add the corresponding code for opening the serial port.

The communication process of the serial communication library basically requires the following steps, namely: open the serial port --> configure the serial port parameters (baud rate, data bits, stop bits, parity, flow control, etc.) --> send and receive data.

The specific implementation of serial port opening is as follows:

  1. void MainWindow::on_btnOpenCOM_clicked()
  2. {
  3. if (ui->btnOpenCOM->text()== "Open the serial port" )
  4. {
  5. if(m_serialPort->isOpen())
  6. {
  7. m_serialPort->clear();
  8. m_serialPort-> close ();
  9. }
  10.  
  11. m_serialPort->setPortName(m_portNameList[ui->comboBoxPortName->currentIndex()]);
  12.  
  13. if(!m_serialPort-> open (QIODevice::ReadWrite))
  14. {
  15. qDebug()<<m_portNameList[ui->comboBoxPortName->currentIndex()]<< "Open failed!" ;
  16. return ;
  17. }
  18.  
  19. //Open successfully
  20. m_serialPort->setBaudRate(ui->comboBoxBaudRate->currentText().toInt(),QSerialPort::AllDirections); //Set baud rate and read and write direction
  21. m_serialPort->setDataBits(QSerialPort::Data8); //The data bit is 8 bits
  22. m_serialPort->setFlowControl(QSerialPort::NoFlowControl); //No flow control
  23. m_serialPort->setParity(QSerialPort::NoParity); //No parity bit
  24. m_serialPort->setStopBits(QSerialPort::OneStop); //One stop bit
  25.  
  26. connect (m_serialPort,SIGNAL(readyRead()),this,SLOT(receiveInfo()));
  27.  
  28. ui->btnOpenCOM->setText( "Close serial port" );
  29. } else  
  30. {
  31. m_serialPort-> close ();
  32. ui->btnOpenCOM->setText( "Open serial port" );
  33. }
  34. }

Serial port sends data

The function of sending data through the serial port is:

  1. qint64 QIODevice::write(const char *data)

This function writes the data in the string ending with '\0' to the device (the data after '\0' is lost). It returns the number of bytes actually written, or -1 if an error occurs.

We determine whether the sent string is converted to hexadecimal based on whether the Hex send checkbox is checked in the interface, and then call the qint64 QIODevice::write(const char *data) function to send the QByteArray array to the device.

The specific implementation of the event after the send button is clicked is as follows:

  1. void MainWindow::on_btnSendData_clicked()
  2. {
  3. QString m_strSendData = ui->txtSend->text();
  4.  
  5. if(ui->checkBoxHexSend->isChecked())
  6. {
  7. if (m_strSendData. contains ( " " ))
  8. {
  9. m_strSendData.replace ( QString ( " " ),QString( "" )); //Remove spaces
  10. }
  11.  
  12. QByteArray sendBuf;
  13.  
  14. convertStringToHex(m_strSendData, sendBuf); //Convert QString to hex
  15.  
  16. m_serialPort->write(sendBuf);
  17. }
  18. else  
  19. {
  20. m_serialPort->write(m_strSendData.toLocal8Bit());
  21. }
  22. }

Serial port receiving data

When serial port data is received in the buffer, the readyRead() signal will be emitted. We define a slot void receiveInfo() to parse the received data.

  1. connect (m_serialPort,SIGNAL(readyRead()),this,SLOT(receiveInfo()));

The following is the complete implementation of the receiving function. If you want to parse the data sent by the lower computer, implement the parsing of the data packet in this function.

  1. void MainWindow::receiveInfo()
  2. {
  3. qDebug()<< "receiveInfo()" ;
  4. QByteArray info = m_serialPort->readAll();
  5.  
  6. QString strReceiveData = "" ;
  7. if(ui->checkBoxHexReceive->isChecked())
  8. {
  9. QByteArray hexData = info.toHex();
  10. strReceiveData = hexData.toUpper();
  11.  
  12. qDebug()<< "Received serial port data: " <<strReceiveData;
  13.  
  14. for ( int i=0; i<strReceiveData. size (); i+=2+1)
  15. strReceiveData. insert (i, QLatin1String( " " ));
  16. strReceiveData.remove(0, 1);
  17.  
  18. qDebug()<< "Processed serial port data: " <<strReceiveData;
  19.  
  20. ui->txtReceiveData->append(strReceiveData);
  21. }
  22. else  
  23. {
  24. strReceiveData = info;
  25.  
  26. //Avoid Chinese garbled characters
  27. QTextCodec *tc = QTextCodec::codecForName( "GBK" );
  28. QString tmpQStr = tc->toUnicode(info);
  29.  
  30. ui->txtReceiveData->append(tmpQStr);
  31. }
  32.  
  33. //ui->txtReceiveData->append( "\r\n" );
  34. }

For detailed source code, please refer to the Qt project file.

Create a virtual serial port

To test whether our serial port assistant is correct, you can use a USB to TTL module, then short-circuit its sending and receiving pins, send and receive automatically, and see if the sent content can be received correctly.

Or use VSPD.exe software to create several pairs of virtual serial ports. The data sent from one serial port can be received by another serial port, and vice versa.

Results

Qt Tips

View online help documentation

Right-click a Qt built-in class, and then select Context-sensitive Help F1 in the right-click menu. The help document for this class will pop up on the right side of Qt Creator.

This article is reprinted from the WeChat public account "Embedded from 0 to 1", which can be followed through the following QR code. To reprint this article, please contact the Embedded from 0 to 1 public account.

<<:  Omdia Observation: Global 5G private network development is still in its early stages

>>:  From 0G to 5G, the ups and downs of mobile communications over the past century

Recommend

How many optical modules does a GPU need?

1. Network card model There are mainly two types ...

Fiber Optic Cable Types and Installation Tips

Expanding the presence of fiber optics has become...

Software testing requires understanding of these network knowledge points

1. Network Classification Telecommunications netw...

Industry 4.0 drives the need for 5G and private networks in the enterprise

​According to GlobalData, Europe is leading the w...

Cloud Gateway for Home Computing Networks

Author: Tian Yang, Unit: China Mobile Smart Home ...

Can high-speed fiber optics connect smart factories?

In order to keep factories moving forward, the in...

Ten common mistakes in network cabling

Network integrated wiring is a very tedious job. ...

Goodbye, endless pop-up ads

In recent years, with the rapid development of mo...

Let's talk about the DHCP protocol

[[375124]] 01Introduction to DHCP Protocol DHCP (...

We need to look up to the stars (6G) and keep our feet on the ground (5G)

[[349140]] 2020 is coming to an end. With the adv...