我正在使用Haskell和OpenGL开发开源3D游戏引擎。当前,初始化窗口和OpenGL上下文的代码以及用于获取用户输入的代码均使用直接WinAPI调用。我现在想使该应用程序成为多平台应用程序,最初认为GLUT可以代替上述解决方案,但是遇到了与回叫相关的问题。
在我的应用程序中,函数update_play(在IO monad中)具有以下行。
control <- messagePump (hwnd_ io_box)
其中messagePump是IO操作,它检查窗口消息队列中是否有键盘输入,并返回一个Int值,以指示按下了某个有效键或没有有效输入。 update_play在结果上分支并递归以更新游戏状态。如果您想了解更多背景信息,请链接到Github上的相关模块:https://docs.microsoft.com/en-us/visualstudio/python/managing-python-environments-in-visual-studio?view=vs-2019#manually-identify-an-existing-environment
我对GLUT的问题是它处理带有回调的键盘输入,并且最接近我的要求(在Hackage的Graphics.UI.GLUT中绑定)的定义如下。
type KeyboardCallback = Char -> Position -> IO ()
下面是一个测试程序,我希望它将证明这种方法可行。由于GLUT事件循环使用表示用户输入的参数调用了回调(下面的handle_input),因此似乎无法从程序的其余部分获取任何信息。因此,我的程序似乎无法从中获得结果,因为执行此操作可能执行的任何IO操作(例如,写入IORef)都将要求该程序具有对此类对象的引用。
在该示例中,我尝试使用异常进行通信,但没有被捕获,我怀疑这是由于handle_input由外部库调用而引起的。如果有人可以建议我如何解决这个问题(例如,从回调中获取一个Int,就像我从实际应用程序中的messagePump中获取的那样),我将不胜感激。谢谢。
module Main where
import System.IO
import Data.Bits
import Control.Exception
import Graphics.GL.Core33
import Graphics.UI.GLUT
data ControlButton = W_key | S_key | A_key | D_key | Default_control deriving (Eq, Show)
instance Exception ControlButton
main = do
initialize "test.exe" []
initialWindowSize $= (Size 800 800)
initialDisplayMode $= [RGBAMode, WithAlphaComponent, WithDepthBuffer, DoubleBuffered]
window_id <- createWindow "Test"
actionOnWindowClose $= Exit
displayCallback $= repaint_window
keyboardCallback $= (Just handle_input)
glClearColor 0 0 0.75 0
iteration 0
iteration :: Int -> IO ()
iteration c = do
threadDelay 33333
putStr ("\nc: " ++ show c)
control <- catch check_events (\e -> map_control e)
if control == 1 then putStr "\nW pressed"
else if control == 2 then putStr "\nS pressed"
else if control == 3 then putStr "\nA pressed"
else if control == 4 then putStr "\nD pressed"
else return ()
iteration (c + 1)
check_events :: IO Int
check_events = do
mainLoopEvent
return 0
map_control :: ControlButton -> IO Int
map_control e = do
if e == W_key then return 1
else if e == S_key then return 2
else if e == A_key then return 3
else if e == D_key then return 4
else return 0
repaint_window :: IO ()
repaint_window = do
glClear (GL_COLOR_BUFFER_BIT .|. GL_DEPTH_BUFFER_BIT)
swapBuffers
handle_input :: Char -> Position -> IO ()
handle_input key position = do
if key == 'w' then throw W_key
else if key == 's' then throw S_key
else if key == 'a' then throw A_key
else if key == 'd' then throw D_key
else throw Default_control
史蒂芬
答案 0 :(得分:4)
你说
执行此操作可能执行的任何IO操作(例如写入IORef)都将要求它具有对此类对象的引用
所以给它一个引用这样的对象!
handle_input :: IORef ControlButton -> Char -> Position -> IO ()
handle_input = {- I bet you can write this yourself -}
iteration :: IORef ControlButton -> Int -> IO ()
iteration = {- same -}
main = do
{- ... -}
ref <- newIORef Default_control
keyboardCallback $= Just (handle_input ref)
{- ... -}
iteration ref 0