【Python】调用lua

时光总嘲笑我的痴心妄想 提交于 2020-01-15 01:12:01

1,引言
lua本身又是嵌入语言。在语言本身上又一定的局限性。所以我打算把lua嵌入到python/java中。做调研的时候,java的嵌入较为麻烦,出现了各种问题。后来确定用python来作这个环境。这样能用上python 的协程、多线程。

2,环境搭建

pip install lupa

3,案例
3.1 test.lua

function test1(params)
    return 'test1:'..params
end
 
function test2(params)
    return 'test2:'..params
end
 
-- 入口函数,实现反射函数调用
function functionCall(func_name,params)
    local is_true,result
    local sandBox = function(func_name,params)
        local result
        result = _G[func_name](params)
        return result
    end
    is_true,result= pcall(sandBox,func_name,params)
    return result
end

3.2 test.py

import traceback
from lupa import LuaRuntime
import threading
 
class Executor(threading.Thread):
    """
        执行lua的线程类
    """
    lock = threading.RLock()
    luaScriptContent = None
    luaRuntime = None
 
    def __init__(self,api,params):
        threading.Thread.__init__(self)
        self.params = params
        self.api = api
 
    def run(self):
        try:
            # 执行具体的函数,返回结果打印在屏幕上
            luaRuntime = self.getLuaRuntime()
            rel = luaRuntime(self.api, self.params)
            print rel
        except Exception,e:
            print e.message
            traceback.extract_stack()
 
 
    def getLuaRuntime(self):
        """
            从文件中加载要执行的lua脚本,初始化lua执行环境
        """
 
        # 上锁,保证多个线程加载不会冲突
        if Executor.lock.acquire():
            if Executor.luaRuntime is None:
                fileHandler = open('./test.lua')
                content = ''
                try:
                    content = fileHandler.read()
                except Exception, e:
                    print e.message
                    traceback.extract_stack()
 
                # 创建lua执行环境
                Executor.luaScriptContent = content
                luaRuntime = LuaRuntime()
                luaRuntime.execute(content)
 
                # 从lua执行环境中取出全局函数functionCall作为入口函数调用,实现lua的反射调用
                g = luaRuntime.globals()
                function_call = g.functionCall
                Executor.luaRuntime = function_call
            Executor.lock.release()
 
        return Executor.luaRuntime
 
 
if __name__ == "__main__":
 
    # 在两个线程中分别执行lua中test1,test2函数
    executor1 = Executor('test1','hello world')
    executor2 = Executor('test2','rudy')
    executor1.start()
    executor2.start()
    executor1.join()
    executor2.join()
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!