无法创建 GLFW window

Failing to create GLFW window

我想创建共享 GLFW window 但 GLFW 无法创建第二个 window。

我可以创建一个 window 但不能创建两个 windows

这是我的代码。

我想在另一个线程中使用第二个 window,这样我就可以共享它们的上下文。

#include "pch.h"
#include <iostream>
#include <gl\glew.h>
#include <glfw3.h>

int SCR_WIDTH = 1920;
int SCR_HEIGHT = 1080;

int main()
{
  glfwInit();
  glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 3);
  glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 3);
  glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);


  // glfw window creation
  // --------------------
  GLFWwindow* sharedWindow = NULL;
  GLFWwindow* window = glfwCreateWindow(SCR_WIDTH, SCR_HEIGHT, "LearnOpenGL", 0, sharedWindow);
  if (window == NULL)
  {
    std::cout << "Failed to create the first  GLFW window" << std::endl;
    glfwTerminate();
    return -1;
  }

  if (sharedWindow == NULL)
  {
    std::cout << "Failed to create the second GLFW window" << std::endl;
    //  glfwTerminate();
    //  return -1;
  }

  while (true)
  {

  }
    std::cout << "Hello World!\n"; 
}

share是输入参数。参见 glfwCreateWindow
创建第一个 window 并为第二次调用 glfwCreateWindow 第二次 window:

GLFWwindow* wnd  = glfwCreateWindow(SCR_WIDTH, SCR_HEIGHT, "LearnOpenGL", 0, nullptr);

GLFWwindow* wnd2 = glfwCreateWindow(SCR_WIDTH, SCR_HEIGHT, "window 2", 0, window);

甚至可以在单独的线程中创建 window,但请注意,在创建第二个 [=21] 时,您必须确保第一个 window 的 OpenGL 上下文不是当前的=].

#include <thread>
#include <mutex>
#include <condition_variable>

GLFWwindow *wnd = nullptr;
bool wnd2created = false;
std::mutex mtx;
std::condition_variable cv;

void wnd2func( void )
{
    GLFWwindow *wnd2 = glfwCreateWindow( 800, 600, "window 2", nullptr, wnd );

    {
        std::unique_lock<std::mutex> lck(mtx);
        wnd2created = true;
        cv.notify_one();
    }

    if (wnd2 == nullptr)
        return;

    glfwMakeContextCurrent(wnd2);

    // [...]
}

int main()
{
    // [...]

    wnd = glfwCreateWindow(SCR_WIDTH, SCR_HEIGHT, "LearnOpenGL", 0, nullptr);
    if (wnd2 == nullptr)
        return -1;

    std::thread wnd2thread(wnd2func); 

    {
      std::unique_lock<std::mutex> lck(mtx);
      cv.wait(lck, []() -> bool { return wnd2created; });
    }

    glfwMakeContextCurrent(wnd);

    // [...]
}