Torch / Lua,如何选择数组或张量的子集?

时间:2015-07-08 21:59:56

标签: arrays lua torch

我正在使用Torch / Lua并拥有一个包含10个元素的数组dataset

dataset = {11,12,13,14,15,16,17,18,19,20}

如果我写dataset[1],我可以读取数组第一个元素的结构。

th> dataset[1]
11  

我需要在所有10个中仅选择3个元素,但我不知道使用哪个命令。 如果我在使用Matlab,我会写:dataset[1:3],但这里不起作用。

你有什么建议吗?

1 个答案:

答案 0 :(得分:15)

在火炬

th> x = torch.Tensor{1, 2, 3, 4, 5, 6, 7, 8, 9, 10}

要选择范围,例如前三个,请使用the index operator

th> x[{{1,3}}]
1
2
3

其中1是'start'索引,3是'end'索引。

使用Tensor.sub和Tensor.narrow了解更多替代方案Extracting Sub-tensors

在Lua 5.2或更低

Lua表(例如dataset变量)没有选择子范围的方法。

function subrange(t, first, last)
  local sub = {}
  for i=first,last do
    sub[#sub + 1] = t[i]
  end
  return sub
end

dataset = {11,12,13,14,15,16,17,18,19,20}

sub = subrange(dataset, 1, 3)
print(unpack(sub))

打印

11    12   13

在Lua 5.3

在Lua 5.3中,您可以使用table.move

function subrange(t, first, last)
     return table.move(t, first, last, 1, {})
end