前言
本文主要用到的是一个开源的QR编码库qrencode,我们将qrencode的源码移植到我们的Qt程序中实现二维码的显示(免去复杂的编译)。
一、qrencode的下载
二、使用步骤
1.引入库
将源码中的config.h.in文件修改成config.h。
再把源码中的.h和.c文件复制到新建的工程中。
将新建工程qrencode源码中的(*.h *.c)加入到工程中(右键添加现有文件)
添加后的工程目录为:
将刚刚添加到Qt工程中的qrenc.c文件移出工程,因为该文件是源代码的主函数,与Qt中的相互冲突,将会导致程序异常退出。
在QT的.pro文件中添加全局宏定义:
DEFINES += HAVE_CONFIG_H
在config.h文件末尾重新定义宏:
#define MAJOR_VERSION 1
#define MICRO_VERSION 1
#define MINOR_VERSION 1
#define VERSION 1
我这里是创建了一个继承QWidget的Widget主窗口,在widget.h中添加上如下函数声明:
void GenerateQRcode(QString tempstr);
修改完成后widget.cpp中引入qrencode.h头文件:
2.绘制二维码的函数
使用QT的QPainter来完成二维码图片的绘制,代码如下:
void MainWindow::GenerateQRcode(QString tempstr)
{
QRcode *qrcode; //二维码数据
//QR_ECLEVEL_Q 容错等级
qrcode = QRcode_encodeString(tempstr.toStdString().c_str(), 2, QR_ECLEVEL_Q, QR_MODE_8, 1);
qint32 temp_width=ui->label->width(); //二维码图片的大小
qint32 temp_height=ui->label->height();
qint32 qrcode_width = qrcode->width > 0 ? qrcode->width : 1;
double scale_x = (double)temp_width / (double)qrcode_width; //二维码图片的缩放比例
double scale_y =(double) temp_height /(double) qrcode_width;
QImage mainimg=QImage(temp_width,temp_height,QImage::Format_ARGB32);
QPainter painter(&mainimg);
QColor background(Qt::white);
painter.setBrush(background);
painter.setPen(Qt::NoPen);
painter.drawRect(0, 0, temp_width, temp_height);
QColor foreground(Qt::black);
painter.setBrush(foreground);
for( qint32 y = 0; y < qrcode_width; y ++)
{
for(qint32 x = 0; x < qrcode_width; x++)
{
unsigned char b = qrcode->data[y * qrcode_width + x];
if(b & 0x01)
{
QRectF r(x * scale_x, y * scale_y, scale_x, scale_y);
painter.drawRects(&r, 1);
}
}
}
QPixmap mainmap=QPixmap::fromImage(mainimg);
ui->label->setPixmap(mainmap);
ui->label->setVisible(true);
}
调用绘制二维码的函数:
void Widget::on_pushButton_clicked()
{
QString str = ui->lineEdit->text();//输入二维码的内容
GenerateQRcode(str);//生成二维码
}