3

我有立体摄像机系统。在我的程序中,我在两个线程中捕获来自每个相机的图像。(每个相机一个线程)。从每台相机收到图像后,我想用 OpenCV 处理它们。我怎么能对我的程序说,两个相机线程都有图像,我可以去处理它们?

我有另一个问题。从摄像头接收到的每个帧都有一个时间戳,由摄像头指定。如何匹配时间戳,以便从同时捕获的两个相机中获取图像?

4

1 回答 1

1

您是否曾经使用 OpenCV 编写过应用程序来显示相机捕获的帧?从那里开始。下面的应用程序执行此操作并将每一帧转换为其灰度版本:

CvCapture *capture = NULL;
capture = cvCaptureFromCAM(-1); //-1 or 0 depending on your platform
if (!capture)
{
    printf("!!! ERROR: cvCaptureFromCAM\n");
    return -1;
}

cvNamedWindow("video", CV_WINDOW_AUTOSIZE);

while (exit_key_press != 'q')
{
    /* Capture a frame */
    color_frame = cvQueryFrame(capture);
    if (color_frame == NULL)
    {
        printf("!!! ERROR: cvQueryFrame\n");
        break;
    }
    else
    {
        // WOW! We got a frame! 
        // This is the time to process it since we are not buffering 
        // the frames to use them later. It's now or never.

        IplImage* gray_frame = cvCreateImage(cvSize(color_frame->width, color_frame->height), color_frame->depth, 1);  
        if (gray_frame == NULL)
        {
            printf("!!! ERROR: cvCreateImage\n");
            continue;
        }

        cvCvtColor(color_frame, gray_frame, CV_BGR2GRAY);
        cvShowImage("Grayscale video", gray_frame);
        cvReleaseImage(&gray_frame);
    }
        exit_key_press = cvWaitKey(1);
}

请记住,帧是在循环中检索的,如果退出循环,您将停止从相机接收数据。这是有道理的,对吧?这为您提供了 2 个选项:

  • 以正确的方式处理框架。但是如果这个处理很慢,你可能会错过相机的几帧,直到下一个 cvQueryFrame() 操作。

  • 使用一些缓冲区机制存储帧,以便您可以在另一个线程上进行处理。如果您的处理技术对 CPU 要求很高,并且您不想丢失任何帧,这是一个很好的方法。

关于你的第二个问题,我不清楚你的意思。请进一步详述。

于 2011-04-20T18:37:21.183 回答