QT实现tcpf服务器代码:(源文件)
cpp
#include "widget.h"
#include "ui_widget.h"
Widget::Widget(QWidget *parent)
: QWidget(parent)
, ui(new Ui::Widget)
{
ui->setupUi(this);
//给服务器指针实例化空间
server = new QTcpServer(this);
}
Widget::~Widget()
{
delete ui;
}
//启动服务器按钮对应的槽函数
void Widget::on_startBtn_clicked()
{
//获取ui界面上的端口
quint16 port = ui->portEdit->text().toInt();
//将服务器设置成监听状态
if(server->listen(QHostAddress::Any,port))
{
QMessageBox::information(this,"","服务器启动成功");
}
else
{
QMessageBox::information(this,"","服务器启动失败");
}
//此时服务器已经进入监听状态,如果有客户端发来连接请求,那么该服务器就会自动发射一个newConnection信号
//我们可以将该信号连接到自定义的槽函数中处理新连接的套接字
connect(server,&QTcpServer::newConnection,this,&Widget::newConnection_slot);
}
void Widget::newConnection_slot()
{
qDebug()<<"有新客户连接";
//获取最新连接的客户端套接字
QTcpSocket *s=server->nextPendingConnection();
//将该套接字放入到客户端容器中
socketlist.push_back(s);
//此时,客户端与服务器已经建立起来连接
//如果有客户端向服务器发来数据,那么该客户端会自动发射一个readyRead信号
//我们可以在该信号对应的槽函数中,读取客户端中的数据
connect(s,&QTcpSocket::readyRead,this,&Widget::readyRead_slot);
}
void Widget::readyRead_slot()
{
//移除无效客户端
for(int i=0;i<socketlist.count();i++)
{
if(socketlist.at(i)->state()==0)
{
socketlist.removeAt(i);
}
}
//遍历客户端套接字,寻找是哪个客户端有数据待读
for(int i=0;i<socketlist.count();i++)
{
//判断当前套接字是否有数据待读
if(socketlist.at(i)->bytesAvailable()!=0)
{
//读取套接字中的所有数据
QByteArray msg = socketlist.at(i)->readAll();
//将数据展示到ui界面
ui->listWidget->addItem(QString::fromLocal8Bit(msg));
//将数据发送给所有客户端
for(int j=0;j<socketlist.count();j++)
{
//将数据写入到所有客户端套接字中
socketlist.at(j)->write(msg);
}
}
}
}
头文件:
cpp
#ifndef WIDGET_H
#define WIDGET_H
#include <QWidget>
#include <QTcpServer>
#include <QTcpSocket>
#include <QMessageBox>
#include <QDebug>
#include <QList>
QT_BEGIN_NAMESPACE
namespace Ui { class Widget; }
QT_END_NAMESPACE
class Widget : public QWidget
{
Q_OBJECT
public:
Widget(QWidget *parent = nullptr);
~Widget();
private slots:
void on_startBtn_clicked();
void newConnection_slot();
void readyRead_slot();
private:
Ui::Widget *ui;
QTcpServer *server;
QList<QTcpSocket *> socketlist;
};
#endif // WIDGET_H