0

我正在使用 Torch 命令将数据插入到一个简单的表中,它工作正常:

completeProfile = {};
table.foreach(firstHalf, function(i,v)table.insert(completeProfile,v) end);
table.foreach(secondHalf, function(i,v)table.insert(completeProfile,v) end);
table.foreach(presentWord, function(i,v) table.insert(completeProfile,v) end);

现在有人让我注意到,使用 Torch 张量可以让一切变得更高效。所以我将第一行替换为

completeProfile = torch.Tensor(CONSTANT_NUMBER);

但不幸的是,我找不到任何能够替换 table.insert() 函数的张量函数。

你有什么主意吗?

4

1 回答 1

2

由于张量对象是固定大小的,因此没有与插入的附加功能相对应的功能。我看到您的代码所做的是将三个表连接为一个。如果您使用张量:

 firstHalf = torch.Tensor(firstHalf)
 secondHalf = torch.Tensor(secondHalf)
 presentWord = torch.Tensor(presentWord)

然后将它们连接在一起很容易:

 completeProfile = firstHalf:cat(secondHalf):cat(presentWord)

另一种选择是存储您插入的最后一个索引,以便您知道在哪里“附加”到张量上。下面的函数创建了一个闭包,它将为您跟踪最后一个索引。

function appender(t)
   local last = 0
   return function(i, v)
       last = last + 1
       t[last] = v
   end
end

completeProfile = torch.Tensor(#firstHalf + #secondHalf + #presentWord)

profile_append = appender(completeProfile)

table.foreach(firstHalf, profile_append)
table.foreach(secondHalf, profile_append)
table.foreach(presentWord, profile_append)
于 2015-07-02T22:19:32.600 回答