如何在lua中迭代表中的元素对

问题描述 投票:3回答:3

如何迭代lua中的表元素对?我想实现一种无副作用的循环和非循环迭代ver对。

I have table like this:
t = {1,2,3,4}

Desired output of non-circular iteration:
(1,2)
(2,3)
(3,4)

Desired output of circular iteration:
(1,2)
(2,3)
(3,4)
(4,1)
loops lua lua-table
3个回答
4
投票

这是圆形案例

for i = 1, #t do 
  local a,b
  a = t[i]
  if i == #t then b = t[1] else b = t[i+1] end 
  print(a,b) 
end

非循环:

for i = 1, #t-1 do 
  print(t[i],t[i+1]) 
end

对于更高档的输出使用print(string.format("(%d,%d)",x,y)


6
投票

圆形案例的另一种解决方案

   local n=#t
    for i=1,n do 
      print(t[i],t[i%n+1]) 
    end

1
投票

两种情况都没有特殊情况怎么样?

function print_pair(x, y)
   local s = string.format("(%d, %d)", x, y)
   print(s)
end

function print_pairs(t)
   for i = 1, #t - 1 do
      print_pair(t[i], t[i + 1])
   end
end

function print_pairs_circular(t)
   print_pairs(t)
   print_pair(t[#t], t[1])
end
© www.soinside.com 2019 - 2024. All rights reserved.