您好我正在使用QT将图像加载到GUI。 我可以轻松地将一个文件加载到一个标签中。 当我想将新图像加载到同一标签时会出现问题。 本质上我想更新该标签。 我试图通过使用SetPixmap作为插槽功能按下按钮来实现。 但是使用SetPixmap的直接调用可以正常工作,但是当它在插槽中时它对我不起作用。
#include "mainwindow.h"
#include "ui_mainwindow.h"
#include <iostream>
#include <qdebug>
#include <QLabel>
#include <QPixmap>
#include <QTcore>
using namespace std;
MainWindow::MainWindow(QWidget *parent) :
QMainWindow(parent),
ui(new Ui::MainWindow)
{
ui->setupUi(this);
QImage Hellkite_Tyrant;
Hellkite_Tyrant.load(":/MtGimages/HT.jpg");
QImage Island;
Island.load(":/MtGimages/Island.jpg");
if(Hellkite_Tyrant.isNull())
{
ui->textlabel->setText("Did not work");
}
//ui->myLabel->setPixmap(QPixmap::fromImage(Hellkite_Tyrant));
ui->myLabel->hide();
connect(ui->pushButton,SIGNAL(clicked()),
ui->myLabel,SLOT(setPixmap(QPixmap::fromImage(Hellkite_Tyrant))));
connect(ui->pushButton,SIGNAL(clicked()),
ui->myLabel,SLOT(show()));
// connect(ui->pushButton_2,SIGNAL(clicked()),
// ui->myLabel,SLOT(setPixmap(QPixmap::fromImage(Island))));
// connect(ui->pushButton_2,SIGNAL(clicked()),
// ui->myLabel,SLOT(repaint()));
// connect(ui->pushButton_2,SIGNAL(clicked()),
// ui->myLabel,SLOT(show()));
}
MainWindow::~MainWindow()
{
delete ui;
}
答案 0 :(得分:1)
信号的签名必须与接收槽的签名匹配。 因此,这段代码中存在错误。
connect(ui->pushButton,SIGNAL(clicked()),
ui->myLabel,SLOT(setPixmap(QPixmap::fromImage(Hellkite_Tyrant))));
你应该这样做。
// mainwindow.h
class MainWindow: public QMainWindow
{
...
protected slots:
void on_pushButton_clicked();
...
};
// mainwindow.cpp
MainWindow::MainWindow(QWidget *parent) :
QMainWindow(parent),
ui(new Ui::MainWindow)
{
...
connect(ui->pushButton,SIGNAL(clicked()),
this, SLOT(on_pushButton_clicked()));
}
void MainWindow::on_pushButton_clicked()
{
ui->myLabel->setPixmap(QPixmap::fromImage(Hellkite_Tyrant));
ui->myLabel->show();
}