1

我首先下载 lua-5.3.5 ,并将源代码放在我的工作目录中并使用

make linux

所以我在 ./lua-5.3.5/src 中得到了 liblua.a 和 lua 二进制文件。

然后我写了一个这样的 C 动态库:

#include <stdio.h>
#include <math.h>
#include <stdarg.h>
#include <stdlib.h>

#include "lua.h"
#include "lauxlib.h"
#include "lualib.h"

static int l_sin(lua_State *L) 
{   
    double d = luaL_checknumber(L, 1); 
    lua_pushnumber(L, sin(d));  /* push result */

    return 1;  /* number of results */
}


static const struct luaL_Reg mylib[] = { 
    {"mysin", l_sin},
    {NULL, NULL}
};

extern int luaopen_mylib(lua_State* L)
{
    luaL_newlib(L, mylib);

    return 1;
}

我用命令编译:

gcc mylib.c -I ./lua-5.3.5/src -fPIC -shared -o mylib.so -Wall

如果我使用原始的lua二进制文件,它可以加载

user00:lua/ $ ./lua-5.3.5/src/lua                                                                                                                                                                    
Lua 5.3.5  Copyright (C) 1994-2018 Lua.org, PUC-Rio
> require 'mylib'
table: 0xd13170
> 

但是如果我编写与 liblua.a 链接的 AC 程序,它就无法加载动态库。

#include <stdio.h>
#include <string.h>

#include "lua.h"           
#include "lauxlib.h"       
#include "lualib.h"

int main(void){
    char buff[256];
    int error;
    lua_State *L  = luaL_newstate();
    luaL_openlibs(L);

    while(fgets(buff, sizeof(buff), stdin) != NULL)
    {
        error = luaL_loadbuffer(L, buff, strlen(buff), "line") ||
           lua_pcall(L, 0, 0 , 0);
        if(error)
        {
            fprintf(stderr, "%s", lua_tostring(L, -1));
            lua_pop(L, 1);
        }
    }

    lua_close(L);
    return 0;
}

编译:

gcc test01.c -L ./lua-5.3.5/src/ -llua -lstdc++ -o test01 -lm -ldl -I ./lua-5.3.5/src

跑:

user00:lua/ $ ./test01                                                                                                         
require 'mylib'
error loading module 'mylib' from file './mylib.so':
    ./mylib.so: undefined symbol: luaL_setfuncs
4

1 回答 1

1

您需要从可执行文件中导出 Lua API 函数。为此,将它与 -Wl,-E 链接,就像 Lua 发行版中的 Makefile 一样。

于 2019-12-24T14:59:30.003 回答