Lua __newindex

作者: AlbertS | 来源:发表于2016-06-29 14:48 被阅读754次

    前言#

    前两篇文章中大概讲了API函数lua_setfield的用法,其中讲到调用lua_setfield方法时可能触发对应 "newindex" 事件的元方法,对比上一章我们说的__index方法,下面我们来再次看一下这个神奇的元方法。

    内容#

    前面我们刚刚说过__index元方法,当取一个table的不存在的字段时会触发,可以帮助我们解决table中字段的默认值问题。在此基础上我们再试想一下,如果给一个table中不存在的字段赋值会出现什么情况?答案是没有意外情况,直接赋值就可以,但是如果我们想监测这种情况呢?也就是说我们要监测给table中不存在的字段赋值这种情况,不得不说这种监测是有一定意义的,比如说table新加字段时需要做一些特殊操作就需要用到这种监测,接下来我们来看看怎么实现:

    • 首先新建一个文件命名为__newindex.lua,然后在文件中实现下面的代码:
    -- 定义一个table
    local information = 
    {
        name = "tom",
        age = 18,
        sex = "man",
    }
    
    -- 无元表情况下设置值
    information.age = 22;
    information.address = 'china';
    
    -- 打印一下信息
    print("the information is :")
    print(information.name)
    print(information.age)
    print(information.sex)
    print(information.address)
    
    -- 先清空address字段
    information.address = nil;
    
    
    -- 定义元表
    local mt = {
        __newindex = function(table, key, value)
        print("\nthis is the first time to assignment for the field : " .. key.." = "..value);
        rawset(table, key, value);
    end
    }
    
    -- 设置原表
    setmetatable(information, mt);
    
    -- 有元表情况下设置值
    information.age = 24;
    information.address = 'beijing';
    
    -- 再次打印信息
    print("\nafter set __index, the information is :")
    print(information.name)
    print(information.age)
    print(information.sex)
    print(information.address)
    
    • 结果
    __newindex.png

    结论#

    • 由结果可以看到当我们给address赋值的时候,由于address值为nil也就是不存在,所以调用了__newindex元方法。
    • 注意index和newindex的使用情况,记住:__index用于查询,__newindex用于更新
    • 学会使用newindex元方法检测给table空字段赋值的情况。

    相关文章

      网友评论

        本文标题:Lua __newindex

        本文链接:https://www.haomeiwen.com/subject/alkxjttx.html