Lua api(六) lua_type/lua_typename

前言#

前面几篇都是讲c/c++代码对lua文件中数据的读取和设置,这一篇我们来看看对数据类型的判断,这是非常有用的,便于我们针对于不同的类型进行不同的操作,比如打印工作,对于数值类型的数据我们可以使用%d打印,而对于字符串类型的数据我们可以使用%s打印,这些判断的前提就是得知道数据是什么类型的。

内容#


lua_type##

  • 原型:int lua_type (lua_State *L, int index);
  • 解释:返回给定索引处的值的类型,当索引无效时则返回LUA_TNONE(那是指一个指向堆栈上的空位置的索引)。lua_type 返回的类型是一些个在lua.h中定义的常量:LUA_TNIL,LUA_TNUMBER,LUA_TBOOLEAN
    ,LUA_TSTRING,LUA_TTABLE,LUA_TFUNCTION,LUA_TUSERDATA,LUA_TTHREAD,LUA_TLIGHTUSERDATA。

lua_typename##

  • 原型:const char *lua_typename (lua_State *L, int tp);
  • 解释:返回tp表示的类型名,这个tp必须是 lua_type 可能返回的值中之一。

Usage##

  • 首先我们来新建一个文件,命名文件为typetest.lua编写代码如下:
-- 定义一个全局table
information =
{
    name = "AlbertS",
    age = 22,
    married = false,
}

-- 定义一个打印函数
function func_printtable()
    print("\nlua --> table elemet:");
    for index,value in pairs(information) do
        print("information."..index.." = ".. tostring(value));
    end
end
  • 然后编写c++调用代码如下:
    lua_State *L = lua_open();
    luaL_openlibs(L);

    luaL_dofile(L,"typetest.lua");      // 加载执行lua文件
    lua_getglobal(L,"information");     // 将全局表压入栈

    lua_pushstring(L, "name");          // 将要取的变量名压入栈
    lua_gettable(L, -2);                // 取information.name的值  
    int luatype = lua_type(L, -1);      // 取information.name的类型 -->lua_type用法
    if(LUA_TNONE == luatype)
    {
        printf("\nc++ --> information.name type error\n");
    }
    else
    {
        
        printf("\nc++ --> information.name type is %s\n", 
            lua_typename(L, luatype));  // -->lua_typename用法
    }
    lua_pop(L,1);   


    lua_pushstring(L, "age");           // 将要取的变量名压入栈
    lua_gettable(L, -2);                // 取information.age的值   
    luatype = lua_type(L, -1);          // 取information.age的类型-->lua_type用法
    if(LUA_TNONE == luatype)
    {
        printf("\nc++ --> information.age type error\n");
    }
    else
    {
        
        printf("\nc++ --> information.age type is %s\n", 
            lua_typename(L, luatype));  // -->lua_typename用法
    }
    lua_pop(L,1);   


    lua_pushstring(L, "married");   // 将要取的变量名压入栈
    lua_gettable(L, -2);            // 取information.married的值   
    luatype = lua_type(L, -1);      // 取information.married的类型-->lua_type用法
    if(LUA_TNONE == luatype)
    {
        printf("\nc++ --> information.married type error\n");
    }
    else
    {
        // -->lua_typename用法
        printf("\nc++ --> information.married type is %s\n", 
            lua_typename(L, luatype));
    }
    lua_pop(L,1);

    lua_getglobal(L, "func_printtable");// 查看一下table的内容
    lua_pcall(L, 0, 0, 0);

    lua_close(L);                       //关闭lua环境  
  • 结果
Lua api(六) lua_type/lua_typename_第1张图片
type.png

结论#

  • 在对数据类型不明确的情况下可以使用lua_type和lua_typename两api组合起来,用来判断数据的类型。
  • 取到数据的类型后需要判断类型是否为LUA_TNONE癞皮面后面调用出现问题。
  • 通过最后的遍历table我们可以发现使用pairs遍历的table和我们初始化table元素的顺序并不相同。

你可能感兴趣的:(Lua api(六) lua_type/lua_typename)