7

我长期以来一直在与这个问题作斗争。我无法让 OpenCV 工作,并且我已经关注了很多关于它以及如何在 Qt 中使用的教程,所以我很累,我想避免为此使用 OpenCV。

现在,我的要求或问题......我需要在 Qt GUI 应用程序中显示一个网络摄像头提要(实时视频,没有音频),只有一个按钮:“拍摄快照”,显然,从当前提要和存储它。

就这样。

有没有办法在不使用 OpenCV 的情况下完成这项工作?

系统规格:

  • Qt 4.8

  • Windows XP 32 位

  • USB 2.0.1.3M UVC WebCam(我现在用的那个,应该也支持其他型号)

希望有人可以帮助我,因为我快疯了。

提前致谢!

4

1 回答 1

8

好的,我终于做到了,所以我将在这里发布我的解决方案,以便我们对此有所了解。

我使用了一个名为“ESCAPI”的库:http ://sol.gfxile.net/escapi/index.html

这提供了一种从设备捕获帧的极其简单的方法。有了这些原始数据,我只需要创建一个 QImage,它稍后会显示在 QLabel 中。

我创建了一个简单的对象来处理这个问题。

#include <QDebug>
#include "camera.h"

Camera::Camera(int width, int height, QObject *parent) :
    QObject(parent),
    width_(width),
    height_(height)
{
    capture_.mWidth = width;
    capture_.mHeight = height;
    capture_.mTargetBuf = new int[width * height];

    int devices = setupESCAPI();
    if (devices == 0)
    {
        qDebug() << "[Camera] ESCAPI initialization failure or no devices found";
    }
}

Camera::~Camera()
{
    deinitCapture(0);
}

int Camera::initialize()
{
    if (initCapture(0, &capture_) == 0)
    {
        qDebug() << "[Camera] Capture failed - device may already be in use";
        return -2;
    }
    return 0;
}

void Camera::deinitialize()
{
    deinitCapture(0);
}

int Camera::capture()
{
    doCapture(0);
    while(isCaptureDone(0) == 0);

    image_ = QImage(width_, height_, QImage::Format_ARGB32);
    for(int y(0); y < height_; ++y)
    {
        for(int x(0); x < width_; ++x)
        {
            int index(y * width_ + x);
            image_.setPixel(x, y, capture_.mTargetBuf[index]);
         }
    }
    return 1;
}

和头文件:

#ifndef CAMERA_H
#define CAMERA_H

#include <QObject>
#include <QImage>
#include "escapi.h"

class Camera : public QObject
{
    Q_OBJECT

public:
    explicit Camera(int width, int height, QObject *parent = 0);
    ~Camera();
    int initialize();
    void deinitialize();
    int capture();
    const QImage& getImage() const { return image_; }
    const int* getImageRaw() const { return capture_.mTargetBuf; }

private:
    int width_;
    int height_;
    struct SimpleCapParams capture_;
    QImage image_;
};

#endif // CAMERA_H

它是如此简单,但仅用于示例目的。用途应该是这样的:

Camera cam(320, 240);
cam.initialize();
cam.capture();
QImage img(cam.getImage());
ui->label->setPixmap(QPixmap::fromImage(img));

当然,您可以使用 QTimer 并更新 QLabel 中的帧,您将在那里有视频......

希望对您有所帮助!并感谢尼古拉斯的帮助!

于 2013-03-29T22:00:04.817 回答