local warnings, allowed_big_upvalues, stack, handle_primitive

-- API --

local ldump_mt = {}

--- Serialization library, can be called directly.
--- Serialize given value to a string, that can be deserialized via `load`.
--- @overload fun(value: any): string
local ldump = setmetatable({}, ldump_mt)

--- @alias deserializer string | fun(): any

-- no fun overload, lua ls bugs out here

--- Function, encapsulating custom serialization logic.
---
--- Defined by default to work with `__serialize` and `.handlers`, can be reassigned. Accepts the
--- serialized value, returns a deserializer in the form of a string with a valid lua expression, a
--- function or nil if the value should be serialized normally. Also may return a second optional
--- result -- a string to be displayed in the error message.
ldump.serializer = setmetatable({
  --- Custom serialization functions for the exact objects. 
  ---
  --- Key is the value that can be serialized, value is a deserializer in form of a string with a
  --- valid lua expression or a function. Takes priority over `__serialize`.
  --- @type table<any, deserializer>
  handlers = {},
}, {
  __call = function(self, x)
    local handler = self.handlers[x]
    if handler then
      return handler, "`ldump.serializer.handlers`"
    end

    local mt = getmetatable(x)
    handler = mt and mt.__serialize and mt.__serialize(x)
    if handler then
      return handler, "`getmetatable(x).__serialize(x)`"
    end
  end,
})

--- Get the list of warnings from the last ldump call.
---
--- See `ldump.strict_mode`.
--- @return string[]
ldump.get_warnings = function() return {unpack(warnings)} end

--- Mark function, causing dump to stop producing upvalue size warnings.
---
--- Upvalues can cause large modules to be serialized implicitly. Warnings allow to track that.
--- @generic T: function
--- @param f T
--- @return T # returns the same function
ldump.ignore_upvalue_size = function(f)
  allowed_big_upvalues[f] = true
  return f
end

--- If true (by default), `ldump` treats unserializable data as an error, if false produces a
--- warning and replaces data with nil.
--- @type boolean
ldump.strict_mode = true

--- `require`-style path to the ldump module, used in deserialization.
---
--- Inferred from requiring the ldump itself, can be changed.
--- @type string
ldump.require_path = select(1, ...)


-- internal implementation --

-- NOTICE: lua5.1-compatible; does not support goto
unpack = unpack or table.unpack
if _VERSION == "Lua 5.1" then
  load = loadstring
end

ldump_mt.__call = function(self, x)
  assert(
    self.require_path,
    "Put the lua path to ldump libary into ldump.require_path before calling ldump itself"
  )

  stack = {}
  warnings = {}
  local ok, result = pcall(handle_primitive, x, {size = 0}, {})

  if not ok then
    error(result, 2)
  end

  return ("local cache = {}\nlocal ldump = require(\"%s\")\nreturn %s")
    :format(self.require_path, result)
end

allowed_big_upvalues = {}

local to_expression = function(statement)
  return ("(function()\n%s\nend)()"):format(statement)
end

local build_table = function(x, cache, upvalue_id_cache)
  local mt = getmetatable(x)

  cache.size = cache.size + 1
  cache[x] = cache.size

  local result = {}
  result[1] = "local _ = {}"
  result[2] = ("cache[%s] = _"):format(cache.size)

  for k, v in pairs(x) do
    table.insert(stack, tostring(k))
    table.insert(result, ("_[%s] = %s"):format(
      handle_primitive(k, cache, upvalue_id_cache),
      handle_primitive(v, cache, upvalue_id_cache)
    ))
    table.remove(stack)
  end

  if not mt then
    table.insert(result, "return _")
  else
    table.insert(result, ("return setmetatable(_, %s)")
      :format(handle_primitive(mt, cache, upvalue_id_cache)))
  end

  return table.concat(result, "\n")
end

local build_function = function(x, cache, upvalue_id_cache)
  cache.size = cache.size + 1
  local x_cache_i = cache.size
  cache[x] = x_cache_i

  local result = {}

  local ok, res = pcall(string.dump, x)

  if not ok then
    error((
      "Function .%s is not `string.dump`-compatible; if it uses coroutines, use " ..
      "`ldump.serializer.handlers`"
    ):format(table.concat(stack, ".")), 0)
  end

  result[1] = "local _ = " .. ([[load(%q)]]):format(res)
  result[2] = ("cache[%s] = _"):format(x_cache_i)

  if allowed_big_upvalues[x] then
    result[3] = "ldump.ignore_upvalue_size(_)"
  end

  for i = 1, math.huge do
    local k, v = debug.getupvalue(x, i)
    if not k then break end

    table.insert(stack, ("<upvalue %s>"):format(k))
    local upvalue
    if
      k == "_ENV"
      and _ENV ~= nil  -- in versions without _ENV, upvalue _ENV is always just a normal upvalue
      and v._G == _G  -- for some reason, may be that v ~= _ENV, but v._G == _ENV
    then
      upvalue = "_ENV"
    else
      upvalue = handle_primitive(v, cache, upvalue_id_cache)
    end
    table.remove(stack)

    if not allowed_big_upvalues[x] and #upvalue > 2048 and k ~= "_ENV" then
      table.insert(warnings, ("Big upvalue %s in %s"):format(k, table.concat(stack, ".")))
    end
    table.insert(result, ("debug.setupvalue(_, %s, %s)"):format(i, upvalue))

    if debug.upvalueid then
      local id = debug.upvalueid(x, i)
      local pair = upvalue_id_cache[id]
      if pair then
        local f_i, upvalue_i = unpack(pair)
        table.insert(
          result,
          ("debug.upvaluejoin(_, %s, cache[%s], %s)"):format(i, f_i, upvalue_i)
        )
      else
        upvalue_id_cache[id] = {x_cache_i, i}
      end
    end
  end
  table.insert(result, "return _")
  return table.concat(result, "\n")
end

local primitives = {
  number = function(x)
    return tostring(x)
  end,
  string = function(x)
    return string.format("%q", x)
  end,
  ["function"] = function(x, cache, upvalue_id_cache)
    return to_expression(build_function(x, cache, upvalue_id_cache))
  end,
  table = function(x, cache, upvalue_id_cache)
    return to_expression(build_table(x, cache, upvalue_id_cache))
  end,
  ["nil"] = function()
    return "nil"
  end,
  boolean = function(x)
    return tostring(x)
  end,
}

handle_primitive = function(x, cache, upvalue_id_cache)
  do  -- handle custom serialization
    local deserializer, source = ldump.serializer(x)

    if deserializer then
      local deserializer_type = type(deserializer)

      if deserializer_type == "string" then
        return deserializer
      end

      if deserializer_type == "function" then
        allowed_big_upvalues[deserializer] = true
        return ("%s()"):format(handle_primitive(deserializer, cache, upvalue_id_cache))
      end

      error(("%s returned type %s for .%s; it should return string or function")
        :format(source or "ldump.serializer", deserializer_type, table.concat(stack, ".")), 0)
    end
  end

  local xtype = type(x)
  if not primitives[xtype] then
    local message = (
      "ldump does not support serializing type %q of .%s; use `__serialize` metamethod or " ..
      "`ldump.serializer.handlers` to define serialization"
    ):format(xtype, table.concat(stack, "."))

    if ldump.strict_mode then
      error(message, 0)
    end

    table.insert(warnings, message)
    return "nil"
  end

  if xtype == "table" or xtype == "function" then
    local cache_i = cache[x]
    if cache_i then
      return ("cache[%s]"):format(cache_i)
    end
  end

  return primitives[xtype](x, cache, upvalue_id_cache)
end


return ldump