从Python运行Lua脚本

问题描述 投票:5回答:1

假设我有一个包含2个函数的Lua脚本。我想用Python脚本中的一些参数调用这些函数。

我看过有关如何使用Lunatic Python将Lua代码嵌入Python以及反之亦然的教程,但是,我要在Python脚本中执行的Lua函数不是静态的,可能会发生变化。

因此,我需要某种方式来从.lua文件中导入函数,或者只是从Python脚本中使用一些参数执行.lua文件并接收返回值。

有人能指出我正确的方向吗?

将不胜感激。

python lua lupa
1个回答
7
投票

您可以使用subprocess运行Lua脚本并向函数提供其参数。

import subprocess

result = subprocess.check_output(['lua', '-l', 'demo', '-e', 'test("a", "b")'])
print(result)

result = subprocess.check_output(['lua', '-l', 'demo', '-e', 'test2("a")'])
print(result)
  • -l需要给定的库(您的脚本)
  • -e是应在启动时执行的代码(您的功能)

结果的值将是STDOUT的值,因此只需将返回值写入其中,就可以在Python脚本中简单地读取它。我在示例中使用的演示Lua脚本仅打印了参数:

function test (a, b)
    print(a .. ', ' .. b)
end

function test2(a)
    print(a)
end

在此示例中,两个文件必须位于同一文件夹中,并且lua可执行文件必须位于您的PATH上。


仅产生一个Lua VM的另一种解决方案是使用pexpect并以交互模式运行该VM。

import pexpect

child = pexpect.spawn('lua -i -l demo')
child.readline()

child.sendline('test("a", "b")')
child.readline()
print(child.readline())

child.sendline('test2("c")')
child.readline()
print(child.readline())

child.close()

因此您可以使用sendline(...)向解释器发送命令,并使用readline()读取输出。 child.readline()之后的第一个sendline()读取将命令打印到STDOUT的行。

© www.soinside.com 2019 - 2024. All rights reserved.