我甚至不确定我的做事计划是否是最佳方式,所以如果这篇文章有点含糊,我会道歉。此外,我知道之前已经提出过类似的问题。但是,我无法找到任何与我的情况有关的事情,这对我来说是有意义的。
因此,我和我的学校朋友正在构建街机,我正在计划将主GUI设置在一起,允许用户选择不同的游戏,并在他们有足够的令牌时加载它们。但是,这些单独的窗口必须共享一些变量,主要是机器中的令牌数量。我认为一个单独的Lua程序可以存储这样的变量,并且还有请求发送给它以执行其他功能,如打开和关闭不同的窗口。此外,如果需要注意的话,我们将使用Love2D引擎进行游戏,并在Linux机器上运行所有这些。
通过我的阅读,似乎有一些C和C ++代码涉及到这一点。我对C或C ++几乎一无所知,我们正试图让这个项目继续前进,所以如果你能在答案中包含一些代码并指导我如何使用它,那就太棒了。我可以稍后回来学习一些C或C ++,但现在Lua是我的首要任务。
我的问题:
此外,任何人提起它,我尝试使用全局变量,但我似乎无法让两个程序/脚本一次使用同一个变量。
再次,抱歉,如果我有点模糊。
提前致谢!
答案 0 :(得分:1)
(这种方法是@ Puzzlem00n的建议和阅读评论的组合,所以我不应该从中得到很多信任)
将多个游戏放入一个lua程序中!
在main.lua:
require("spaceInvaders") --require all the other Lua files
-- without the ".lua" at the end!
gamestate=spaceInvaders
function love.load()
--all the setup things
end
function love.update()
gamestate.update()
end
function love.draw()
gamestate.draw()
end
function love.keypressed(key)
gamestate.keypressed(key)
end
--and so on for the rest of the love callbacks that you need (such as love.keyreleased())
然后在每个游戏中(这是一个单独的Lua文件,如spaceInvaders.lua):
spaceInvaders = {}
function spaceInvaders.draw()
--your draw code
end
function spaceInvaders.update()
--your update code
end
--and so on for every other callback you want to use
这段代码的作用是为每个游戏提供一套自己的爱情功能。当你想玩这个游戏时,你应该将游戏状态设置为该游戏的名称。 spaceInvaders={}
行将spaceInvaders定义为一个表,它将每个函数存储在适当的位置。将变量定义为现有变量时,实际上是在创建对它的引用,例如:
t = {}
table.insert(t,1) --place 1 inside t
table.insert(t,3) --also place 3 inside t
s = t
print(s[1]) --will print 1, the first value of t
t[1]=2
print(s[1]) --will print 2, as it refers to t[1], which has just been changed
分享变量! (我弄清楚了这一点!)
现在,这意味着您可以使用其他功能在程序周围发送变量。如果您想在游戏之间分享分数,您可以执行以下操作:
在main.lua中:
function love.update()
gamestate.update()
score = gamestate.returnScore() --score will always equal to the current score being returned by the game
end
游戏中的,例如spaceInvaders.lua:
function spaceInvaders.returnScore()
return score --or whatever the score is stored in
end
这将允许您从一个游戏到main.lua获取变量,例如得分! 如果这有点令人困惑,我很抱歉,但希望这是你正在寻找的! :)