2

跟进如何将 GLUT 与 libdispatch 一起使用的答案?, 我现在改用 GLFW —</p>

以下代码设置了一个窗口,设置了一个计时器来轮询事件,并且随着时间的推移,将渲染更新排入队列:

#include <dispatch/dispatch.h>
#include <GL/glfw.h>

float t=0;

int main(void)
{
    dispatch_async(dispatch_get_main_queue(), ^{
        glfwInit();
        glfwDisable(GLFW_AUTO_POLL_EVENTS);
        glfwOpenWindow(320,200,8,8,8,8,8,0,GLFW_WINDOW);
    });

    // Periodically process window events --- this isn't working.
    dispatch_source_t windowEventTimer;
    windowEventTimer = dispatch_source_create(DISPATCH_SOURCE_TYPE_TIMER, 0, 0, dispatch_get_main_queue());
    uint64_t nanoseconds = 100 * NSEC_PER_MSEC;
    dispatch_source_set_timer(windowEventTimer, dispatch_time(DISPATCH_TIME_NOW, nanoseconds), nanoseconds, 0);
    dispatch_source_set_event_handler(windowEventTimer, ^{
        glfwPollEvents();
    });
    dispatch_resume(windowEventTimer);

    dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
        for(int i=0;i<200;++i)
        {
            // Enqueue a rendering update.
            dispatch_async(dispatch_get_main_queue(), ^{
                glClearColor (0.2f, 0.2f, 0.4f, 1.0f);
                glClear (GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);

                glColor3f (1.0, 0.7, 0.7); 
                glBegin( GL_LINES );
                    glVertex3f(0,0,0);
                    glVertex3f(t+=0.02,.1,0);
                glEnd();

                glfwSwapBuffers();
            });
            // Wait a bit, to simulate complex calculations.
            sleep(1);
        }
    });

    dispatch_main();
}

动画按预期更新,但窗口框架不绘制,窗口不响应事件。

4

1 回答 1

3

通过GLFW源码挖掘,我想我发现了问题:GLFW创建的Cocoa窗口的runloop需要从Thread 0执行,但是GLFW并不能保证发生在Thread 0上。(关于执行这个问题_glfwPlatformPollEvents()报告了相同的症状非 0 线程上的 Cocoa GUI。)

一种解决方法是使用与 CoreFoundation 相同的私有接口从CFRunLoop.

如果我将dispatch_main()上述代码中的调用替换为:

while(1)
{
    _dispatch_main_queue_callback_4CF(NULL);
    usleep(10000);
}

...它按预期工作 - 窗口框架绘制,窗口处理事件。


为了改善这种骇人听闻的情况,我:

于 2012-09-24T22:54:33.860 回答