很高兴未能初始化

Glad failing to initialize

我遇到以下代码行总是打印 "Failed to initialize glad" 然后退出程序的问题:

if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress))
{
    std::cout << "Failed to initialize GLAD" << std::endl;
    return -1;
}

我一直在使用 https://learnopengl.com/ 作为指南,并一直按照入门部分中的步骤进行操作。我正在使用 Visual Studio 编写此代码,我已将 glad.c 源文件移动到构建中以使其正常工作,并将 header 文件添加到我指定 glfw [=24] 的相同位置=] 会,但我没能找到任何人遇到与我类似的问题。

注释掉return-1;行导致访问冲突异常,所以肯定是程序有问题。

这是整个程序,以防我遗漏了其他内容:

#include "stdafx.h"
#include <GLFW/glfw3.h>
#include <glad/glad.h>
#include <iostream>

using namespace std;

void init_glfw();

void framebuffer_size_callback(GLFWwindow*, int, int);

int main(int argc, char **argv)
{
    init_glfw();

    GLFWwindow* window = glfwCreateWindow(800, 600, "Lab3", NULL, NULL);

    if (window == NULL)
    {
        cout << "Failed to create GLFW window" << endl;
        glfwTerminate();
        return -1;
    }


    if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress))
    {
        std::cout << "Failed to initialize GLAD" << std::endl;
        return -1;
    }

    glViewport(0, 0, 800, 600);
    glfwSetFramebufferSizeCallback(window, framebuffer_size_callback);


    while (!glfwWindowShouldClose(window))
    {
        glfwSwapBuffers(window);
        glfwPollEvents();
    }

    glfwTerminate();
    return 0;
}

void init_glfw()
{
    glfwInit();
    glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 3);
    glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 3);
    glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);
}

void framebuffer_size_callback(GLFWwindow* window, int width, int height)
{
    glViewport(0, 0, width, height);
}

您从未通过 glfwMakeContextCurrent() 使您的 GL 上下文成为当前上下文。与其他 GL 窗口框架不同,当 glfwCreateWindow() 成功时,GLFW 不会使 GL 上下文保持当前状态。

Call glfwMakeContextCurrent() after glfwCreateWindow() succeeds:

GLFWwindow* window = glfwCreateWindow(800, 600, "Lab3", NULL, NULL);
if (window == NULL)
{
    cout << "Failed to create GLFW window" << endl;
    glfwTerminate();
    return -1;
}

glfwMakeContextCurrent( window );

if (!gladLoadGLLoader((GLADloadproc)glfwGetProcAddress))
{
    std::cout << "Failed to initialize GLAD" << std::endl;
    return -1;
}