这个问题我已经有一段时间了,我不能为我的爱找到解决方法。
我想绘制一个简单的三角形。但是我在编译程序时一直在Visual Studio中获得此输出。
注意>我不相信这不是链接问题,而是其他问题。我已经检查了我的链接器无数次,并且一切都在那里!
LINK:https://pastebin.com/xeTDd0Qu
主要
static const GLfloat g_vertex_buffer_data[] = {
100.0f, 100.0f, 0.0f,
150.0f, 100.0f, 0.0f,
100.0f, 150.0f, 0.0f,
};
GLFWwindow* window;
window = initWindow(640, 480, "Title");
GLuint VertexArrayID;
glGenVertexArrays(1, &VertexArrayID);
glBindVertexArray(VertexArrayID);
GLuint vertexbuffer;
glGenBuffers(1, &vertexbuffer);
glBindBuffer(GL_ARRAY_BUFFER, vertexbuffer);
glBufferData(GL_ARRAY_BUFFER, sizeof(g_vertex_buffer_data), g_vertex_buffer_data, GL_STATIC_DRAW);
while (!glfwWindowShouldClose(window)) {
glViewport(0, 0, 640, 480);
glClearColor(0, 0, 0, 0);
glClear(GL_COLOR_BUFFER_BIT);
glEnableVertexAttribArray(0);
glBindBuffer(GL_ARRAY_BUFFER, vertexbuffer);
glVertexAttribPointer(0, 3, GL_FLOAT, GL_FALSE, 0, (void*)0);
glDrawArrays(GL_TRIANGLES, 0, 3);
glDisableVertexAttribArray(0);
glFlush();
glfwSwapBuffers(window);
glfwPollEvents();
}
glfwTerminate();
return 0;
initWindow()
GLFWwindow* initWindow(int a_width, int a_height, const char* title) {
glewExperimental = GL_TRUE;
int err = glewInit();
if (!err) {
exit(-1);
}
if (!glfwInit()) {
printf("glfwInit() failed!");
return nullptr;
}
GLFWwindow* window = glfwCreateWindow(640, 480, "My Title", NULL, NULL);
if (!window) {
glfwTerminate();
return nullptr;
}
return window;
}
谢谢!
编辑:我收到异常消息: ConvexHullVisualiser.exe中的0x00000000引发异常:0xC0000005:执行位置0x00000000的访问冲突。
答案 0 :(得分:4)
您收到的错误告诉您您正在尝试执行指向NULL的函数指针。大多数OpenGL函数是(在Windows上)函数指针,并在运行时加载。总之,这意味着您正在尝试执行尚未加载的OpenGL函数。
最有可能发生这种情况是因为只有在存在有效的OpenGL上下文的情况下才能成功初始化GLEW。由于上下文是由glfwCreateWindow
创建的,因此必须在此行之后调用glewInit
。
您还缺少对glfwMakeContextCurrent
的绑定OpenGL上下文的调用
到活动线程。
if (!glfwInit()) {
printf("glfwInit() failed!");
return nullptr;
}
GLFWwindow* window = glfwCreateWindow(640, 480, "My Title", NULL, NULL);
if (!window) {
glfwTerminate();
return nullptr;
}
glfwMakeContextCurrent(window);
glewExperimental = GL_TRUE;
int err = glewInit();
if (!err) {
exit(-1);
}
请注意,glewInit
不会返回整数,而是返回GLenum
。正确的错误检查应如下所示:
GLenum err = glewInit();
if (GLEW_OK != err)
{
/* Problem: glewInit failed, something is seriously wrong. */
fprintf(stderr, "Error: %s\n", glewGetErrorString(err));
...
}