如何在渲染循环中运行繁重的模拟时刷新图形用户界面画面?

dy1byipe  于 2022-09-26  发布在  其他
关注(0)|答案(1)|浏览(142)

我正在尝试创建一个应用程序,在那里用户可以运行一个(耗时的)后端物理模拟与按下一个按钮。但与此同时,我希望图形用户界面的其余部分保持正常工作,在模拟结束之前不要“冻结”。现在我知道在OpenGL中组合多个线程来渲染并不是一个好主意,所以我的想法很简单:1)使用一个线程(我假设是默认线程)来运行除物理之外的所有东西。2)使用另一个线程,只运行我已经限制在一个函数中的物理,正如你将看到的。但即使这样,整个图形用户界面仍然“冻结”,因此在物理结束之前它是毫无用处的。我如何才能解决这个问题?

下面是我认为它可以工作的代码。它呈现了一个“测试按钮”,以检查我是否可以在物理运行时按下它,以及“运行物理”按钮,该按钮会触发繁重的计算。

  1. # include"imgui.h"
  2. # include"imgui_impl_glfw.h"
  3. # include"imgui_impl_opengl3.h"
  4. # include<GL/glew.h>
  5. # include<GLFW/glfw3.h>
  6. # include<cstdio>
  7. # include<cmath>
  8. # include<thread>
  9. //Hypothetical "heavy" computation
  10. void run_physics()
  11. {
  12. for (double z = 0.0; z < 10000.0; z += 0.001)
  13. {
  14. double y = exp(sin(sqrt(z*abs(z)+ cos(z))));
  15. }
  16. return;
  17. }
  18. int main()
  19. {
  20. glfwInit();
  21. glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 3);
  22. glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 3);
  23. glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);
  24. GLFWwindow *window = glfwCreateWindow(800,600, "Test", NULL, NULL);
  25. if (window == NULL)
  26. {
  27. printf("Failed to open a glfw window. Exiting...n");
  28. return 0;
  29. }
  30. glfwMakeContextCurrent(window);
  31. glewExperimental = GL_TRUE;
  32. if (glewInit() != GLEW_OK)
  33. {
  34. printf("Failed to initialize glew. Exiting...n");
  35. return 0;
  36. }
  37. IMGUI_CHECKVERSION();
  38. ImGui::CreateContext();
  39. ImGuiIO &io = ImGui::GetIO();
  40. (void)io;
  41. ImGui::StyleColorsDark();
  42. ImGui_ImplGlfw_InitForOpenGL(window, true);
  43. ImGui_ImplOpenGL3_Init("#version 330");
  44. glClearColor(0.0f, 0.0f, 0.0f, 1.0f);
  45. while (!glfwWindowShouldClose(window))
  46. {
  47. glClear(GL_COLOR_BUFFER_BIT);
  48. ImGui_ImplOpenGL3_NewFrame();
  49. ImGui_ImplGlfw_NewFrame();
  50. ImGui::NewFrame();
  51. ImGui::Begin("Test");
  52. ImGui::Button("Test button");
  53. if (ImGui::Button("Run physics"))
  54. {
  55. //This pauses the render loop until run_physics is done. Good.
  56. //run_physics();
  57. //This also pauses the render loop. Why?
  58. std::thread thr(run_physics);
  59. thr.join();
  60. }
  61. ImGui::End();
  62. ImGui::Render();
  63. ImGui_ImplOpenGL3_RenderDrawData(ImGui::GetDrawData());
  64. glfwSwapBuffers(window);
  65. glfwPollEvents();
  66. }
  67. ImGui_ImplOpenGL3_Shutdown();
  68. ImGui_ImplGlfw_Shutdown();
  69. ImGui::DestroyContext();
  70. glfwTerminate();
  71. return 0;
  72. }
zpf6vheq

zpf6vheq1#

问题在于thr.join()调用,它将被“阻塞”,直到线程退出。

有几种方法可以解决这个问题。例如,您可以创建在渲染线程中轮询的原子状态标志。当线程完成时,它在退出之前设置标志。如果主呈现线程看到它设置的标志,那么它会调用join调用并获取结果,这应该会很快发生。

相关问题