如何使用Qt以Windows窗体显示桌面?

时间:2014-10-27 08:52:51

标签: c++ winforms qt winapi

我正在从事小型个人项目。我想在窗口(窗体)中显示实时桌面视图。有可能吗?我正在使用C ++编写Qt Designer / Creator。请提供指南文档,教程(如果有的话)。

我试图实现这个目标: enter image description here

1 个答案:

答案 0 :(得分:1)

您想要的是不断截取屏幕截图并将其显示在标签上:

这是一个小例子:

SimpleScreenCapture.pro:

QT       += core gui

greaterThan(QT_MAJOR_VERSION, 4): QT += widgets

TARGET = SimpleScreenCapture
TEMPLATE = app


SOURCES += main.cpp\
        widget.cpp

HEADERS  += widget.h

main.cpp中:

#include "widget.h"
#include <QApplication>

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);

    Widget w;
    w.show();

    return a.exec();
}

widget.h:

#ifndef WIDGET_H
#define WIDGET_H

#include <QWidget>

class QLabel;
class QVBoxLayout;
class QTimer;

class Widget : public QWidget
{
    Q_OBJECT

public:
    Widget(QWidget *parent = 0);
    ~Widget();

private slots:
    void takeScreenShot();

private:
    QLabel *screenshotLabel;
    QPixmap originalPixmap;
    QVBoxLayout *mainLayout;
    QTimer *timer;
};

#endif // WIDGET_H

widget.cpp:

#include "widget.h"

#include <QLabel>
#include <QVBoxLayout>
#include <QTimer>
#include <QScreen>
#include <QGuiApplication>

Widget::Widget(QWidget *parent)
    : QWidget(parent)
{
    timer = new QTimer(this);
    timer->setInterval(2000);

    screenshotLabel = new QLabel;
    screenshotLabel->setSizePolicy(QSizePolicy::Expanding, QSizePolicy::Expanding);
    screenshotLabel->setAlignment(Qt::AlignCenter);
    screenshotLabel->setMinimumSize(240, 160);

    mainLayout = new QVBoxLayout;

    mainLayout->addWidget(screenshotLabel);
    setLayout(mainLayout);

    connect(timer, SIGNAL(timeout()), SLOT(takeScreenShot()));

    timer->start();
}

Widget::~Widget()
{

}

void Widget::takeScreenShot()
{
    originalPixmap = QPixmap();

    QScreen *screen = QGuiApplication::primaryScreen();
    if (screen)
    {
        originalPixmap = screen->grabWindow(0);
    }

    screenshotLabel->setPixmap(originalPixmap.scaled(screenshotLabel->size(),
                                                     Qt::KeepAspectRatio,
                                                     Qt::SmoothTransformation));
}

很简单......每隔2000ms截取一次屏幕截图并在QLabel上显示。 我建议你看一下screenshot example。我的exaple是它的简化版本。

结果是:

enter image description here

如果您正在寻找类似屏幕共享的应用程序,您应该实现窗口的鼠标事件并获取该点的坐标。处理它们以匹配原始桌面的屏幕分辨率并将点发送到系统进行点击。这是特定于平台的,您应该根据平台检查POSIX / WinAPI函数。