我在Linux下编译OpenCV 2.4.4并支持OpenGL,但我不知道如何使用opengl_interop.hpp函数(其中一些甚至没有文档!至少在我的文档版本上) )。在OpenGL启用的部分中查看window.cpp,我发现了一些关于函数setOpenGLContext,setOpenGLDrawCallback和updateView的使用的提示,但即使是这么简单的代码我也无法工作:
#include <opencv2/opencv.hpp>
#include <GL/gl.h>
#include <GL/glut.h>
#include <opencv2/core/opengl_interop.hpp>
using namespace cv;
void on_opengl(void* userdata);
int main(void)
{
VideoCapture webcam(CV_CAP_ANY);
Mat frame;
namedWindow("window", CV_WINDOW_OPENGL);
setOpenGlContext("window");
while(waitKey(30) < 0)
{
webcam >> frame;
setOpenGlDrawCallback("window", on_opengl);
imshow("window", frame);
updateWindow("window");
}
return 0;
}
void on_opengl(void* userdata)
{
glLoadIdentity();
glTranslated(0.0, 0.0, 1.0);
glRotatef( 55, 1, 0, 0 );
glRotatef( 45, 0, 1, 0 );
glRotatef( 0, 0, 0, 1 );
static const int coords[6][4][3] = {
{ { +1, -1, -1 }, { -1, -1, -1 }, { -1, +1, -1 }, { +1, +1, -1 } },
{ { +1, +1, -1 }, { -1, +1, -1 }, { -1, +1, +1 }, { +1, +1, +1 } },
{ { +1, -1, +1 }, { +1, -1, -1 }, { +1, +1, -1 }, { +1, +1, +1 } },
{ { -1, -1, -1 }, { -1, -1, +1 }, { -1, +1, +1 }, { -1, +1, -1 } },
{ { +1, -1, +1 }, { -1, -1, +1 }, { -1, -1, -1 }, { +1, -1, -1 } },
{ { -1, -1, +1 }, { +1, -1, +1 }, { +1, +1, +1 }, { -1, +1, +1 } }
};
for (int i = 0; i < 6; ++i) {
glColor3ub( i*20, 100+i*10, i*42 );
glBegin(GL_QUADS);
for (int j = 0; j < 4; ++j) {
glVertex3d(0.2*coords[i][j][0], 0.2 * coords[i][j][1], 0.2*coords[i][j][2]);
}
glEnd();
}
}
在网络摄像头流上使用opengl的正确方法是什么?再见!
答案 0 :(得分:2)
为我糟糕的英语道歉,因为它不是我的母语。
OpenGL专为渲染图形而设计,OpenCV专为计算机视觉而设计。因此,我建议您在基于GL的应用程序中使用CV,而不是使用CV API进行渲染,回调等。
如果您只想要一个简单的演示,那么您可以使用freeGLUT编写一个带有一些回调的非常简单的程序,freeGLUT将处理窗口回调和GL上下文创建。 (GLFW或Qt也可以)在程序中,使用cv::ogl::Texture2D
类来处理纹理对象。使用Texture2D::copyFrom(...)
和Texture2D::copyTo(...)
来处理设备/主机内存传输。在渲染回调内,使用标准GL例程绘制全屏矩形。这种方法效率不高,但是有效。
#include <GL/glew.h>
#include <GL/freeglut.h>
#include <opencv2/opencv.hpp>
#include <opencv2/core/opengl_interop.hpp>
using namespace cv;
//Global vars
Texture2D g_img;
void timer_cb( int )
{
//...Update the content of g_img
}
void resize_cb( int w, int h ) { /*...*/ }
void render_cb() {
/* ...render g_img here */
g_img.bind();
#ifdef USE_FIXED_PIPELINE
//use fixed pipeline for old-school GL rendering
glMatrixMode( GL_MODELVIEW );
//Do some transformation
glBegin(GL_QUADS);
glTexCoord(...);
glVertex**(...);
...
glEnd();
#else
//use shaders and VBOs for 3.1+ GL
glBindProgram( ... );
glBindBuffer( ... );
glVertexAttribPointer( ... );
glDrawArrays( ... );
#endif
}
int main( int argc, char** argv )
{
//...init GLUT, GLEW and other stuff
glutMainLoop();
return 0;
}
注意:
一个。建议使用freeGLUT而不是GLUT,它们是两件事。 GLUT已经过时了。但是,在扩展GLUT的同时,freeGLUT一直支持最新的OpenGL版本。
湾您可能需要像GLEW这样的GL loading library来获取GL函数指针
℃。较新的OpenGL(3.1+)不再支持固定管道渲染,因此需要VBO和着色器。如果您定位较低版本的GL,则需要指定上下文版本。这可以通过glutInitContextVersion( int major, int minor )
完成。网上有很多教程。