9

我知道可以将 Xlib 和 OpenGL 与 GLX 一起使用(我自己用 C 语言完成了)。

问题是,我如何在 python 中做到这一点?该OpenGL模块具有 GLX 功能 [文档],但它似乎使用 C 类型,我不知道(也不知道其他人似乎也不知道)如何将xlib 类型与 PyOpenGL 一起使用。

我也尝试ctypes直接使用和加载库,但在尝试使用 Xlib 头文件中定义的 C 宏时遇到了(明显的)问题,例如DefaultRootWindow.

我是否遗漏了一些明显的东西,比如 PyOpenGL 有自己的xlib实现,或者如果没有一些(编译的)模块编写,这是不可能的?

4

1 回答 1

5

您不能直接将 python-xlib 类型与 python-opengl 一起使用。但是您可以使用窗口 XID 只是一个数字这一事实来在同一窗口上使用 python-opengl。

from Xlib import X, display
from OpenGL import GL, GLX
from OpenGL.raw._GLX import struct__XDisplay
from ctypes import *

# some python-xlib code...
pd = display.Display()
pw = pd.screen().root.create_window(50, 50, 200, 200, 0,
                                    pd.screen().root_depth,
                                    X.InputOutput, X.CopyFromParent)
pw.map()

# ensure that the XID is valid on the server
pd.sync()

# get the window XID
xid = pw.__resource__()

# a separate ctypes Display object for OpenGL.GLX
xlib = cdll.LoadLibrary('libX11.so')
xlib.XOpenDisplay.argtypes = [c_char_p]
xlib.XOpenDisplay.restype = POINTER(struct__XDisplay)
d = xlib.XOpenDisplay("")

# use GLX to create an OpenGL context on the same window XID
elements = c_int()
configs = GLX.glXChooseFBConfig(d, 0, None, byref(elements))
w = GLX.glXCreateWindow(d, configs[0], c_ulong(xid), None)
context = GLX.glXCreateNewContext(d, configs[0], GLX.GLX_RGBA_TYPE, None, True)
GLX.glXMakeContextCurrent(d, w, w, context)

# some python-opengl code....
GL.glShadeModel(GL.GL_FLAT)
GL.glClearColor(0.5, 0.5, 0.5, 1.0)

GL.glViewport(0, 0, 200, 200)
GL.glMatrixMode(GL.GL_PROJECTION)
GL.glLoadIdentity()
GL.glOrtho(-1.0, 1.0, -1.0, 1.0, -1.0, 1.0)

GL.glClear(GL.GL_COLOR_BUFFER_BIT)
GL.glColor3f(1.0, 1.0, 0.0)
GL.glRectf(-0.8, -0.8, 0.8, 0.8)

# assume we got a double buffered fbConfig and show what we drew
GLX.glXSwapBuffers(d, w)

# a terrible end to a terrible piece of code...
raw_input()

不过这真的很可怕。(为清楚起见,省略了错误检查和选择合理的 fbConfig)

不过,确实应该可以使用 ctypes 进行所有必要的 xlib 调用。例如,Pyglet 以某种方式进行管理,但我不确定您遇到了什么具体问题。

于 2013-02-26T18:10:24.700 回答