一、UDP协议简介
UDP是用户数据报协议(User Datagram Protocool)的简称,是OSI(Open System Interconnection,开放式系统互联)参考模型中一种无连接的传输层协议,提供面向事务的简单不可靠信息传送服务。UDP虽然具有不提供数据包分组、组装和不能对数据包进行排序的缺点,也就是说,当报文发送之后无法得知其是否安全完整的到达,但其面向无连接的特点在嵌入式系统中有着不可或缺的作用。
二、Qt编写UDP服务端
1.新建工程,在.pro文件中加入
QT += network
2.在mainwindow.h中加入头文件的引用
#include <QUdpSocket>
3.完成上述两步之后,就可以使用UDP了,首先我们在mainwindow.ui中放置一个Line Edit控件用来显示客户端发送的数据。然后,创建UDP服务器,绑定本地端口,并连接到消息接收的槽函数。
QUdpSocket *udpServer;
udpServer = new QUdpSocket(this);
udpServer->bind(QHostAddress::Any, 8888);
connect(udpServer, SIGNAL(readyRead()), this, SLOT(readyread()));
4.接收消息的槽函数
void MainWindow::readyread()
{
QByteArray array;
array.resize(udpServer->bytesAvailable());
udpServer->readDatagram(array.data(),array.size());
ui->lineEdit->setText(array);
}
Qt编写UDP客户端
1.新建工程,在.pro文件中加入
QT += network
2.在mainwindow.h中加入头文件的引用
#include <QUdpSocket>
3.在mainwindow.ui中放置一个Line Edit控件和一个Push Button控件,Line Edit控件用户输入想要发送的数据,Push Button按钮负责将数据通过UDP发送至服务端。
4.创建UDP客户端
QUdpSocket *udpClient;
udpClient = new QUdpSocket(this);
5.发送按钮槽函数
void MainWindow::on_pushButton_clicked()
{
udpClient->writeDatagram(ui->lineEdit->text().toUtf8(),QHostAddress("127.0.0.1"),8888);
}