Lua 中的 ()() 语法是否有特殊含义

Is there special meaning for ()() syntax in Lua

我最近在阅读一些 Lua 源文件中经常看到这种类型的语法,这是什么意思,尤其是第二对括号 一个例子,第 8 行 https://github.com/karpathy/char-rnn/blob/master/model/LSTM.lua

local LSTM = {}
function LSTM.lstm(input_size, rnn_size, n, dropout)
  dropout = dropout or 0 

  -- there will be 2*n+1 inputs
  local inputs = {}
  table.insert(inputs, nn.Identity()())  -- line 8
  -- ...

nn.Identity的源代码 https://github.com/torch/nn/blob/master/Identity.lua

************ 更新 ***************

()() 模式在 torch 库中被大量使用 'nn'。第一对括号创建 container/node 的对象,第二对括号引用依赖节点。

例如y = nn.Linear(2,4)(x)表示x连接y,从1*2到1*4线性变换。 我只是了解用法,它的接线方式似乎可以通过以下答案之一来回答。

不管怎样,接口的用法在下面有详细的介绍。 https://github.com/torch/nngraph/blob/master/README.md

不是,()()在Lua中没有特殊意义,只是两个调用运算符()在一起。

操作数可能是一个 returns 函数的函数(或者,table 实现了 call 元方法)。例如:

function foo()
  return function() print(42) end
end

foo()()   -- 42

为了补充于浩的回答,让我给出一些与 Torch 相关的精确度:

  • nn.Identity() 创建身份模块,
  • () 调用此模块触发 nn.Module __call__(感谢 Torch class 系统将其正确连接到元表),
  • 默认情况下,此__call__方法执行向前/向后,
  • 但是这里torch/nngraph is used and nngraph overrides this method as you can see here.

因此,每个 nn.Identity()() 调用都会影响到 return 一个 nngraph.Node({module=self}) 节点,其中 self 指的是当前 nn.Identity() 实例。

--

Update:此语法在 LSTM-s can be found here:

上下文中的说明
local i2h = nn.Linear(input_size, 4 * rnn_size)(input)  -- input to hidden

If you’re unfamiliar with nngraph it probably seems strange that we’re constructing a module and already calling it once more with a graph node. What actually happens is that the second call converts the nn.Module to nngraph.gModule and the argument specifies it’s parent in the graph.

  • 第一个()调用init函数,第二个()调用call函数
  • 如果 class 不具备这些函数中的任何一个,则调用父函数。
  • 在 nn.Identity()() 的情况下,nn.Identity 既没有初始化函数也没有调用函数,因此身份父级 nn.Module 的初始化和调用名为 的函数。附上插图

    require 'torch'
    
    -- define some dummy A class
    local A = torch.class('A')
    function A:__init(stuff)
      self.stuff = stuff
      print('inside __init of A')
    end
    
    function A:__call__(arg1)
    print('inside __call__ of A')
    end
    
    -- define some dummy B class, inheriting from A
    local B,parent = torch.class('B', 'A')
    
    function B:__init(stuff)
      self.stuff = stuff
      print('inside __init of B')
    end
    
    function B:__call__(arg1)
    print('inside __call__ of B')
    end
    a=A()()
    b=B()()
    

    输出

    inside __init of A
    inside __call__ of A
    inside __init of B
    inside __call__ of B
    

另一个代码示例

    require 'torch'

    -- define some dummy A class
    local A = torch.class('A')
    function A:__init(stuff)
      self.stuff = stuff
      print('inside __init of A')
    end

    function A:__call__(arg1)
    print('inside __call__ of A')
    end

    -- define some dummy B class, inheriting from A
    local B,parent = torch.class('B', 'A')

    b=B()()

输出

    inside __init of A
    inside __call__ of A