"attempt to call table" 没有

"attempt to call table" without for

当我使用任何 table 作为参数调用我创建的方法流时,我收到错误 "attempt to call table"。

据我所知这个错误只有在我使用for错误时才会出现,但是我在执行的代码中没有for...

function stream(input)
  ...
  local function _stream(input)
    local result = {
      _stream = true,
      _data = input._data or input,
      -- Without the Operation-wrapping no function could access the input
      -- Intermediate Operations
      concat = function(str) return _concat(input,str) end,
      distinct = function(func) return _distinct(input,func) end,
      filter = function(func) return _filter(input,func) end,
      limit = function(n) return _limit(input,n) end,
      map = function(func) return _map(input,func) end,
      skip = function(n) return _skip(input,n) end,
      sort = function(func) return _sort(input,func) end,
      split = function(func) return _split(input,func) end,
      -- Terminal Operations
      allmatch = function(func) return _allmatch(input,func) end,
      anymatch = function(func) return _anymatch(input,func) end,
      collect = function(coll) return _collect(input,coll) end,
      count = function() return _count(input) end,
      foreach = function(func) return _foreach(input,func) end,
      max = function(func) return _max(input,func) end,
      min = function(func) return _min(input,func) end,
      nonematch = function(func) return _nonematch(input,func) end,
      reduce = function(init,op) return _reduce(input,init,op) end,
      toArray = function() return _toArray(input) end
    }
    return result
  end

  if input == nil then
    error("input must be of type table, but was nil")
  elseif type(input) ~= "table" then
    error("input must be of type table, but was a "..type(input)..": "..input)
  end
  return _stream(input)
end

table.stream = stream

Full Source - Older Version(参数由于某种原因被删除)

我想将该方法用于更基于流的编程风格。 与 this 项目非常相似,但不仅限于数字和命名键。

在你的代码中

function stream(input)
  -- ...

  local function _count()
    local count = 0
    for k, v in pairs(input._data) do
      count = count + 1
    end
    return count
  end

  -- ...

  local function _stream(input)
    local result = {
      _stream = true,
      _data = input._data or input,
      -- ...
      count = _count,
      -- ...
    }
    return result
  end

  return _stream(input)
end

print(stream({1,2,3}).count())

创建的对象 _stream(input) 确实包含 _data 字段,但是 input upvalue 仍然引用您的参数 {1,2,3},它没有 _data 字段.

可以通过使用对象而不是输入参数来修复它:

function stream(input)
  -- ...

  local obj

  local function _count()
    local count = 0
    for k, v in pairs(obj._data) do
      count = count + 1
    end
    return count
  end

  -- ...

  local function _stream(input)
    local result = {
      _stream = true,
      _data = input._data or input,
      -- ...
      count = _count,
      -- ...
    }
    return result
  end

  obj = _stream(input)

  return obj
end

print(stream({1,2,3}).count())