commit 6ae9f830a44db8174a0522174966eddd9885b02d Author: Sage Vaillancourt Date: Tue Mar 11 14:45:08 2025 -0400 Init commit A very basic mostly-working Love2D project with tiny-ecs integration. Includes some custom tiny-debug, tiny-tools, and tiny-types files, which hack in a bit of extra convenience. diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..81615c4 --- /dev/null +++ b/.gitignore @@ -0,0 +1,2 @@ +*.love +.idea diff --git a/.luacheckrc b/.luacheckrc new file mode 100644 index 0000000..305d3de --- /dev/null +++ b/.luacheckrc @@ -0,0 +1,4 @@ +std = "lua54+love" +stds.project = { + globals = {"tiny"}, +} \ No newline at end of file diff --git a/.luarc.json b/.luarc.json new file mode 100644 index 0000000..53aa955 --- /dev/null +++ b/.luarc.json @@ -0,0 +1,8 @@ +{ + "runtime.special": { + "love.filesystem.load": "loadfile" + }, + "workspace.library": [ + "${3rd}/love2d/library" + ] +} \ No newline at end of file diff --git a/.styluaignore b/.styluaignore new file mode 100644 index 0000000..9ab870d --- /dev/null +++ b/.styluaignore @@ -0,0 +1 @@ +generated/ diff --git a/ASSETS.license b/ASSETS.license new file mode 100644 index 0000000..7753085 --- /dev/null +++ b/ASSETS.license @@ -0,0 +1 @@ +All image and music assets © 2025 by Sage Vaillancourt are licensed under CC BY 4.0. To view a copy of this license, visit https://creativecommons.org/licenses/by/4.0/ diff --git a/CODE.license b/CODE.license new file mode 100644 index 0000000..9defc81 --- /dev/null +++ b/CODE.license @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2025 Sage Vaillancourt + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/Makefile b/Makefile new file mode 100644 index 0000000..e144dec --- /dev/null +++ b/Makefile @@ -0,0 +1,15 @@ +preprocess: + find ./ -name '*.lua2p' | xargs -L1 -I %% lua lib/preprocess-cl.lua %% + +check: preprocess + stylua -c --indent-type Spaces ./ + luacheck -d --globals tiny T Arr Maybe TextStyle --codes ./ --exclude-files ./test/ ./generated/ + +test: check + find ./test -name '*.lua' | xargs -L1 -I %% lua %% -v + +lint: + stylua --indent-type Spaces ./ + +build: preprocess + zip Game.love ./* diff --git a/README.md b/README.md new file mode 100644 index 0000000..e8f1ec2 --- /dev/null +++ b/README.md @@ -0,0 +1,3 @@ +# Game + +Built on Love 11.5 diff --git a/assets/fonts/EtBt7001Z0xa.ttf b/assets/fonts/EtBt7001Z0xa.ttf new file mode 100644 index 0000000..d160b29 Binary files /dev/null and b/assets/fonts/EtBt7001Z0xa.ttf differ diff --git a/generated/all-systems.lua b/generated/all-systems.lua new file mode 100644 index 0000000..02b06cd --- /dev/null +++ b/generated/all-systems.lua @@ -0,0 +1,8 @@ +require("../systems/camera-pan") +require("../systems/collision-detection") +require("../systems/collision-resolution") +require("../systems/decay") +require("../systems/draw") +require("../systems/gravity") +require("../systems/input") +require("../systems/velocity") diff --git a/generated/all-systems.lua2p b/generated/all-systems.lua2p new file mode 100644 index 0000000..41daf53 --- /dev/null +++ b/generated/all-systems.lua2p @@ -0,0 +1,13 @@ +!( +function getAllSystems() + local p = io.popen('find ./systems -iname "*.lua" -maxdepth 1 -type f | sort -h') + local imports = "" + --Loop through all files + for file in p:lines() do + local varName = file:gsub(".*/(.*).lua", "%1") + file = file:gsub("%./", ""):gsub(".lua", "") + imports = imports .. 'require("../' .. file .. '")\n' + end + return imports:sub(1, #imports - 1) +end +)!!(getAllSystems()) \ No newline at end of file diff --git a/generated/assets.lua b/generated/assets.lua new file mode 100644 index 0000000..7d629f6 --- /dev/null +++ b/generated/assets.lua @@ -0,0 +1,13 @@ +-- GENERATED FILE - DO NOT EDIT +-- Instead, edit the source file directly: assets.lua2p. + + + + +-- luacheck: ignore +---@type FontData +EtBt7001Z0xa = function(fontSize) + return love.graphics.newFont("assets/fonts/EtBt7001Z0xa.ttf", fontSize) +end + + diff --git a/generated/assets.lua2p b/generated/assets.lua2p new file mode 100644 index 0000000..7b4672a --- /dev/null +++ b/generated/assets.lua2p @@ -0,0 +1,33 @@ +!(function dirLookup(dir, extension, newFunc, type, handle) + local indent = "" + local sep = "\n\n" + handle = handle ~= nil and handle or function(varName, nf, file) + return varName .. ' = ' .. nf .. '("' .. file .. '")' + end + + local p = io.popen('find ./' .. dir .. ' -maxdepth 1 -type f | sort -h') + + local assetCode = "" + --Loop through all files + for file in p:lines() do + if file:find(extension) then + local varName = file:gsub(".*/(.*)%." .. extension, "%1") + file = file:gsub("%./", "") + assetCode = assetCode .. indent .. '-- luacheck: ignore\n' + assetCode = assetCode .. indent .. '---@type ' .. type ..'\n' + assetCode = assetCode .. indent .. handle(varName, newFunc, file) .. sep + end + end + return assetCode +end +function generatedFileWarning() + -- Only in a function to make clear that THIS .lua2p is not the generated file! + return "-- GENERATED FILE - DO NOT EDIT\n-- Instead, edit the source file directly: assets.lua2p." +end)!!(generatedFileWarning()) + +!!(dirLookup('assets/images', 'png', 'love.graphics.newImage', 'Image')) +!!(dirLookup('assets/sounds', 'wav', 'love.sound.newSoundData', 'SoundData')) +!!(dirLookup('assets/music', 'wav', 'love.sound.newSoundData', 'SoundData')) +!!(dirLookup('assets/fonts', 'ttf', 'love.graphics.newFont', 'FontData', function(varName, newFunc, file) + return varName .. ' = function(fontSize)\n return ' .. newFunc .. '("' .. file .. '", fontSize)\nend' +end)) diff --git a/generated/filter-types.lua b/generated/filter-types.lua new file mode 100644 index 0000000..9f7a508 --- /dev/null +++ b/generated/filter-types.lua @@ -0,0 +1,73 @@ +-- GENERATED FILE - DO NOT EDIT +-- Instead, edit the source file directly: filter-types.lua2p + +-- This file is composed of, essentially, "base types" + +local SOME_TABLE = {} + +---@alias AnyComponent any +---@alias BitMask number +---@alias ButtonState { receivedInputThisFrame: boolean, aJustPressed: boolean, bJustPressed: boolean, upJustPressed: boolean, downJustPressed: boolean, leftJustPressed: boolean, rightJustPressed: boolean } +---@alias Collision { collisionBetween: Entity[] } +---@alias CrankState { crankChange: number, changeInLastHalfSecond: number } +---@alias Entity table +---@alias InRelations Entity[] +---@alias XyPair { x: number, y: number } + +T = { + bool = true, + number = 0, + numberArray = { 1, 2, 3 }, + str = "", + marker = SOME_TABLE, + ---@type fun(self) + SelfFunction = function() end, + ---@type pd_image + pd_image = SOME_TABLE, + ---@type pd_font + pd_font = SOME_TABLE, + + ---@type AnyComponent + AnyComponent = SOME_TABLE, + + ---@type BitMask + BitMask = 0, + + ---@type ButtonState + ButtonState = SOME_TABLE, + + ---@type Collision + Collision = SOME_TABLE, + + ---@type CrankState + CrankState = SOME_TABLE, + + ---@type Entity + Entity = SOME_TABLE, + + ---@type InRelations + InRelations = SOME_TABLE, + + ---@type XyPair + XyPair = SOME_TABLE, +} + +---@generic T +---@param t T +---@return nil | T +function Maybe(t) + return { maybe = t } +end + +---@generic T +---@param t T +---@return T[] +function Arr(t) + return { arrOf = t } +end + +TextStyle = { + Inverted = "INVERTED", + Bordered = "BORDERED", + None = "None", +} diff --git a/generated/filter-types.lua2p b/generated/filter-types.lua2p new file mode 100644 index 0000000..a5c4ccd --- /dev/null +++ b/generated/filter-types.lua2p @@ -0,0 +1,98 @@ +!( +local types = {} +function generatedFileWarning() + -- Only in a function to make clear that THIS .lua2p is not the generated file! + return "-- GENERATED FILE - DO NOT EDIT\n-- Instead, edit the source file directly: filter-types.lua2p" +end + +function t(name, type, value) + if not value then + if type == "number" then + value = 0 + elseif type == "string" then + value = "" + else + value = "SOME_TABLE" + end + end + types[#types + 1] = { name = name, type = type, value = value } + return "---@alias " .. name .. " " .. type +end + +function tMany(tObj) + local ret = "" + local keyValues = {} + for k, v in pairs(tObj) do + keyValues[#keyValues + 1] = { key = k, value = v } + end + table.sort(keyValues, function(a, b) + return a.key < b.key + end) + for _, kv in ipairs(keyValues) do + local k, v = kv.key, kv.value + if type(v) == "string" then + ret = ret .. t(k, v) .. "\n" + else + ret = ret .. t(k, v[1], v[2]) .. "\n" + end + end + return ret +end + +function dumpTypeObjects() + local ret = "" + for _, v in ipairs(types) do + local line = "\n\n ---@type " .. v.name .. "\n " .. v.name .. " = " .. v.value .. "," + ret = ret .. line + end + return ret +end +)!!(generatedFileWarning()) + +-- This file is composed of, essentially, "base types" + +local SOME_TABLE = {} + +!!(tMany({ + AnyComponent = "any", + Entity = "table", + XyPair = "{ x: number, y: number }", + Collision = "{ collisionBetween: Entity[] }", + BitMask = "number", + InRelations = "Entity[]", + ButtonState = "{ receivedInputThisFrame: boolean, aJustPressed: boolean, bJustPressed: boolean, upJustPressed: boolean, downJustPressed: boolean, leftJustPressed: boolean, rightJustPressed: boolean }", + CrankState = "{ crankChange: number, changeInLastHalfSecond: number }", +})) +T = { + bool = true, + number = 0, + numberArray = { 1, 2, 3 }, + str = "", + marker = SOME_TABLE, + ---@type fun(self) + SelfFunction = function() end, + ---@type pd_image + pd_image = SOME_TABLE, + ---@type pd_font + pd_font = SOME_TABLE,!!(dumpTypeObjects()) +} + +---@generic T +---@param t T +---@return nil | T +function Maybe(t) + return { maybe = t } +end + +---@generic T +---@param t T +---@return T[] +function Arr(t) + return { arrOf = t } +end + +TextStyle = { + Inverted = "INVERTED", + Bordered = "BORDERED", + None = "None", +} diff --git a/lib/luaunit.lua b/lib/luaunit.lua new file mode 100644 index 0000000..e2c0bd7 --- /dev/null +++ b/lib/luaunit.lua @@ -0,0 +1,3452 @@ +--[[ + luaunit.lua + +Description: A unit testing framework +Homepage: https://github.com/bluebird75/luaunit +Development by Philippe Fremy +Based on initial work of Ryu, Gwang (http://www.gpgstudy.com/gpgiki/LuaUnit) +License: BSD License, see LICENSE.txt +]]-- + +require("math") +local M={} + +-- private exported functions (for testing) +M.private = {} + +M.VERSION='3.4' +M._VERSION=M.VERSION -- For LuaUnit v2 compatibility + +-- a version which distinguish between regular Lua and LuaJit +M._LUAVERSION = (jit and jit.version) or _VERSION + +--[[ Some people like assertEquals( actual, expected ) and some people prefer +assertEquals( expected, actual ). +]]-- +M.ORDER_ACTUAL_EXPECTED = true +M.PRINT_TABLE_REF_IN_ERROR_MSG = false +M.LINE_LENGTH = 80 +M.TABLE_DIFF_ANALYSIS_THRESHOLD = 10 -- display deep analysis for more than 10 items +M.LIST_DIFF_ANALYSIS_THRESHOLD = 10 -- display deep analysis for more than 10 items + +-- this setting allow to remove entries from the stack-trace, for +-- example to hide a call to a framework which would be calling luaunit +M.STRIP_EXTRA_ENTRIES_IN_STACK_TRACE = 0 + +--[[ EPS is meant to help with Lua's floating point math in simple corner +cases like almostEquals(1.1-0.1, 1), which may not work as-is (e.g. on numbers +with rational binary representation) if the user doesn't provide some explicit +error margin. + +The default margin used by almostEquals() in such cases is EPS; and since +Lua may be compiled with different numeric precisions (single vs. double), we +try to select a useful default for it dynamically. Note: If the initial value +is not acceptable, it can be changed by the user to better suit specific needs. + +See also: https://en.wikipedia.org/wiki/Machine_epsilon +]] +M.EPS = 2^-52 -- = machine epsilon for "double", ~2.22E-16 +if math.abs(1.1 - 1 - 0.1) > M.EPS then + -- rounding error is above EPS, assume single precision + M.EPS = 2^-23 -- = machine epsilon for "float", ~1.19E-07 +end + +-- set this to false to debug luaunit +local STRIP_LUAUNIT_FROM_STACKTRACE = true + +M.VERBOSITY_DEFAULT = 10 +M.VERBOSITY_LOW = 1 +M.VERBOSITY_QUIET = 0 +M.VERBOSITY_VERBOSE = 20 +M.DEFAULT_DEEP_ANALYSIS = nil +M.FORCE_DEEP_ANALYSIS = true +M.DISABLE_DEEP_ANALYSIS = false + +-- set EXPORT_ASSERT_TO_GLOBALS to have all asserts visible as global values +-- EXPORT_ASSERT_TO_GLOBALS = true + +-- we need to keep a copy of the script args before it is overriden +local cmdline_argv = rawget(_G, "arg") + +M.FAILURE_PREFIX = 'LuaUnit test FAILURE: ' -- prefix string for failed tests +M.SUCCESS_PREFIX = 'LuaUnit test SUCCESS: ' -- prefix string for successful tests finished early +M.SKIP_PREFIX = 'LuaUnit test SKIP: ' -- prefix string for skipped tests + + + +M.USAGE=[[Usage: lua [options] [testname1 [testname2] ... ] +Options: + -h, --help: Print this help + --version: Print version information + -v, --verbose: Increase verbosity + -q, --quiet: Set verbosity to minimum + -e, --error: Stop on first error + -f, --failure: Stop on first failure or error + -s, --shuffle: Shuffle tests before running them + -o, --output OUTPUT: Set output type to OUTPUT + Possible values: text, tap, junit, nil + -n, --name NAME: For junit only, mandatory name of xml file + -r, --repeat NUM: Execute all tests NUM times, e.g. to trig the JIT + -p, --pattern PATTERN: Execute all test names matching the Lua PATTERN + May be repeated to include several patterns + Make sure you escape magic chars like +? with % + -x, --exclude PATTERN: Exclude all test names matching the Lua PATTERN + May be repeated to exclude several patterns + Make sure you escape magic chars like +? with % + testname1, testname2, ... : tests to run in the form of testFunction, + TestClass or TestClass.testMethod + +You may also control LuaUnit options with the following environment variables: +* LUAUNIT_OUTPUT: same as --output +* LUAUNIT_JUNIT_FNAME: same as --name ]] + +---------------------------------------------------------------- +-- +-- general utility functions +-- +---------------------------------------------------------------- + +--[[ Note on catching exit + +I have seen the case where running a big suite of test cases and one of them would +perform a os.exit(0), making the outside world think that the full test suite was executed +successfully. + +This is an attempt to mitigate this problem: we override os.exit() to now let a test +exit the framework while we are running. When we are not running, it behaves normally. +]] + +M.oldOsExit = os.exit +os.exit = function(...) + if M.LuaUnit and #M.LuaUnit.instances ~= 0 then + local msg = [[You are trying to exit but there is still a running instance of LuaUnit. +LuaUnit expects to run until the end before exiting with a complete status of successful/failed tests. + +To force exit LuaUnit while running, please call before os.exit (assuming lu is the luaunit module loaded): + + lu.unregisterCurrentSuite() + +]] + M.private.error_fmt(2, msg) + end + M.oldOsExit(...) +end + +local function pcall_or_abort(func, ...) + -- unpack is a global function for Lua 5.1, otherwise use table.unpack + local unpack = rawget(_G, "unpack") or table.unpack + local result = {pcall(func, ...)} + if not result[1] then + -- an error occurred + print(result[2]) -- error message + print() + print(M.USAGE) + os.exit(-1) + end + return unpack(result, 2) +end + +local crossTypeOrdering = { + number = 1, boolean = 2, string = 3, table = 4, other = 5 +} +local crossTypeComparison = { + number = function(a, b) return a < b end, + string = function(a, b) return a < b end, + other = function(a, b) return tostring(a) < tostring(b) end, +} + +local function crossTypeSort(a, b) + local type_a, type_b = type(a), type(b) + if type_a == type_b then + local func = crossTypeComparison[type_a] or crossTypeComparison.other + return func(a, b) + end + type_a = crossTypeOrdering[type_a] or crossTypeOrdering.other + type_b = crossTypeOrdering[type_b] or crossTypeOrdering.other + return type_a < type_b +end + +local function __genSortedIndex( t ) + -- Returns a sequence consisting of t's keys, sorted. + local sortedIndex = {} + + for key,_ in pairs(t) do + table.insert(sortedIndex, key) + end + + table.sort(sortedIndex, crossTypeSort) + return sortedIndex +end +M.private.__genSortedIndex = __genSortedIndex + +local function sortedNext(state, control) + -- Equivalent of the next() function of table iteration, but returns the + -- keys in sorted order (see __genSortedIndex and crossTypeSort). + -- The state is a temporary variable during iteration and contains the + -- sorted key table (state.sortedIdx). It also stores the last index (into + -- the keys) used by the iteration, to find the next one quickly. + local key + + --print("sortedNext: control = "..tostring(control) ) + if control == nil then + -- start of iteration + state.count = #state.sortedIdx + state.lastIdx = 1 + key = state.sortedIdx[1] + return key, state.t[key] + end + + -- normally, we expect the control variable to match the last key used + if control ~= state.sortedIdx[state.lastIdx] then + -- strange, we have to find the next value by ourselves + -- the key table is sorted in crossTypeSort() order! -> use bisection + local lower, upper = 1, state.count + repeat + state.lastIdx = math.modf((lower + upper) / 2) + key = state.sortedIdx[state.lastIdx] + if key == control then + break -- key found (and thus prev index) + end + if crossTypeSort(key, control) then + -- key < control, continue search "right" (towards upper bound) + lower = state.lastIdx + 1 + else + -- key > control, continue search "left" (towards lower bound) + upper = state.lastIdx - 1 + end + until lower > upper + if lower > upper then -- only true if the key wasn't found, ... + state.lastIdx = state.count -- ... so ensure no match in code below + end + end + + -- proceed by retrieving the next value (or nil) from the sorted keys + state.lastIdx = state.lastIdx + 1 + key = state.sortedIdx[state.lastIdx] + if key then + return key, state.t[key] + end + + -- getting here means returning `nil`, which will end the iteration +end + +local function sortedPairs(tbl) + -- Equivalent of the pairs() function on tables. Allows to iterate in + -- sorted order. As required by "generic for" loops, this will return the + -- iterator (function), an "invariant state", and the initial control value. + -- (see http://www.lua.org/pil/7.2.html) + return sortedNext, {t = tbl, sortedIdx = __genSortedIndex(tbl)}, nil +end +M.private.sortedPairs = sortedPairs + +-- seed the random with a strongly varying seed +math.randomseed(math.floor(os.clock()*1E11)) + +local function randomizeTable( t ) + -- randomize the item orders of the table t + for i = #t, 2, -1 do + local j = math.random(i) + if i ~= j then + t[i], t[j] = t[j], t[i] + end + end +end +M.private.randomizeTable = randomizeTable + +local function strsplit(delimiter, text) +-- Split text into a list consisting of the strings in text, separated +-- by strings matching delimiter (which may _NOT_ be a pattern). +-- Example: strsplit(", ", "Anna, Bob, Charlie, Dolores") + if delimiter == "" or delimiter == nil then -- this would result in endless loops + error("delimiter is nil or empty string!") + end + if text == nil then + return nil + end + + local list, pos, first, last = {}, 1 + while true do + first, last = text:find(delimiter, pos, true) + if first then -- found? + table.insert(list, text:sub(pos, first - 1)) + pos = last + 1 + else + table.insert(list, text:sub(pos)) + break + end + end + return list +end +M.private.strsplit = strsplit + +local function hasNewLine( s ) + -- return true if s has a newline + return (string.find(s, '\n', 1, true) ~= nil) +end +M.private.hasNewLine = hasNewLine + +local function prefixString( prefix, s ) + -- Prefix all the lines of s with prefix + return prefix .. string.gsub(s, '\n', '\n' .. prefix) +end +M.private.prefixString = prefixString + +local function strMatch(s, pattern, start, final ) + -- return true if s matches completely the pattern from index start to index end + -- return false in every other cases + -- if start is nil, matches from the beginning of the string + -- if final is nil, matches to the end of the string + start = start or 1 + final = final or string.len(s) + + local foundStart, foundEnd = string.find(s, pattern, start, false) + return foundStart == start and foundEnd == final +end +M.private.strMatch = strMatch + +local function patternFilter(patterns, expr) + -- Run `expr` through the inclusion and exclusion rules defined in patterns + -- and return true if expr shall be included, false for excluded. + -- Inclusion pattern are defined as normal patterns, exclusions + -- patterns start with `!` and are followed by a normal pattern + + -- result: nil = UNKNOWN (not matched yet), true = ACCEPT, false = REJECT + -- default: true if no explicit "include" is found, set to false otherwise + local default, result = true, nil + + if patterns ~= nil then + for _, pattern in ipairs(patterns) do + local exclude = pattern:sub(1,1) == '!' + if exclude then + pattern = pattern:sub(2) + else + -- at least one include pattern specified, a match is required + default = false + end + -- print('pattern: ',pattern) + -- print('exclude: ',exclude) + -- print('default: ',default) + + if string.find(expr, pattern) then + -- set result to false when excluding, true otherwise + result = not exclude + end + end + end + + if result ~= nil then + return result + end + return default +end +M.private.patternFilter = patternFilter + +local function xmlEscape( s ) + -- Return s escaped for XML attributes + -- escapes table: + -- " " + -- ' ' + -- < < + -- > > + -- & & + + return string.gsub( s, '.', { + ['&'] = "&", + ['"'] = """, + ["'"] = "'", + ['<'] = "<", + ['>'] = ">", + } ) +end +M.private.xmlEscape = xmlEscape + +local function xmlCDataEscape( s ) + -- Return s escaped for CData section, escapes: "]]>" + return string.gsub( s, ']]>', ']]>' ) +end +M.private.xmlCDataEscape = xmlCDataEscape + + +local function lstrip( s ) + --[[Return s with all leading white spaces and tabs removed]] + local idx = 0 + while idx < s:len() do + idx = idx + 1 + local c = s:sub(idx,idx) + if c ~= ' ' and c ~= '\t' then + break + end + end + return s:sub(idx) +end +M.private.lstrip = lstrip + +local function extractFileLineInfo( s ) + --[[ From a string in the form "(leading spaces) dir1/dir2\dir3\file.lua:linenb: msg" + + Return the "file.lua:linenb" information + ]] + local s2 = lstrip(s) + local firstColon = s2:find(':', 1, true) + if firstColon == nil then + -- string is not in the format file:line: + return s + end + local secondColon = s2:find(':', firstColon+1, true) + if secondColon == nil then + -- string is not in the format file:line: + return s + end + + return s2:sub(1, secondColon-1) +end +M.private.extractFileLineInfo = extractFileLineInfo + + +local function stripLuaunitTrace2( stackTrace, errMsg ) + --[[ + -- Example of a traceback: + < + [C]: in function 'xpcall' + ./luaunit.lua:1449: in function 'protectedCall' + ./luaunit.lua:1508: in function 'execOneFunction' + ./luaunit.lua:1596: in function 'runSuiteByInstances' + ./luaunit.lua:1660: in function 'runSuiteByNames' + ./luaunit.lua:1736: in function 'runSuite' + example_with_luaunit.lua:140: in main chunk + [C]: in ?>> + error message: <> + + Other example: + < + [C]: in function 'xpcall' + ./luaunit.lua:1517: in function 'protectedCall' + ./luaunit.lua:1578: in function 'execOneFunction' + ./luaunit.lua:1677: in function 'runSuiteByInstances' + ./luaunit.lua:1730: in function 'runSuiteByNames' + ./luaunit.lua:1806: in function 'runSuite' + example_with_luaunit.lua:140: in main chunk + [C]: in ?>> + error message: <> + + < + [C]: in function 'xpcall' + luaunit2/luaunit.lua:1532: in function 'protectedCall' + luaunit2/luaunit.lua:1591: in function 'execOneFunction' + luaunit2/luaunit.lua:1679: in function 'runSuiteByInstances' + luaunit2/luaunit.lua:1743: in function 'runSuiteByNames' + luaunit2/luaunit.lua:1819: in function 'runSuite' + luaunit2/example_with_luaunit.lua:140: in main chunk + [C]: in ?>> + error message: <> + + + -- first line is "stack traceback": KEEP + -- next line may be luaunit line: REMOVE + -- next lines are call in the program under testOk: REMOVE + -- next lines are calls from luaunit to call the program under test: KEEP + + -- Strategy: + -- keep first line + -- remove lines that are part of luaunit + -- kepp lines until we hit a luaunit line + + The strategy for stripping is: + * keep first line "stack traceback:" + * part1: + * analyse all lines of the stack from bottom to top of the stack (first line to last line) + * extract the "file:line:" part of the line + * compare it with the "file:line" part of the error message + * if it does not match strip the line + * if it matches, keep the line and move to part 2 + * part2: + * anything NOT starting with luaunit.lua is the interesting part of the stack trace + * anything starting again with luaunit.lua is part of the test launcher and should be stripped out + ]] + + local function isLuaunitInternalLine( s ) + -- return true if line of stack trace comes from inside luaunit + return s:find('[/\\]luaunit%.lua:%d+: ') ~= nil + end + + -- print( '<<'..stackTrace..'>>' ) + + local t = strsplit( '\n', stackTrace ) + -- print( prettystr(t) ) + + local idx = 2 + + local errMsgFileLine = extractFileLineInfo(errMsg) + -- print('emfi="'..errMsgFileLine..'"') + + -- remove lines that are still part of luaunit + while t[idx] and extractFileLineInfo(t[idx]) ~= errMsgFileLine do + -- print('Removing : '..t[idx] ) + table.remove(t, idx) + end + + -- keep lines until we hit luaunit again + while t[idx] and (not isLuaunitInternalLine(t[idx])) do + -- print('Keeping : '..t[idx] ) + idx = idx + 1 + end + + -- remove remaining luaunit lines + while t[idx] do + -- print('Removing2 : '..t[idx] ) + table.remove(t, idx) + end + + -- print( prettystr(t) ) + return table.concat( t, '\n') + +end +M.private.stripLuaunitTrace2 = stripLuaunitTrace2 + + +local function prettystr_sub(v, indentLevel, printTableRefs, cycleDetectTable ) + local type_v = type(v) + if "string" == type_v then + -- use clever delimiters according to content: + -- enclose with single quotes if string contains ", but no ' + if v:find('"', 1, true) and not v:find("'", 1, true) then + return "'" .. v .. "'" + end + -- use double quotes otherwise, escape embedded " + return '"' .. v:gsub('"', '\\"') .. '"' + + elseif "table" == type_v then + --if v.__class__ then + -- return string.gsub( tostring(v), 'table', v.__class__ ) + --end + return M.private._table_tostring(v, indentLevel, printTableRefs, cycleDetectTable) + + elseif "number" == type_v then + -- eliminate differences in formatting between various Lua versions + if v ~= v then + return "#NaN" -- "not a number" + end + if v == math.huge then + return "#Inf" -- "infinite" + end + if v == -math.huge then + return "-#Inf" + end + if _VERSION == "Lua 5.3" then + local i = math.tointeger(v) + if i then + return tostring(i) + end + end + end + + return tostring(v) +end + +local function prettystr( v ) + --[[ Pretty string conversion, to display the full content of a variable of any type. + + * string are enclosed with " by default, or with ' if string contains a " + * tables are expanded to show their full content, with indentation in case of nested tables + ]]-- + local cycleDetectTable = {} + local s = prettystr_sub(v, 1, M.PRINT_TABLE_REF_IN_ERROR_MSG, cycleDetectTable) + if cycleDetectTable.detected and not M.PRINT_TABLE_REF_IN_ERROR_MSG then + -- some table contain recursive references, + -- so we must recompute the value by including all table references + -- else the result looks like crap + cycleDetectTable = {} + s = prettystr_sub(v, 1, true, cycleDetectTable) + end + return s +end +M.prettystr = prettystr + +function M.adjust_err_msg_with_iter( err_msg, iter_msg ) + --[[ Adjust the error message err_msg: trim the FAILURE_PREFIX or SUCCESS_PREFIX information if needed, + add the iteration message if any and return the result. + + err_msg: string, error message captured with pcall + iter_msg: a string describing the current iteration ("iteration N") or nil + if there is no iteration in this test. + + Returns: (new_err_msg, test_status) + new_err_msg: string, adjusted error message, or nil in case of success + test_status: M.NodeStatus.FAIL, SUCCESS or ERROR according to the information + contained in the error message. + ]] + if iter_msg then + iter_msg = iter_msg..', ' + else + iter_msg = '' + end + + local RE_FILE_LINE = '.*:%d+: ' + + -- error message is not necessarily a string, + -- so convert the value to string with prettystr() + if type( err_msg ) ~= 'string' then + err_msg = prettystr( err_msg ) + end + + if (err_msg:find( M.SUCCESS_PREFIX ) == 1) or err_msg:match( '('..RE_FILE_LINE..')' .. M.SUCCESS_PREFIX .. ".*" ) then + -- test finished early with success() + return nil, M.NodeStatus.SUCCESS + end + + if (err_msg:find( M.SKIP_PREFIX ) == 1) or (err_msg:match( '('..RE_FILE_LINE..')' .. M.SKIP_PREFIX .. ".*" ) ~= nil) then + -- substitute prefix by iteration message + err_msg = err_msg:gsub('.*'..M.SKIP_PREFIX, iter_msg, 1) + -- print("failure detected") + return err_msg, M.NodeStatus.SKIP + end + + if (err_msg:find( M.FAILURE_PREFIX ) == 1) or (err_msg:match( '('..RE_FILE_LINE..')' .. M.FAILURE_PREFIX .. ".*" ) ~= nil) then + -- substitute prefix by iteration message + err_msg = err_msg:gsub(M.FAILURE_PREFIX, iter_msg, 1) + -- print("failure detected") + return err_msg, M.NodeStatus.FAIL + end + + + + -- print("error detected") + -- regular error, not a failure + if iter_msg then + local match + -- "./test\\test_luaunit.lua:2241: some error msg + match = err_msg:match( '(.*:%d+: ).*' ) + if match then + err_msg = err_msg:gsub( match, match .. iter_msg ) + else + -- no file:line: infromation, just add the iteration info at the beginning of the line + err_msg = iter_msg .. err_msg + end + end + return err_msg, M.NodeStatus.ERROR +end + +local function tryMismatchFormatting( table_a, table_b, doDeepAnalysis, margin ) + --[[ + Prepares a nice error message when comparing tables, performing a deeper + analysis. + + Arguments: + * table_a, table_b: tables to be compared + * doDeepAnalysis: + M.DEFAULT_DEEP_ANALYSIS: (the default if not specified) perform deep analysis only for big lists and big dictionnaries + M.FORCE_DEEP_ANALYSIS : always perform deep analysis + M.DISABLE_DEEP_ANALYSIS: never perform deep analysis + * margin: supplied only for almost equality + + Returns: {success, result} + * success: false if deep analysis could not be performed + in this case, just use standard assertion message + * result: if success is true, a multi-line string with deep analysis of the two lists + ]] + + -- check if table_a & table_b are suitable for deep analysis + if type(table_a) ~= 'table' or type(table_b) ~= 'table' then + return false + end + + if doDeepAnalysis == M.DISABLE_DEEP_ANALYSIS then + return false + end + + local len_a, len_b, isPureList = #table_a, #table_b, true + + for k1, v1 in pairs(table_a) do + if type(k1) ~= 'number' or k1 > len_a then + -- this table a mapping + isPureList = false + break + end + end + + if isPureList then + for k2, v2 in pairs(table_b) do + if type(k2) ~= 'number' or k2 > len_b then + -- this table a mapping + isPureList = false + break + end + end + end + + if isPureList and math.min(len_a, len_b) < M.LIST_DIFF_ANALYSIS_THRESHOLD then + if not (doDeepAnalysis == M.FORCE_DEEP_ANALYSIS) then + return false + end + end + + if isPureList then + return M.private.mismatchFormattingPureList( table_a, table_b, margin ) + else + -- only work on mapping for the moment + -- return M.private.mismatchFormattingMapping( table_a, table_b, doDeepAnalysis ) + return false + end +end +M.private.tryMismatchFormatting = tryMismatchFormatting + +local function getTaTbDescr() + if not M.ORDER_ACTUAL_EXPECTED then + return 'expected', 'actual' + end + return 'actual', 'expected' +end + +local function extendWithStrFmt( res, ... ) + table.insert( res, string.format( ... ) ) +end + +local function mismatchFormattingMapping( table_a, table_b, doDeepAnalysis ) + --[[ + Prepares a nice error message when comparing tables which are not pure lists, performing a deeper + analysis. + + Returns: {success, result} + * success: false if deep analysis could not be performed + in this case, just use standard assertion message + * result: if success is true, a multi-line string with deep analysis of the two lists + ]] + + -- disable for the moment + --[[ + local result = {} + local descrTa, descrTb = getTaTbDescr() + + local keysCommon = {} + local keysOnlyTa = {} + local keysOnlyTb = {} + local keysDiffTaTb = {} + + local k, v + + for k,v in pairs( table_a ) do + if is_equal( v, table_b[k] ) then + table.insert( keysCommon, k ) + else + if table_b[k] == nil then + table.insert( keysOnlyTa, k ) + else + table.insert( keysDiffTaTb, k ) + end + end + end + + for k,v in pairs( table_b ) do + if not is_equal( v, table_a[k] ) and table_a[k] == nil then + table.insert( keysOnlyTb, k ) + end + end + + local len_a = #keysCommon + #keysDiffTaTb + #keysOnlyTa + local len_b = #keysCommon + #keysDiffTaTb + #keysOnlyTb + local limited_display = (len_a < 5 or len_b < 5) + + if math.min(len_a, len_b) < M.TABLE_DIFF_ANALYSIS_THRESHOLD then + return false + end + + if not limited_display then + if len_a == len_b then + extendWithStrFmt( result, 'Table A (%s) and B (%s) both have %d items', descrTa, descrTb, len_a ) + else + extendWithStrFmt( result, 'Table A (%s) has %d items and table B (%s) has %d items', descrTa, len_a, descrTb, len_b ) + end + + if #keysCommon == 0 and #keysDiffTaTb == 0 then + table.insert( result, 'Table A and B have no keys in common, they are totally different') + else + local s_other = 'other ' + if #keysCommon then + extendWithStrFmt( result, 'Table A and B have %d identical items', #keysCommon ) + else + table.insert( result, 'Table A and B have no identical items' ) + s_other = '' + end + + if #keysDiffTaTb ~= 0 then + result[#result] = string.format( '%s and %d items differing present in both tables', result[#result], #keysDiffTaTb) + else + result[#result] = string.format( '%s and no %sitems differing present in both tables', result[#result], s_other, #keysDiffTaTb) + end + end + + extendWithStrFmt( result, 'Table A has %d keys not present in table B and table B has %d keys not present in table A', #keysOnlyTa, #keysOnlyTb ) + end + + local function keytostring(k) + if "string" == type(k) and k:match("^[_%a][_%w]*$") then + return k + end + return prettystr(k) + end + + if #keysDiffTaTb ~= 0 then + table.insert( result, 'Items differing in A and B:') + for k,v in sortedPairs( keysDiffTaTb ) do + extendWithStrFmt( result, ' - A[%s]: %s', keytostring(v), prettystr(table_a[v]) ) + extendWithStrFmt( result, ' + B[%s]: %s', keytostring(v), prettystr(table_b[v]) ) + end + end + + if #keysOnlyTa ~= 0 then + table.insert( result, 'Items only in table A:' ) + for k,v in sortedPairs( keysOnlyTa ) do + extendWithStrFmt( result, ' - A[%s]: %s', keytostring(v), prettystr(table_a[v]) ) + end + end + + if #keysOnlyTb ~= 0 then + table.insert( result, 'Items only in table B:' ) + for k,v in sortedPairs( keysOnlyTb ) do + extendWithStrFmt( result, ' + B[%s]: %s', keytostring(v), prettystr(table_b[v]) ) + end + end + + if #keysCommon ~= 0 then + table.insert( result, 'Items common to A and B:') + for k,v in sortedPairs( keysCommon ) do + extendWithStrFmt( result, ' = A and B [%s]: %s', keytostring(v), prettystr(table_a[v]) ) + end + end + + return true, table.concat( result, '\n') + ]] +end +M.private.mismatchFormattingMapping = mismatchFormattingMapping + +local function mismatchFormattingPureList( table_a, table_b, margin ) + --[[ + Prepares a nice error message when comparing tables which are lists, performing a deeper + analysis. + + margin is supplied only for almost equality + + Returns: {success, result} + * success: false if deep analysis could not be performed + in this case, just use standard assertion message + * result: if success is true, a multi-line string with deep analysis of the two lists + ]] + local result, descrTa, descrTb = {}, getTaTbDescr() + + local len_a, len_b, refa, refb = #table_a, #table_b, '', '' + if M.PRINT_TABLE_REF_IN_ERROR_MSG then + refa, refb = string.format( '<%s> ', M.private.table_ref(table_a)), string.format('<%s> ', M.private.table_ref(table_b) ) + end + local longest, shortest = math.max(len_a, len_b), math.min(len_a, len_b) + local deltalv = longest - shortest + + local commonUntil = shortest + for i = 1, shortest do + if not M.private.is_table_equals(table_a[i], table_b[i], margin) then + commonUntil = i - 1 + break + end + end + + local commonBackTo = shortest - 1 + for i = 0, shortest - 1 do + if not M.private.is_table_equals(table_a[len_a-i], table_b[len_b-i], margin) then + commonBackTo = i - 1 + break + end + end + + + table.insert( result, 'List difference analysis:' ) + if len_a == len_b then + -- TODO: handle expected/actual naming + extendWithStrFmt( result, '* lists %sA (%s) and %sB (%s) have the same size', refa, descrTa, refb, descrTb ) + else + extendWithStrFmt( result, '* list sizes differ: list %sA (%s) has %d items, list %sB (%s) has %d items', refa, descrTa, len_a, refb, descrTb, len_b ) + end + + extendWithStrFmt( result, '* lists A and B start differing at index %d', commonUntil+1 ) + if commonBackTo >= 0 then + if deltalv > 0 then + extendWithStrFmt( result, '* lists A and B are equal again from index %d for A, %d for B', len_a-commonBackTo, len_b-commonBackTo ) + else + extendWithStrFmt( result, '* lists A and B are equal again from index %d', len_a-commonBackTo ) + end + end + + local function insertABValue(ai, bi) + bi = bi or ai + if M.private.is_table_equals( table_a[ai], table_b[bi], margin) then + return extendWithStrFmt( result, ' = A[%d], B[%d]: %s', ai, bi, prettystr(table_a[ai]) ) + else + extendWithStrFmt( result, ' - A[%d]: %s', ai, prettystr(table_a[ai])) + extendWithStrFmt( result, ' + B[%d]: %s', bi, prettystr(table_b[bi])) + end + end + + -- common parts to list A & B, at the beginning + if commonUntil > 0 then + table.insert( result, '* Common parts:' ) + for i = 1, commonUntil do + insertABValue( i ) + end + end + + -- diffing parts to list A & B + if commonUntil < shortest - commonBackTo - 1 then + table.insert( result, '* Differing parts:' ) + for i = commonUntil + 1, shortest - commonBackTo - 1 do + insertABValue( i ) + end + end + + -- display indexes of one list, with no match on other list + if shortest - commonBackTo <= longest - commonBackTo - 1 then + table.insert( result, '* Present only in one list:' ) + for i = shortest - commonBackTo, longest - commonBackTo - 1 do + if len_a > len_b then + extendWithStrFmt( result, ' - A[%d]: %s', i, prettystr(table_a[i]) ) + -- table.insert( result, '+ (no matching B index)') + else + -- table.insert( result, '- no matching A index') + extendWithStrFmt( result, ' + B[%d]: %s', i, prettystr(table_b[i]) ) + end + end + end + + -- common parts to list A & B, at the end + if commonBackTo >= 0 then + table.insert( result, '* Common parts at the end of the lists' ) + for i = longest - commonBackTo, longest do + if len_a > len_b then + insertABValue( i, i-deltalv ) + else + insertABValue( i-deltalv, i ) + end + end + end + + return true, table.concat( result, '\n') +end +M.private.mismatchFormattingPureList = mismatchFormattingPureList + +local function prettystrPairs(value1, value2, suffix_a, suffix_b) + --[[ + This function helps with the recurring task of constructing the "expected + vs. actual" error messages. It takes two arbitrary values and formats + corresponding strings with prettystr(). + + To keep the (possibly complex) output more readable in case the resulting + strings contain line breaks, they get automatically prefixed with additional + newlines. Both suffixes are optional (default to empty strings), and get + appended to the "value1" string. "suffix_a" is used if line breaks were + encountered, "suffix_b" otherwise. + + Returns the two formatted strings (including padding/newlines). + ]] + local str1, str2 = prettystr(value1), prettystr(value2) + if hasNewLine(str1) or hasNewLine(str2) then + -- line break(s) detected, add padding + return "\n" .. str1 .. (suffix_a or ""), "\n" .. str2 + end + return str1 .. (suffix_b or ""), str2 +end +M.private.prettystrPairs = prettystrPairs + +local UNKNOWN_REF = 'table 00-unknown ref' +local ref_generator = { value=1, [UNKNOWN_REF]=0 } + +local function table_ref( t ) + -- return the default tostring() for tables, with the table ID, even if the table has a metatable + -- with the __tostring converter + local ref = '' + local mt = getmetatable( t ) + if mt == nil then + ref = tostring(t) + else + local success, result + success, result = pcall(setmetatable, t, nil) + if not success then + -- protected table, if __tostring is defined, we can + -- not get the reference. And we can not know in advance. + ref = tostring(t) + if not ref:match( 'table: 0?x?[%x]+' ) then + return UNKNOWN_REF + end + else + ref = tostring(t) + setmetatable( t, mt ) + end + end + -- strip the "table: " part + ref = ref:sub(8) + if ref ~= UNKNOWN_REF and ref_generator[ref] == nil then + -- Create a new reference number + ref_generator[ref] = ref_generator.value + ref_generator.value = ref_generator.value+1 + end + if M.PRINT_TABLE_REF_IN_ERROR_MSG then + return string.format('table %02d-%s', ref_generator[ref], ref) + else + return string.format('table %02d', ref_generator[ref]) + end +end +M.private.table_ref = table_ref + +local TABLE_TOSTRING_SEP = ", " +local TABLE_TOSTRING_SEP_LEN = string.len(TABLE_TOSTRING_SEP) + +local function _table_tostring( tbl, indentLevel, printTableRefs, cycleDetectTable ) + printTableRefs = printTableRefs or M.PRINT_TABLE_REF_IN_ERROR_MSG + cycleDetectTable = cycleDetectTable or {} + cycleDetectTable[tbl] = true + + local result, dispOnMultLines = {}, false + + -- like prettystr but do not enclose with "" if the string is just alphanumerical + -- this is better for displaying table keys who are often simple strings + local function keytostring(k) + if "string" == type(k) and k:match("^[_%a][_%w]*$") then + return k + end + return prettystr_sub(k, indentLevel+1, printTableRefs, cycleDetectTable) + end + + local mt = getmetatable( tbl ) + + if mt and mt.__tostring then + -- if table has a __tostring() function in its metatable, use it to display the table + -- else, compute a regular table + result = tostring(tbl) + if type(result) ~= 'string' then + return string.format( '', prettystr(result) ) + end + result = strsplit( '\n', result ) + return M.private._table_tostring_format_multiline_string( result, indentLevel ) + + else + -- no metatable, compute the table representation + + local entry, count, seq_index = nil, 0, 1 + for k, v in sortedPairs( tbl ) do + + -- key part + if k == seq_index then + -- for the sequential part of tables, we'll skip the "=" output + entry = '' + seq_index = seq_index + 1 + elseif cycleDetectTable[k] then + -- recursion in the key detected + cycleDetectTable.detected = true + entry = "<"..table_ref(k)..">=" + else + entry = keytostring(k) .. "=" + end + + -- value part + if cycleDetectTable[v] then + -- recursion in the value detected! + cycleDetectTable.detected = true + entry = entry .. "<"..table_ref(v)..">" + else + entry = entry .. + prettystr_sub( v, indentLevel+1, printTableRefs, cycleDetectTable ) + end + count = count + 1 + result[count] = entry + end + return M.private._table_tostring_format_result( tbl, result, indentLevel, printTableRefs ) + end + +end +M.private._table_tostring = _table_tostring -- prettystr_sub() needs it + +local function _table_tostring_format_multiline_string( tbl_str, indentLevel ) + local indentString = '\n'..string.rep(" ", indentLevel - 1) + return table.concat( tbl_str, indentString ) + +end +M.private._table_tostring_format_multiline_string = _table_tostring_format_multiline_string + + +local function _table_tostring_format_result( tbl, result, indentLevel, printTableRefs ) + -- final function called in _table_to_string() to format the resulting list of + -- string describing the table. + + local dispOnMultLines = false + + -- set dispOnMultLines to true if the maximum LINE_LENGTH would be exceeded with the values + local totalLength = 0 + for k, v in ipairs( result ) do + totalLength = totalLength + string.len( v ) + if totalLength >= M.LINE_LENGTH then + dispOnMultLines = true + break + end + end + + -- set dispOnMultLines to true if the max LINE_LENGTH would be exceeded + -- with the values and the separators. + if not dispOnMultLines then + -- adjust with length of separator(s): + -- two items need 1 sep, three items two seps, ... plus len of '{}' + if #result > 0 then + totalLength = totalLength + TABLE_TOSTRING_SEP_LEN * (#result - 1) + end + dispOnMultLines = (totalLength + 2 >= M.LINE_LENGTH) + end + + -- now reformat the result table (currently holding element strings) + if dispOnMultLines then + local indentString = string.rep(" ", indentLevel - 1) + result = { + "{\n ", + indentString, + table.concat(result, ",\n " .. indentString), + "\n", + indentString, + "}" + } + else + result = {"{", table.concat(result, TABLE_TOSTRING_SEP), "}"} + end + if printTableRefs then + table.insert(result, 1, "<"..table_ref(tbl).."> ") -- prepend table ref + end + return table.concat(result) +end +M.private._table_tostring_format_result = _table_tostring_format_result -- prettystr_sub() needs it + +local function table_findkeyof(t, element) + -- Return the key k of the given element in table t, so that t[k] == element + -- (or `nil` if element is not present within t). Note that we use our + -- 'general' is_equal comparison for matching, so this function should + -- handle table-type elements gracefully and consistently. + if type(t) == "table" then + for k, v in pairs(t) do + if M.private.is_table_equals(v, element) then + return k + end + end + end + return nil +end + +local function _is_table_items_equals(actual, expected ) + local type_a, type_e = type(actual), type(expected) + + if type_a ~= type_e then + return false + + elseif (type_a == 'table') --[[and (type_e == 'table')]] then + for k, v in pairs(actual) do + if table_findkeyof(expected, v) == nil then + return false -- v not contained in expected + end + end + for k, v in pairs(expected) do + if table_findkeyof(actual, v) == nil then + return false -- v not contained in actual + end + end + return true + + elseif actual ~= expected then + return false + end + + return true +end + +--[[ +This is a specialized metatable to help with the bookkeeping of recursions +in _is_table_equals(). It provides an __index table that implements utility +functions for easier management of the table. The "cached" method queries +the state of a specific (actual,expected) pair; and the "store" method sets +this state to the given value. The state of pairs not "seen" / visited is +assumed to be `nil`. +]] +local _recursion_cache_MT = { + __index = { + -- Return the cached value for an (actual,expected) pair (or `nil`) + cached = function(t, actual, expected) + local subtable = t[actual] or {} + return subtable[expected] + end, + + -- Store cached value for a specific (actual,expected) pair. + -- Returns the value, so it's easy to use for a "tailcall" (return ...). + store = function(t, actual, expected, value, asymmetric) + local subtable = t[actual] + if not subtable then + subtable = {} + t[actual] = subtable + end + subtable[expected] = value + + -- Unless explicitly marked "asymmetric": Consider the recursion + -- on (expected,actual) to be equivalent to (actual,expected) by + -- default, and thus cache the value for both. + if not asymmetric then + t:store(expected, actual, value, true) + end + + return value + end + } +} + +local function _is_table_equals(actual, expected, cycleDetectTable, marginForAlmostEqual) + --[[Returns true if both table are equal. + + If argument marginForAlmostEqual is suppied, number comparison is done using alomstEqual instead + of strict equality. + + cycleDetectTable is an internal argument used during recursion on tables. + ]] + --print('_is_table_equals( \n '..prettystr(actual)..'\n , '..prettystr(expected).. + -- '\n , '..prettystr(cycleDetectTable)..'\n , '..prettystr(marginForAlmostEqual)..' )') + + local type_a, type_e = type(actual), type(expected) + + if type_a ~= type_e then + return false -- different types won't match + end + + if type_a == 'number' then + if marginForAlmostEqual ~= nil then + return M.almostEquals(actual, expected, marginForAlmostEqual) + else + return actual == expected + end + elseif type_a ~= 'table' then + -- other types compare directly + return actual == expected + end + + cycleDetectTable = cycleDetectTable or { actual={}, expected={} } + if cycleDetectTable.actual[ actual ] then + -- oh, we hit a cycle in actual + if cycleDetectTable.expected[ expected ] then + -- uh, we hit a cycle at the same time in expected + -- so the two tables have similar structure + return true + end + + -- cycle was hit only in actual, the structure differs from expected + return false + end + + if cycleDetectTable.expected[ expected ] then + -- no cycle in actual, but cycle in expected + -- the structure differ + return false + end + + -- at this point, no table cycle detected, we are + -- seeing this table for the first time + + -- mark the cycle detection + cycleDetectTable.actual[ actual ] = true + cycleDetectTable.expected[ expected ] = true + + + local actualKeysMatched = {} + for k, v in pairs(actual) do + actualKeysMatched[k] = true -- Keep track of matched keys + if not _is_table_equals(v, expected[k], cycleDetectTable, marginForAlmostEqual) then + -- table differs on this key + -- clear the cycle detection before returning + cycleDetectTable.actual[ actual ] = nil + cycleDetectTable.expected[ expected ] = nil + return false + end + end + + for k, v in pairs(expected) do + if not actualKeysMatched[k] then + -- Found a key that we did not see in "actual" -> mismatch + -- clear the cycle detection before returning + cycleDetectTable.actual[ actual ] = nil + cycleDetectTable.expected[ expected ] = nil + return false + end + -- Otherwise actual[k] was already matched against v = expected[k]. + end + + -- all key match, we have a match ! + cycleDetectTable.actual[ actual ] = nil + cycleDetectTable.expected[ expected ] = nil + return true +end +M.private._is_table_equals = _is_table_equals + +local function failure(main_msg, extra_msg_or_nil, level) + -- raise an error indicating a test failure + -- for error() compatibility we adjust "level" here (by +1), to report the + -- calling context + local msg + if type(extra_msg_or_nil) == 'string' and extra_msg_or_nil:len() > 0 then + msg = extra_msg_or_nil .. '\n' .. main_msg + else + msg = main_msg + end + error(M.FAILURE_PREFIX .. msg, (level or 1) + 1 + M.STRIP_EXTRA_ENTRIES_IN_STACK_TRACE) +end + +local function is_table_equals(actual, expected, marginForAlmostEqual) + return _is_table_equals(actual, expected, nil, marginForAlmostEqual) +end +M.private.is_table_equals = is_table_equals + +local function fail_fmt(level, extra_msg_or_nil, ...) + -- failure with printf-style formatted message and given error level + failure(string.format(...), extra_msg_or_nil, (level or 1) + 1) +end +M.private.fail_fmt = fail_fmt + +local function error_fmt(level, ...) + -- printf-style error() + error(string.format(...), (level or 1) + 1 + M.STRIP_EXTRA_ENTRIES_IN_STACK_TRACE) +end +M.private.error_fmt = error_fmt + +---------------------------------------------------------------- +-- +-- assertions +-- +---------------------------------------------------------------- + +local function errorMsgEquality(actual, expected, doDeepAnalysis, margin) + -- margin is supplied only for almost equal verification + + if not M.ORDER_ACTUAL_EXPECTED then + expected, actual = actual, expected + end + if type(expected) == 'string' or type(expected) == 'table' then + local strExpected, strActual = prettystrPairs(expected, actual) + local result = string.format("expected: %s\nactual: %s", strExpected, strActual) + if margin then + result = result .. '\nwere not equal by the margin of: '..prettystr(margin) + end + + -- extend with mismatch analysis if possible: + local success, mismatchResult + success, mismatchResult = tryMismatchFormatting( actual, expected, doDeepAnalysis, margin ) + if success then + result = table.concat( { result, mismatchResult }, '\n' ) + end + return result + end + return string.format("expected: %s, actual: %s", + prettystr(expected), prettystr(actual)) +end + +function M.assertError(f, ...) + -- assert that calling f with the arguments will raise an error + -- example: assertError( f, 1, 2 ) => f(1,2) should generate an error + if pcall( f, ... ) then + failure( "Expected an error when calling function but no error generated", nil, 2 ) + end +end + +function M.fail( msg ) + -- stops a test due to a failure + failure( msg, nil, 2 ) +end + +function M.failIf( cond, msg ) + -- Fails a test with "msg" if condition is true + if cond then + failure( msg, nil, 2 ) + end +end + +function M.skip(msg) + -- skip a running test + error_fmt(2, M.SKIP_PREFIX .. msg) +end + +function M.skipIf( cond, msg ) + -- skip a running test if condition is met + if cond then + error_fmt(2, M.SKIP_PREFIX .. msg) + end +end + +function M.runOnlyIf( cond, msg ) + -- continue a running test if condition is met, else skip it + if not cond then + error_fmt(2, M.SKIP_PREFIX .. prettystr(msg)) + end +end + +function M.success() + -- stops a test with a success + error_fmt(2, M.SUCCESS_PREFIX) +end + +function M.successIf( cond ) + -- stops a test with a success if condition is met + if cond then + error_fmt(2, M.SUCCESS_PREFIX) + end +end + + +------------------------------------------------------------------ +-- Equality assertions +------------------------------------------------------------------ + +function M.assertEquals(actual, expected, extra_msg_or_nil, doDeepAnalysis) + if type(actual) == 'table' and type(expected) == 'table' then + if not is_table_equals(actual, expected) then + failure( errorMsgEquality(actual, expected, doDeepAnalysis), extra_msg_or_nil, 2 ) + end + elseif type(actual) ~= type(expected) then + failure( errorMsgEquality(actual, expected), extra_msg_or_nil, 2 ) + elseif actual ~= expected then + failure( errorMsgEquality(actual, expected), extra_msg_or_nil, 2 ) + end +end + +function M.almostEquals( actual, expected, margin ) + if type(actual) ~= 'number' or type(expected) ~= 'number' or type(margin) ~= 'number' then + error_fmt(3, 'almostEquals: must supply only number arguments.\nArguments supplied: %s, %s, %s', + prettystr(actual), prettystr(expected), prettystr(margin)) + end + if margin < 0 then + error_fmt(3, 'almostEquals: margin must not be negative, current value is ' .. margin) + end + return math.abs(expected - actual) <= margin +end + +function M.assertAlmostEquals( actual, expected, margin, extra_msg_or_nil ) + -- check that two floats are close by margin + margin = margin or M.EPS + if type(margin) ~= 'number' then + error_fmt(2, 'almostEquals: margin must be a number, not %s', prettystr(margin)) + end + + if type(actual) == 'table' and type(expected) == 'table' then + -- handle almost equals for table + if not is_table_equals(actual, expected, margin) then + failure( errorMsgEquality(actual, expected, nil, margin), extra_msg_or_nil, 2 ) + end + elseif type(actual) == 'number' and type(expected) == 'number' and type(margin) == 'number' then + if not M.almostEquals(actual, expected, margin) then + if not M.ORDER_ACTUAL_EXPECTED then + expected, actual = actual, expected + end + local delta = math.abs(actual - expected) + fail_fmt(2, extra_msg_or_nil, 'Values are not almost equal\n' .. + 'Actual: %s, expected: %s, delta %s above margin of %s', + actual, expected, delta, margin) + end + else + error_fmt(3, 'almostEquals: must supply only number or table arguments.\nArguments supplied: %s, %s, %s', + prettystr(actual), prettystr(expected), prettystr(margin)) + end +end + +function M.assertNotEquals(actual, expected, extra_msg_or_nil) + if type(actual) ~= type(expected) then + return + end + + if type(actual) == 'table' and type(expected) == 'table' then + if not is_table_equals(actual, expected) then + return + end + elseif actual ~= expected then + return + end + fail_fmt(2, extra_msg_or_nil, 'Received the not expected value: %s', prettystr(actual)) +end + +function M.assertNotAlmostEquals( actual, expected, margin, extra_msg_or_nil ) + -- check that two floats are not close by margin + margin = margin or M.EPS + if M.almostEquals(actual, expected, margin) then + if not M.ORDER_ACTUAL_EXPECTED then + expected, actual = actual, expected + end + local delta = math.abs(actual - expected) + fail_fmt(2, extra_msg_or_nil, 'Values are almost equal\nActual: %s, expected: %s' .. + ', delta %s below margin of %s', + actual, expected, delta, margin) + end +end + +function M.assertItemsEquals(actual, expected, extra_msg_or_nil) + -- checks that the items of table expected + -- are contained in table actual. Warning, this function + -- is at least O(n^2) + if not _is_table_items_equals(actual, expected ) then + expected, actual = prettystrPairs(expected, actual) + fail_fmt(2, extra_msg_or_nil, 'Content of the tables are not identical:\nExpected: %s\nActual: %s', + expected, actual) + end +end + +------------------------------------------------------------------ +-- String assertion +------------------------------------------------------------------ + +function M.assertStrContains( str, sub, isPattern, extra_msg_or_nil ) + -- this relies on lua string.find function + -- a string always contains the empty string + -- assert( type(str) == 'string', 'Argument 1 of assertStrContains() should be a string.' ) ) + -- assert( type(sub) == 'string', 'Argument 2 of assertStrContains() should be a string.' ) ) + if not string.find(str, sub, 1, not isPattern) then + sub, str = prettystrPairs(sub, str, '\n') + fail_fmt(2, extra_msg_or_nil, 'Could not find %s %s in string %s', + isPattern and 'pattern' or 'substring', sub, str) + end +end + +function M.assertStrIContains( str, sub, extra_msg_or_nil ) + -- this relies on lua string.find function + -- a string always contains the empty string + if not string.find(str:lower(), sub:lower(), 1, true) then + sub, str = prettystrPairs(sub, str, '\n') + fail_fmt(2, extra_msg_or_nil, 'Could not find (case insensitively) substring %s in string %s', + sub, str) + end +end + +function M.assertNotStrContains( str, sub, isPattern, extra_msg_or_nil ) + -- this relies on lua string.find function + -- a string always contains the empty string + if string.find(str, sub, 1, not isPattern) then + sub, str = prettystrPairs(sub, str, '\n') + fail_fmt(2, extra_msg_or_nil, 'Found the not expected %s %s in string %s', + isPattern and 'pattern' or 'substring', sub, str) + end +end + +function M.assertNotStrIContains( str, sub, extra_msg_or_nil ) + -- this relies on lua string.find function + -- a string always contains the empty string + if string.find(str:lower(), sub:lower(), 1, true) then + sub, str = prettystrPairs(sub, str, '\n') + fail_fmt(2, extra_msg_or_nil, 'Found (case insensitively) the not expected substring %s in string %s', + sub, str) + end +end + +function M.assertStrMatches( str, pattern, start, final, extra_msg_or_nil ) + -- Verify a full match for the string + if not strMatch( str, pattern, start, final ) then + pattern, str = prettystrPairs(pattern, str, '\n') + fail_fmt(2, extra_msg_or_nil, 'Could not match pattern %s with string %s', + pattern, str) + end +end + +local function _assertErrorMsgEquals( stripFileAndLine, expectedMsg, func, ... ) + local no_error, error_msg = pcall( func, ... ) + if no_error then + failure( 'No error generated when calling function but expected error: '..M.prettystr(expectedMsg), nil, 3 ) + end + if type(expectedMsg) == "string" and type(error_msg) ~= "string" then + -- table are converted to string automatically + error_msg = tostring(error_msg) + end + local differ = false + if stripFileAndLine then + if error_msg:gsub("^.+:%d+: ", "") ~= expectedMsg then + differ = true + end + else + if error_msg ~= expectedMsg then + local tr = type(error_msg) + local te = type(expectedMsg) + if te == 'table' then + if tr ~= 'table' then + differ = true + else + local ok = pcall(M.assertItemsEquals, error_msg, expectedMsg) + if not ok then + differ = true + end + end + else + differ = true + end + end + end + + if differ then + error_msg, expectedMsg = prettystrPairs(error_msg, expectedMsg) + fail_fmt(3, nil, 'Error message expected: %s\nError message received: %s\n', + expectedMsg, error_msg) + end +end + +function M.assertErrorMsgEquals( expectedMsg, func, ... ) + -- assert that calling f with the arguments will raise an error + -- example: assertError( f, 1, 2 ) => f(1,2) should generate an error + _assertErrorMsgEquals(false, expectedMsg, func, ...) +end + +function M.assertErrorMsgContentEquals(expectedMsg, func, ...) + _assertErrorMsgEquals(true, expectedMsg, func, ...) +end + +function M.assertErrorMsgContains( partialMsg, func, ... ) + -- assert that calling f with the arguments will raise an error + -- example: assertError( f, 1, 2 ) => f(1,2) should generate an error + local no_error, error_msg = pcall( func, ... ) + if no_error then + failure( 'No error generated when calling function but expected error containing: '..prettystr(partialMsg), nil, 2 ) + end + if type(error_msg) ~= "string" then + error_msg = tostring(error_msg) + end + if not string.find( error_msg, partialMsg, nil, true ) then + error_msg, partialMsg = prettystrPairs(error_msg, partialMsg) + fail_fmt(2, nil, 'Error message does not contain: %s\nError message received: %s\n', + partialMsg, error_msg) + end +end + +function M.assertErrorMsgMatches( expectedMsg, func, ... ) + -- assert that calling f with the arguments will raise an error + -- example: assertError( f, 1, 2 ) => f(1,2) should generate an error + local no_error, error_msg = pcall( func, ... ) + if no_error then + failure( 'No error generated when calling function but expected error matching: "'..expectedMsg..'"', nil, 2 ) + end + if type(error_msg) ~= "string" then + error_msg = tostring(error_msg) + end + if not strMatch( error_msg, expectedMsg ) then + expectedMsg, error_msg = prettystrPairs(expectedMsg, error_msg) + fail_fmt(2, nil, 'Error message does not match pattern: %s\nError message received: %s\n', + expectedMsg, error_msg) + end +end + +------------------------------------------------------------------ +-- Type assertions +------------------------------------------------------------------ + +function M.assertEvalToTrue(value, extra_msg_or_nil) + if not value then + failure("expected: a value evaluating to true, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertEvalToFalse(value, extra_msg_or_nil) + if value then + failure("expected: false or nil, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsTrue(value, extra_msg_or_nil) + if value ~= true then + failure("expected: true, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertNotIsTrue(value, extra_msg_or_nil) + if value == true then + failure("expected: not true, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsFalse(value, extra_msg_or_nil) + if value ~= false then + failure("expected: false, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertNotIsFalse(value, extra_msg_or_nil) + if value == false then + failure("expected: not false, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsNil(value, extra_msg_or_nil) + if value ~= nil then + failure("expected: nil, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertNotIsNil(value, extra_msg_or_nil) + if value == nil then + failure("expected: not nil, actual: nil", extra_msg_or_nil, 2) + end +end + +--[[ +Add type assertion functions to the module table M. Each of these functions +takes a single parameter "value", and checks that its Lua type matches the +expected string (derived from the function name): + +M.assertIsXxx(value) -> ensure that type(value) conforms to "xxx" +]] +for _, funcName in ipairs( + {'assertIsNumber', 'assertIsString', 'assertIsTable', 'assertIsBoolean', + 'assertIsFunction', 'assertIsUserdata', 'assertIsThread'} +) do + local typeExpected = funcName:match("^assertIs([A-Z]%a*)$") + -- Lua type() always returns lowercase, also make sure the match() succeeded + typeExpected = typeExpected and typeExpected:lower() + or error("bad function name '"..funcName.."' for type assertion") + + M[funcName] = function(value, extra_msg_or_nil) + if type(value) ~= typeExpected then + if type(value) == 'nil' then + fail_fmt(2, extra_msg_or_nil, 'expected: a %s value, actual: nil', + typeExpected, type(value), prettystrPairs(value)) + else + fail_fmt(2, extra_msg_or_nil, 'expected: a %s value, actual: type %s, value %s', + typeExpected, type(value), prettystrPairs(value)) + end + end + end +end + +--[[ +Add shortcuts for verifying type of a variable, without failure (luaunit v2 compatibility) +M.isXxx(value) -> returns true if type(value) conforms to "xxx" +]] +for _, typeExpected in ipairs( + {'Number', 'String', 'Table', 'Boolean', + 'Function', 'Userdata', 'Thread', 'Nil' } +) do + local typeExpectedLower = typeExpected:lower() + local isType = function(value) + return (type(value) == typeExpectedLower) + end + M['is'..typeExpected] = isType + M['is_'..typeExpectedLower] = isType +end + +--[[ +Add non-type assertion functions to the module table M. Each of these functions +takes a single parameter "value", and checks that its Lua type differs from the +expected string (derived from the function name): + +M.assertNotIsXxx(value) -> ensure that type(value) is not "xxx" +]] +for _, funcName in ipairs( + {'assertNotIsNumber', 'assertNotIsString', 'assertNotIsTable', 'assertNotIsBoolean', + 'assertNotIsFunction', 'assertNotIsUserdata', 'assertNotIsThread'} +) do + local typeUnexpected = funcName:match("^assertNotIs([A-Z]%a*)$") + -- Lua type() always returns lowercase, also make sure the match() succeeded + typeUnexpected = typeUnexpected and typeUnexpected:lower() + or error("bad function name '"..funcName.."' for type assertion") + + M[funcName] = function(value, extra_msg_or_nil) + if type(value) == typeUnexpected then + fail_fmt(2, extra_msg_or_nil, 'expected: not a %s type, actual: value %s', + typeUnexpected, prettystrPairs(value)) + end + end +end + +function M.assertIs(actual, expected, extra_msg_or_nil) + if actual ~= expected then + if not M.ORDER_ACTUAL_EXPECTED then + actual, expected = expected, actual + end + local old_print_table_ref_in_error_msg = M.PRINT_TABLE_REF_IN_ERROR_MSG + M.PRINT_TABLE_REF_IN_ERROR_MSG = true + expected, actual = prettystrPairs(expected, actual, '\n', '') + M.PRINT_TABLE_REF_IN_ERROR_MSG = old_print_table_ref_in_error_msg + fail_fmt(2, extra_msg_or_nil, 'expected and actual object should not be different\nExpected: %s\nReceived: %s', + expected, actual) + end +end + +function M.assertNotIs(actual, expected, extra_msg_or_nil) + if actual == expected then + local old_print_table_ref_in_error_msg = M.PRINT_TABLE_REF_IN_ERROR_MSG + M.PRINT_TABLE_REF_IN_ERROR_MSG = true + local s_expected + if not M.ORDER_ACTUAL_EXPECTED then + s_expected = prettystrPairs(actual) + else + s_expected = prettystrPairs(expected) + end + M.PRINT_TABLE_REF_IN_ERROR_MSG = old_print_table_ref_in_error_msg + fail_fmt(2, extra_msg_or_nil, 'expected and actual object should be different: %s', s_expected ) + end +end + + +------------------------------------------------------------------ +-- Scientific assertions +------------------------------------------------------------------ + + +function M.assertIsNaN(value, extra_msg_or_nil) + if type(value) ~= "number" or value == value then + failure("expected: NaN, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertNotIsNaN(value, extra_msg_or_nil) + if type(value) == "number" and value ~= value then + failure("expected: not NaN, actual: NaN", extra_msg_or_nil, 2) + end +end + +function M.assertIsInf(value, extra_msg_or_nil) + if type(value) ~= "number" or math.abs(value) ~= math.huge then + failure("expected: #Inf, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsPlusInf(value, extra_msg_or_nil) + if type(value) ~= "number" or value ~= math.huge then + failure("expected: #Inf, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsMinusInf(value, extra_msg_or_nil) + if type(value) ~= "number" or value ~= -math.huge then + failure("expected: -#Inf, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertNotIsPlusInf(value, extra_msg_or_nil) + if type(value) == "number" and value == math.huge then + failure("expected: not #Inf, actual: #Inf", extra_msg_or_nil, 2) + end +end + +function M.assertNotIsMinusInf(value, extra_msg_or_nil) + if type(value) == "number" and value == -math.huge then + failure("expected: not -#Inf, actual: -#Inf", extra_msg_or_nil, 2) + end +end + +function M.assertNotIsInf(value, extra_msg_or_nil) + if type(value) == "number" and math.abs(value) == math.huge then + failure("expected: not infinity, actual: " .. prettystr(value), extra_msg_or_nil, 2) + end +end + +function M.assertIsPlusZero(value, extra_msg_or_nil) + if type(value) ~= 'number' or value ~= 0 then + failure("expected: +0.0, actual: " ..prettystr(value), extra_msg_or_nil, 2) + else if (1/value == -math.huge) then + -- more precise error diagnosis + failure("expected: +0.0, actual: -0.0", extra_msg_or_nil, 2) + else if (1/value ~= math.huge) then + -- strange, case should have already been covered + failure("expected: +0.0, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end + end + end +end + +function M.assertIsMinusZero(value, extra_msg_or_nil) + if type(value) ~= 'number' or value ~= 0 then + failure("expected: -0.0, actual: " ..prettystr(value), extra_msg_or_nil, 2) + else if (1/value == math.huge) then + -- more precise error diagnosis + failure("expected: -0.0, actual: +0.0", extra_msg_or_nil, 2) + else if (1/value ~= -math.huge) then + -- strange, case should have already been covered + failure("expected: -0.0, actual: " ..prettystr(value), extra_msg_or_nil, 2) + end + end + end +end + +function M.assertNotIsPlusZero(value, extra_msg_or_nil) + if type(value) == 'number' and (1/value == math.huge) then + failure("expected: not +0.0, actual: +0.0", extra_msg_or_nil, 2) + end +end + +function M.assertNotIsMinusZero(value, extra_msg_or_nil) + if type(value) == 'number' and (1/value == -math.huge) then + failure("expected: not -0.0, actual: -0.0", extra_msg_or_nil, 2) + end +end + +function M.assertTableContains(t, expected, extra_msg_or_nil) + -- checks that table t contains the expected element + if table_findkeyof(t, expected) == nil then + t, expected = prettystrPairs(t, expected) + fail_fmt(2, extra_msg_or_nil, 'Table %s does NOT contain the expected element %s', + t, expected) + end +end + +function M.assertNotTableContains(t, expected, extra_msg_or_nil) + -- checks that table t doesn't contain the expected element + local k = table_findkeyof(t, expected) + if k ~= nil then + t, expected = prettystrPairs(t, expected) + fail_fmt(2, extra_msg_or_nil, 'Table %s DOES contain the unwanted element %s (at key %s)', + t, expected, prettystr(k)) + end +end + +---------------------------------------------------------------- +-- Compatibility layer +---------------------------------------------------------------- + +-- for compatibility with LuaUnit v2.x +function M.wrapFunctions() + -- In LuaUnit version <= 2.1 , this function was necessary to include + -- a test function inside the global test suite. Nowadays, the functions + -- are simply run directly as part of the test discovery process. + -- so just do nothing ! + io.stderr:write[[Use of WrapFunctions() is no longer needed. +Just prefix your test function names with "test" or "Test" and they +will be picked up and run by LuaUnit. +]] +end + +local list_of_funcs = { + -- { official function name , alias } + + -- general assertions + { 'assertEquals' , 'assert_equals' }, + { 'assertItemsEquals' , 'assert_items_equals' }, + { 'assertNotEquals' , 'assert_not_equals' }, + { 'assertAlmostEquals' , 'assert_almost_equals' }, + { 'assertNotAlmostEquals' , 'assert_not_almost_equals' }, + { 'assertEvalToTrue' , 'assert_eval_to_true' }, + { 'assertEvalToFalse' , 'assert_eval_to_false' }, + { 'assertStrContains' , 'assert_str_contains' }, + { 'assertStrIContains' , 'assert_str_icontains' }, + { 'assertNotStrContains' , 'assert_not_str_contains' }, + { 'assertNotStrIContains' , 'assert_not_str_icontains' }, + { 'assertStrMatches' , 'assert_str_matches' }, + { 'assertError' , 'assert_error' }, + { 'assertErrorMsgEquals' , 'assert_error_msg_equals' }, + { 'assertErrorMsgContains' , 'assert_error_msg_contains' }, + { 'assertErrorMsgMatches' , 'assert_error_msg_matches' }, + { 'assertErrorMsgContentEquals', 'assert_error_msg_content_equals' }, + { 'assertIs' , 'assert_is' }, + { 'assertNotIs' , 'assert_not_is' }, + { 'assertTableContains' , 'assert_table_contains' }, + { 'assertNotTableContains' , 'assert_not_table_contains' }, + { 'wrapFunctions' , 'WrapFunctions' }, + { 'wrapFunctions' , 'wrap_functions' }, + + -- type assertions: assertIsXXX -> assert_is_xxx + { 'assertIsNumber' , 'assert_is_number' }, + { 'assertIsString' , 'assert_is_string' }, + { 'assertIsTable' , 'assert_is_table' }, + { 'assertIsBoolean' , 'assert_is_boolean' }, + { 'assertIsNil' , 'assert_is_nil' }, + { 'assertIsTrue' , 'assert_is_true' }, + { 'assertIsFalse' , 'assert_is_false' }, + { 'assertIsNaN' , 'assert_is_nan' }, + { 'assertIsInf' , 'assert_is_inf' }, + { 'assertIsPlusInf' , 'assert_is_plus_inf' }, + { 'assertIsMinusInf' , 'assert_is_minus_inf' }, + { 'assertIsPlusZero' , 'assert_is_plus_zero' }, + { 'assertIsMinusZero' , 'assert_is_minus_zero' }, + { 'assertIsFunction' , 'assert_is_function' }, + { 'assertIsThread' , 'assert_is_thread' }, + { 'assertIsUserdata' , 'assert_is_userdata' }, + + -- type assertions: assertIsXXX -> assertXxx + { 'assertIsNumber' , 'assertNumber' }, + { 'assertIsString' , 'assertString' }, + { 'assertIsTable' , 'assertTable' }, + { 'assertIsBoolean' , 'assertBoolean' }, + { 'assertIsNil' , 'assertNil' }, + { 'assertIsTrue' , 'assertTrue' }, + { 'assertIsFalse' , 'assertFalse' }, + { 'assertIsNaN' , 'assertNaN' }, + { 'assertIsInf' , 'assertInf' }, + { 'assertIsPlusInf' , 'assertPlusInf' }, + { 'assertIsMinusInf' , 'assertMinusInf' }, + { 'assertIsPlusZero' , 'assertPlusZero' }, + { 'assertIsMinusZero' , 'assertMinusZero'}, + { 'assertIsFunction' , 'assertFunction' }, + { 'assertIsThread' , 'assertThread' }, + { 'assertIsUserdata' , 'assertUserdata' }, + + -- type assertions: assertIsXXX -> assert_xxx (luaunit v2 compat) + { 'assertIsNumber' , 'assert_number' }, + { 'assertIsString' , 'assert_string' }, + { 'assertIsTable' , 'assert_table' }, + { 'assertIsBoolean' , 'assert_boolean' }, + { 'assertIsNil' , 'assert_nil' }, + { 'assertIsTrue' , 'assert_true' }, + { 'assertIsFalse' , 'assert_false' }, + { 'assertIsNaN' , 'assert_nan' }, + { 'assertIsInf' , 'assert_inf' }, + { 'assertIsPlusInf' , 'assert_plus_inf' }, + { 'assertIsMinusInf' , 'assert_minus_inf' }, + { 'assertIsPlusZero' , 'assert_plus_zero' }, + { 'assertIsMinusZero' , 'assert_minus_zero' }, + { 'assertIsFunction' , 'assert_function' }, + { 'assertIsThread' , 'assert_thread' }, + { 'assertIsUserdata' , 'assert_userdata' }, + + -- type assertions: assertNotIsXXX -> assert_not_is_xxx + { 'assertNotIsNumber' , 'assert_not_is_number' }, + { 'assertNotIsString' , 'assert_not_is_string' }, + { 'assertNotIsTable' , 'assert_not_is_table' }, + { 'assertNotIsBoolean' , 'assert_not_is_boolean' }, + { 'assertNotIsNil' , 'assert_not_is_nil' }, + { 'assertNotIsTrue' , 'assert_not_is_true' }, + { 'assertNotIsFalse' , 'assert_not_is_false' }, + { 'assertNotIsNaN' , 'assert_not_is_nan' }, + { 'assertNotIsInf' , 'assert_not_is_inf' }, + { 'assertNotIsPlusInf' , 'assert_not_plus_inf' }, + { 'assertNotIsMinusInf' , 'assert_not_minus_inf' }, + { 'assertNotIsPlusZero' , 'assert_not_plus_zero' }, + { 'assertNotIsMinusZero' , 'assert_not_minus_zero' }, + { 'assertNotIsFunction' , 'assert_not_is_function' }, + { 'assertNotIsThread' , 'assert_not_is_thread' }, + { 'assertNotIsUserdata' , 'assert_not_is_userdata' }, + + -- type assertions: assertNotIsXXX -> assertNotXxx (luaunit v2 compat) + { 'assertNotIsNumber' , 'assertNotNumber' }, + { 'assertNotIsString' , 'assertNotString' }, + { 'assertNotIsTable' , 'assertNotTable' }, + { 'assertNotIsBoolean' , 'assertNotBoolean' }, + { 'assertNotIsNil' , 'assertNotNil' }, + { 'assertNotIsTrue' , 'assertNotTrue' }, + { 'assertNotIsFalse' , 'assertNotFalse' }, + { 'assertNotIsNaN' , 'assertNotNaN' }, + { 'assertNotIsInf' , 'assertNotInf' }, + { 'assertNotIsPlusInf' , 'assertNotPlusInf' }, + { 'assertNotIsMinusInf' , 'assertNotMinusInf' }, + { 'assertNotIsPlusZero' , 'assertNotPlusZero' }, + { 'assertNotIsMinusZero' , 'assertNotMinusZero' }, + { 'assertNotIsFunction' , 'assertNotFunction' }, + { 'assertNotIsThread' , 'assertNotThread' }, + { 'assertNotIsUserdata' , 'assertNotUserdata' }, + + -- type assertions: assertNotIsXXX -> assert_not_xxx + { 'assertNotIsNumber' , 'assert_not_number' }, + { 'assertNotIsString' , 'assert_not_string' }, + { 'assertNotIsTable' , 'assert_not_table' }, + { 'assertNotIsBoolean' , 'assert_not_boolean' }, + { 'assertNotIsNil' , 'assert_not_nil' }, + { 'assertNotIsTrue' , 'assert_not_true' }, + { 'assertNotIsFalse' , 'assert_not_false' }, + { 'assertNotIsNaN' , 'assert_not_nan' }, + { 'assertNotIsInf' , 'assert_not_inf' }, + { 'assertNotIsPlusInf' , 'assert_not_plus_inf' }, + { 'assertNotIsMinusInf' , 'assert_not_minus_inf' }, + { 'assertNotIsPlusZero' , 'assert_not_plus_zero' }, + { 'assertNotIsMinusZero' , 'assert_not_minus_zero' }, + { 'assertNotIsFunction' , 'assert_not_function' }, + { 'assertNotIsThread' , 'assert_not_thread' }, + { 'assertNotIsUserdata' , 'assert_not_userdata' }, + + -- all assertions with Coroutine duplicate Thread assertions + { 'assertIsThread' , 'assertIsCoroutine' }, + { 'assertIsThread' , 'assertCoroutine' }, + { 'assertIsThread' , 'assert_is_coroutine' }, + { 'assertIsThread' , 'assert_coroutine' }, + { 'assertNotIsThread' , 'assertNotIsCoroutine' }, + { 'assertNotIsThread' , 'assertNotCoroutine' }, + { 'assertNotIsThread' , 'assert_not_is_coroutine' }, + { 'assertNotIsThread' , 'assert_not_coroutine' }, +} + +-- Create all aliases in M +for _,v in ipairs( list_of_funcs ) do + local funcname, alias = v[1], v[2] + M[alias] = M[funcname] + + if EXPORT_ASSERT_TO_GLOBALS then + _G[funcname] = M[funcname] + _G[alias] = M[funcname] + end +end + +---------------------------------------------------------------- +-- +-- Outputters +-- +---------------------------------------------------------------- + +-- A common "base" class for outputters +-- For concepts involved (class inheritance) see http://www.lua.org/pil/16.2.html + +local genericOutput = { __class__ = 'genericOutput' } -- class +local genericOutput_MT = { __index = genericOutput } -- metatable +M.genericOutput = genericOutput -- publish, so that custom classes may derive from it + +function genericOutput.new(runner, default_verbosity) + -- runner is the "parent" object controlling the output, usually a LuaUnit instance + local t = { runner = runner } + if runner then + t.result = runner.result + t.verbosity = runner.verbosity or default_verbosity + t.fname = runner.fname + else + t.verbosity = default_verbosity + end + return setmetatable( t, genericOutput_MT) +end + +-- abstract ("empty") methods +function genericOutput:startSuite() + -- Called once, when the suite is started +end + +function genericOutput:startClass(className) + -- Called each time a new test class is started +end + +function genericOutput:startTest(testName) + -- called each time a new test is started, right before the setUp() + -- the current test status node is already created and available in: self.result.currentNode +end + +function genericOutput:updateStatus(node) + -- called with status failed or error as soon as the error/failure is encountered + -- this method is NOT called for a successful test because a test is marked as successful by default + -- and does not need to be updated +end + +function genericOutput:endTest(node) + -- called when the test is finished, after the tearDown() method +end + +function genericOutput:endClass() + -- called when executing the class is finished, before moving on to the next class of at the end of the test execution +end + +function genericOutput:endSuite() + -- called at the end of the test suite execution +end + + +---------------------------------------------------------------- +-- class TapOutput +---------------------------------------------------------------- + +local TapOutput = genericOutput.new() -- derived class +local TapOutput_MT = { __index = TapOutput } -- metatable +TapOutput.__class__ = 'TapOutput' + + -- For a good reference for TAP format, check: http://testanything.org/tap-specification.html + + function TapOutput.new(runner) + local t = genericOutput.new(runner, M.VERBOSITY_LOW) + return setmetatable( t, TapOutput_MT) + end + function TapOutput:startSuite() + print("1.."..self.result.selectedCount) + print('# Started on '..self.result.startDate) + end + function TapOutput:startClass(className) + if className ~= '[TestFunctions]' then + print('# Starting class: '..className) + end + end + + function TapOutput:updateStatus( node ) + if node:isSkipped() then + io.stdout:write("ok ", self.result.currentTestNumber, "\t# SKIP ", node.msg, "\n" ) + return + end + + io.stdout:write("not ok ", self.result.currentTestNumber, "\t", node.testName, "\n") + if self.verbosity > M.VERBOSITY_LOW then + print( prefixString( '# ', node.msg ) ) + end + if (node:isFailure() or node:isError()) and self.verbosity > M.VERBOSITY_DEFAULT then + print( prefixString( '# ', node.stackTrace ) ) + end + end + + function TapOutput:endTest( node ) + if node:isSuccess() then + io.stdout:write("ok ", self.result.currentTestNumber, "\t", node.testName, "\n") + end + end + + function TapOutput:endSuite() + print( '# '..M.LuaUnit.statusLine( self.result ) ) + return self.result.notSuccessCount + end + + +-- class TapOutput end + +---------------------------------------------------------------- +-- class JUnitOutput +---------------------------------------------------------------- + +-- See directory junitxml for more information about the junit format +local JUnitOutput = genericOutput.new() -- derived class +local JUnitOutput_MT = { __index = JUnitOutput } -- metatable +JUnitOutput.__class__ = 'JUnitOutput' + + function JUnitOutput.new(runner) + local t = genericOutput.new(runner, M.VERBOSITY_LOW) + t.testList = {} + return setmetatable( t, JUnitOutput_MT ) + end + + function JUnitOutput:startSuite() + -- open xml file early to deal with errors + if self.fname == nil then + error('With Junit, an output filename must be supplied with --name!') + end + if string.sub(self.fname,-4) ~= '.xml' then + self.fname = self.fname..'.xml' + end + self.fd = io.open(self.fname, "w") + if self.fd == nil then + error("Could not open file for writing: "..self.fname) + end + + print('# XML output to '..self.fname) + print('# Started on '..self.result.startDate) + end + function JUnitOutput:startClass(className) + if className ~= '[TestFunctions]' then + print('# Starting class: '..className) + end + end + function JUnitOutput:startTest(testName) + print('# Starting test: '..testName) + end + + function JUnitOutput:updateStatus( node ) + if node:isFailure() then + print( '# Failure: ' .. prefixString( '# ', node.msg ):sub(4, nil) ) + -- print('# ' .. node.stackTrace) + elseif node:isError() then + print( '# Error: ' .. prefixString( '# ' , node.msg ):sub(4, nil) ) + -- print('# ' .. node.stackTrace) + end + end + + function JUnitOutput:endSuite() + print( '# '..M.LuaUnit.statusLine(self.result)) + + -- XML file writing + self.fd:write('\n') + self.fd:write('\n') + self.fd:write(string.format( + ' \n', + self.result.runCount, self.result.startIsodate, self.result.duration, self.result.errorCount, self.result.failureCount, self.result.skippedCount )) + self.fd:write(" \n") + self.fd:write(string.format(' \n', _VERSION ) ) + self.fd:write(string.format(' \n', M.VERSION) ) + -- XXX please include system name and version if possible + self.fd:write(" \n") + + for i,node in ipairs(self.result.allTests) do + self.fd:write(string.format(' \n', + node.className, node.testName, node.duration ) ) + if node:isNotSuccess() then + self.fd:write(node:statusXML()) + end + self.fd:write(' \n') + end + + -- Next two lines are needed to validate junit ANT xsd, but really not useful in general: + self.fd:write(' \n') + self.fd:write(' \n') + + self.fd:write(' \n') + self.fd:write('\n') + self.fd:close() + return self.result.notSuccessCount + end + + +-- class TapOutput end + +---------------------------------------------------------------- +-- class TextOutput +---------------------------------------------------------------- + +--[[ Example of other unit-tests suite text output + +-- Python Non verbose: + +For each test: . or F or E + +If some failed tests: + ============== + ERROR / FAILURE: TestName (testfile.testclass) + --------- + Stack trace + + +then -------------- +then "Ran x tests in 0.000s" +then OK or FAILED (failures=1, error=1) + +-- Python Verbose: +testname (filename.classname) ... ok +testname (filename.classname) ... FAIL +testname (filename.classname) ... ERROR + +then -------------- +then "Ran x tests in 0.000s" +then OK or FAILED (failures=1, error=1) + +-- Ruby: +Started + . + Finished in 0.002695 seconds. + + 1 tests, 2 assertions, 0 failures, 0 errors + +-- Ruby: +>> ruby tc_simple_number2.rb +Loaded suite tc_simple_number2 +Started +F.. +Finished in 0.038617 seconds. + + 1) Failure: +test_failure(TestSimpleNumber) [tc_simple_number2.rb:16]: +Adding doesn't work. +<3> expected but was +<4>. + +3 tests, 4 assertions, 1 failures, 0 errors + +-- Java Junit +.......F. +Time: 0,003 +There was 1 failure: +1) testCapacity(junit.samples.VectorTest)junit.framework.AssertionFailedError + at junit.samples.VectorTest.testCapacity(VectorTest.java:87) + at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) + at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) + at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) + +FAILURES!!! +Tests run: 8, Failures: 1, Errors: 0 + + +-- Maven + +# mvn test +------------------------------------------------------- + T E S T S +------------------------------------------------------- +Running math.AdditionTest +Tests run: 2, Failures: 1, Errors: 0, Skipped: 0, Time elapsed: +0.03 sec <<< FAILURE! + +Results : + +Failed tests: + testLireSymbole(math.AdditionTest) + +Tests run: 2, Failures: 1, Errors: 0, Skipped: 0 + + +-- LuaUnit +---- non verbose +* display . or F or E when running tests +---- verbose +* display test name + ok/fail +---- +* blank line +* number) ERROR or FAILURE: TestName + Stack trace +* blank line +* number) ERROR or FAILURE: TestName + Stack trace + +then -------------- +then "Ran x tests in 0.000s (%d not selected, %d skipped)" +then OK or FAILED (failures=1, error=1) + + +]] + +local TextOutput = genericOutput.new() -- derived class +local TextOutput_MT = { __index = TextOutput } -- metatable +TextOutput.__class__ = 'TextOutput' + + function TextOutput.new(runner) + local t = genericOutput.new(runner, M.VERBOSITY_DEFAULT) + t.errorList = {} + return setmetatable( t, TextOutput_MT ) + end + + function TextOutput:startSuite() + if self.verbosity > M.VERBOSITY_DEFAULT then + print( 'Started on '.. self.result.startDate ) + end + end + + function TextOutput:startTest(testName) + if self.verbosity > M.VERBOSITY_DEFAULT then + io.stdout:write( " ", self.result.currentNode.testName, " ... " ) + end + end + + function TextOutput:endTest( node ) + if node:isSuccess() then + if self.verbosity > M.VERBOSITY_DEFAULT then + io.stdout:write("Ok\n") + else + io.stdout:write(".") + io.stdout:flush() + end + else + if self.verbosity > M.VERBOSITY_DEFAULT then + print( node.status ) + print( node.msg ) + --[[ + -- find out when to do this: + if self.verbosity > M.VERBOSITY_DEFAULT then + print( node.stackTrace ) + end + ]] + else + -- write only the first character of status E, F or S + io.stdout:write(string.sub(node.status, 1, 1)) + io.stdout:flush() + end + end + end + + function TextOutput:displayOneFailedTest( index, fail ) + print(index..") "..fail.testName ) + print( fail.msg ) + print( fail.stackTrace ) + print() + end + + function TextOutput:displayErroredTests() + if #self.result.errorTests ~= 0 then + print("Tests with errors:") + print("------------------") + for i, v in ipairs(self.result.errorTests) do + self:displayOneFailedTest(i, v) + end + end + end + + function TextOutput:displayFailedTests() + if #self.result.failedTests ~= 0 then + print("Failed tests:") + print("-------------") + for i, v in ipairs(self.result.failedTests) do + self:displayOneFailedTest(i, v) + end + end + end + + function TextOutput:endSuite() + if self.verbosity > M.VERBOSITY_DEFAULT then + print("=========================================================") + else + print() + end + self:displayErroredTests() + self:displayFailedTests() + print( M.LuaUnit.statusLine( self.result ) ) + if self.result.notSuccessCount == 0 then + print('OK') + end + end + +-- class TextOutput end + + +---------------------------------------------------------------- +-- class NilOutput +---------------------------------------------------------------- + +local function nopCallable() + --print(42) + return nopCallable +end + +local NilOutput = { __class__ = 'NilOuptut' } -- class +local NilOutput_MT = { __index = nopCallable } -- metatable + +function NilOutput.new(runner) + return setmetatable( { __class__ = 'NilOutput' }, NilOutput_MT ) +end + +---------------------------------------------------------------- +-- +-- class LuaUnit +-- +---------------------------------------------------------------- + +M.LuaUnit = { + outputType = TextOutput, + verbosity = M.VERBOSITY_DEFAULT, + __class__ = 'LuaUnit', + instances = {} +} +local LuaUnit_MT = { __index = M.LuaUnit } + +if EXPORT_ASSERT_TO_GLOBALS then + LuaUnit = M.LuaUnit +end + + function M.LuaUnit.new() + local newInstance = setmetatable( {}, LuaUnit_MT ) + return newInstance + end + + -----------------[[ Utility methods ]]--------------------- + + function M.LuaUnit.asFunction(aObject) + -- return "aObject" if it is a function, and nil otherwise + if 'function' == type(aObject) then + return aObject + end + end + + function M.LuaUnit.splitClassMethod(someName) + --[[ + Return a pair of className, methodName strings for a name in the form + "class.method". If no class part (or separator) is found, will return + nil, someName instead (the latter being unchanged). + + This convention thus also replaces the older isClassMethod() test: + You just have to check for a non-nil className (return) value. + ]] + local separator = string.find(someName, '.', 1, true) + if separator then + return someName:sub(1, separator - 1), someName:sub(separator + 1) + end + return nil, someName + end + + function M.LuaUnit.isMethodTestName( s ) + -- return true is the name matches the name of a test method + -- default rule is that is starts with 'Test' or with 'test' + return string.sub(s, 1, 4):lower() == 'test' + end + + function M.LuaUnit.isTestName( s ) + -- return true is the name matches the name of a test + -- default rule is that is starts with 'Test' or with 'test' + return string.sub(s, 1, 4):lower() == 'test' + end + + function M.LuaUnit.collectTests() + -- return a list of all test names in the global namespace + -- that match LuaUnit.isTestName + + local testNames = {} + for k, _ in pairs(_G) do + if type(k) == "string" and M.LuaUnit.isTestName( k ) then + table.insert( testNames , k ) + end + end + table.sort( testNames ) + return testNames + end + + function M.LuaUnit.parseCmdLine( cmdLine ) + -- parse the command line + -- Supported command line parameters: + -- --verbose, -v: increase verbosity + -- --quiet, -q: silence output + -- --error, -e: treat errors as fatal (quit program) + -- --output, -o, + name: select output type + -- --pattern, -p, + pattern: run test matching pattern, may be repeated + -- --exclude, -x, + pattern: run test not matching pattern, may be repeated + -- --shuffle, -s, : shuffle tests before reunning them + -- --name, -n, + fname: name of output file for junit, default to stdout + -- --repeat, -r, + num: number of times to execute each test + -- [testnames, ...]: run selected test names + -- + -- Returns a table with the following fields: + -- verbosity: nil, M.VERBOSITY_DEFAULT, M.VERBOSITY_QUIET, M.VERBOSITY_VERBOSE + -- output: nil, 'tap', 'junit', 'text', 'nil' + -- testNames: nil or a list of test names to run + -- exeRepeat: num or 1 + -- pattern: nil or a list of patterns + -- exclude: nil or a list of patterns + + local result, state = {}, nil + local SET_OUTPUT = 1 + local SET_PATTERN = 2 + local SET_EXCLUDE = 3 + local SET_FNAME = 4 + local SET_REPEAT = 5 + + if cmdLine == nil then + return result + end + + local function parseOption( option ) + if option == '--help' or option == '-h' then + result['help'] = true + return + elseif option == '--version' then + result['version'] = true + return + elseif option == '--verbose' or option == '-v' then + result['verbosity'] = M.VERBOSITY_VERBOSE + return + elseif option == '--quiet' or option == '-q' then + result['verbosity'] = M.VERBOSITY_QUIET + return + elseif option == '--error' or option == '-e' then + result['quitOnError'] = true + return + elseif option == '--failure' or option == '-f' then + result['quitOnFailure'] = true + return + elseif option == '--shuffle' or option == '-s' then + result['shuffle'] = true + return + elseif option == '--output' or option == '-o' then + state = SET_OUTPUT + return state + elseif option == '--name' or option == '-n' then + state = SET_FNAME + return state + elseif option == '--repeat' or option == '-r' then + state = SET_REPEAT + return state + elseif option == '--pattern' or option == '-p' then + state = SET_PATTERN + return state + elseif option == '--exclude' or option == '-x' then + state = SET_EXCLUDE + return state + end + error('Unknown option: '..option,3) + end + + local function setArg( cmdArg, state ) + if state == SET_OUTPUT then + result['output'] = cmdArg + return + elseif state == SET_FNAME then + result['fname'] = cmdArg + return + elseif state == SET_REPEAT then + result['exeRepeat'] = tonumber(cmdArg) + or error('Malformed -r argument: '..cmdArg) + return + elseif state == SET_PATTERN then + if result['pattern'] then + table.insert( result['pattern'], cmdArg ) + else + result['pattern'] = { cmdArg } + end + return + elseif state == SET_EXCLUDE then + local notArg = '!'..cmdArg + if result['pattern'] then + table.insert( result['pattern'], notArg ) + else + result['pattern'] = { notArg } + end + return + end + error('Unknown parse state: '.. state) + end + + + for i, cmdArg in ipairs(cmdLine) do + if state ~= nil then + setArg( cmdArg, state, result ) + state = nil + else + if cmdArg:sub(1,1) == '-' then + state = parseOption( cmdArg ) + else + if result['testNames'] then + table.insert( result['testNames'], cmdArg ) + else + result['testNames'] = { cmdArg } + end + end + end + end + + if result['help'] then + M.LuaUnit.help() + end + + if result['version'] then + M.LuaUnit.version() + end + + if state ~= nil then + error('Missing argument after '..cmdLine[ #cmdLine ],2 ) + end + + return result + end + + function M.LuaUnit.help() + print(M.USAGE) + os.exit(0) + end + + function M.LuaUnit.version() + print('LuaUnit v'..M.VERSION..' by Philippe Fremy ') + os.exit(0) + end + +---------------------------------------------------------------- +-- class NodeStatus +---------------------------------------------------------------- + + local NodeStatus = { __class__ = 'NodeStatus' } -- class + local NodeStatus_MT = { __index = NodeStatus } -- metatable + M.NodeStatus = NodeStatus + + -- values of status + NodeStatus.SUCCESS = 'SUCCESS' + NodeStatus.SKIP = 'SKIP' + NodeStatus.FAIL = 'FAIL' + NodeStatus.ERROR = 'ERROR' + + function NodeStatus.new( number, testName, className ) + -- default constructor, test are PASS by default + local t = { number = number, testName = testName, className = className } + setmetatable( t, NodeStatus_MT ) + t:success() + return t + end + + function NodeStatus:success() + self.status = self.SUCCESS + -- useless because lua does this for us, but it helps me remembering the relevant field names + self.msg = nil + self.stackTrace = nil + end + + function NodeStatus:skip(msg) + self.status = self.SKIP + self.msg = msg + self.stackTrace = nil + end + + function NodeStatus:fail(msg, stackTrace) + self.status = self.FAIL + self.msg = msg + self.stackTrace = stackTrace + end + + function NodeStatus:error(msg, stackTrace) + self.status = self.ERROR + self.msg = msg + self.stackTrace = stackTrace + end + + function NodeStatus:isSuccess() + return self.status == NodeStatus.SUCCESS + end + + function NodeStatus:isNotSuccess() + -- Return true if node is either failure or error or skip + return (self.status == NodeStatus.FAIL or self.status == NodeStatus.ERROR or self.status == NodeStatus.SKIP) + end + + function NodeStatus:isSkipped() + return self.status == NodeStatus.SKIP + end + + function NodeStatus:isFailure() + return self.status == NodeStatus.FAIL + end + + function NodeStatus:isError() + return self.status == NodeStatus.ERROR + end + + function NodeStatus:statusXML() + if self:isError() then + return table.concat( + {' \n', + ' \n'}) + elseif self:isFailure() then + return table.concat( + {' \n', + ' \n'}) + elseif self:isSkipped() then + return table.concat({' ', xmlEscape(self.msg),'\n' } ) + end + return ' \n' -- (not XSD-compliant! normally shouldn't get here) + end + + --------------[[ Output methods ]]------------------------- + + local function conditional_plural(number, singular) + -- returns a grammatically well-formed string "%d " + local suffix = '' + if number ~= 1 then -- use plural + suffix = (singular:sub(-2) == 'ss') and 'es' or 's' + end + return string.format('%d %s%s', number, singular, suffix) + end + + function M.LuaUnit.statusLine(result) + -- return status line string according to results + local s = { + string.format('Ran %d tests in %0.3f seconds', + result.runCount, result.duration), + conditional_plural(result.successCount, 'success'), + } + if result.notSuccessCount > 0 then + if result.failureCount > 0 then + table.insert(s, conditional_plural(result.failureCount, 'failure')) + end + if result.errorCount > 0 then + table.insert(s, conditional_plural(result.errorCount, 'error')) + end + else + table.insert(s, '0 failures') + end + if result.skippedCount > 0 then + table.insert(s, string.format("%d skipped", result.skippedCount)) + end + if result.nonSelectedCount > 0 then + table.insert(s, string.format("%d non-selected", result.nonSelectedCount)) + end + return table.concat(s, ', ') + end + + function M.LuaUnit:startSuite(selectedCount, nonSelectedCount) + self.result = { + selectedCount = selectedCount, + nonSelectedCount = nonSelectedCount, + successCount = 0, + runCount = 0, + currentTestNumber = 0, + currentClassName = "", + currentNode = nil, + suiteStarted = true, + startTime = os.clock(), + startDate = os.date(os.getenv('LUAUNIT_DATEFMT')), + startIsodate = os.date('%Y-%m-%dT%H:%M:%S'), + patternIncludeFilter = self.patternIncludeFilter, + + -- list of test node status + allTests = {}, + failedTests = {}, + errorTests = {}, + skippedTests = {}, + + failureCount = 0, + errorCount = 0, + notSuccessCount = 0, + skippedCount = 0, + } + + self.outputType = self.outputType or TextOutput + self.output = self.outputType.new(self) + self.output:startSuite() + end + + function M.LuaUnit:startClass( className, classInstance ) + self.result.currentClassName = className + self.output:startClass( className ) + self:setupClass( className, classInstance ) + end + + function M.LuaUnit:startTest( testName ) + self.result.currentTestNumber = self.result.currentTestNumber + 1 + self.result.runCount = self.result.runCount + 1 + self.result.currentNode = NodeStatus.new( + self.result.currentTestNumber, + testName, + self.result.currentClassName + ) + self.result.currentNode.startTime = os.clock() + table.insert( self.result.allTests, self.result.currentNode ) + self.output:startTest( testName ) + end + + function M.LuaUnit:updateStatus( err ) + -- "err" is expected to be a table / result from protectedCall() + if err.status == NodeStatus.SUCCESS then + return + end + + local node = self.result.currentNode + + --[[ As a first approach, we will report only one error or one failure for one test. + + However, we can have the case where the test is in failure, and the teardown is in error. + In such case, it's a good idea to report both a failure and an error in the test suite. This is + what Python unittest does for example. However, it mixes up counts so need to be handled carefully: for + example, there could be more (failures + errors) count that tests. What happens to the current node ? + + We will do this more intelligent version later. + ]] + + -- if the node is already in failure/error, just don't report the new error (see above) + if node.status ~= NodeStatus.SUCCESS then + return + end + + if err.status == NodeStatus.FAIL then + node:fail( err.msg, err.trace ) + table.insert( self.result.failedTests, node ) + elseif err.status == NodeStatus.ERROR then + node:error( err.msg, err.trace ) + table.insert( self.result.errorTests, node ) + elseif err.status == NodeStatus.SKIP then + node:skip( err.msg ) + table.insert( self.result.skippedTests, node ) + else + error('No such status: ' .. prettystr(err.status)) + end + + self.output:updateStatus( node ) + end + + function M.LuaUnit:endTest() + local node = self.result.currentNode + -- print( 'endTest() '..prettystr(node)) + -- print( 'endTest() '..prettystr(node:isNotSuccess())) + node.duration = os.clock() - node.startTime + node.startTime = nil + self.output:endTest( node ) + + if node:isSuccess() then + self.result.successCount = self.result.successCount + 1 + elseif node:isError() then + if self.quitOnError or self.quitOnFailure then + -- Runtime error - abort test execution as requested by + -- "--error" option. This is done by setting a special + -- flag that gets handled in internalRunSuiteByInstances(). + print("\nERROR during LuaUnit test execution:\n" .. node.msg) + self.result.aborted = true + end + elseif node:isFailure() then + if self.quitOnFailure then + -- Failure - abort test execution as requested by + -- "--failure" option. This is done by setting a special + -- flag that gets handled in internalRunSuiteByInstances(). + print("\nFailure during LuaUnit test execution:\n" .. node.msg) + self.result.aborted = true + end + elseif node:isSkipped() then + self.result.runCount = self.result.runCount - 1 + else + error('No such node status: ' .. prettystr(node.status)) + end + self.result.currentNode = nil + end + + function M.LuaUnit:endClass() + self:teardownClass( self.lastClassName, self.lastClassInstance ) + self.output:endClass() + end + + function M.LuaUnit:endSuite() + if self.result.suiteStarted == false then + error('LuaUnit:endSuite() -- suite was already ended' ) + end + self.result.duration = os.clock()-self.result.startTime + self.result.suiteStarted = false + + -- Expose test counts for outputter's endSuite(). This could be managed + -- internally instead by using the length of the lists of failed tests + -- but unit tests rely on these fields being present. + self.result.failureCount = #self.result.failedTests + self.result.errorCount = #self.result.errorTests + self.result.notSuccessCount = self.result.failureCount + self.result.errorCount + self.result.skippedCount = #self.result.skippedTests + + self.output:endSuite() + end + + function M.LuaUnit:setOutputType(outputType, fname) + -- Configures LuaUnit runner output + -- outputType is one of: NIL, TAP, JUNIT, TEXT + -- when outputType is junit, the additional argument fname is used to set the name of junit output file + -- for other formats, fname is ignored + if outputType:upper() == "NIL" then + self.outputType = NilOutput + return + end + if outputType:upper() == "TAP" then + self.outputType = TapOutput + return + end + if outputType:upper() == "JUNIT" then + self.outputType = JUnitOutput + if fname then + self.fname = fname + end + return + end + if outputType:upper() == "TEXT" then + self.outputType = TextOutput + return + end + error( 'No such format: '..outputType,2) + end + + --------------[[ Runner ]]----------------- + + function M.LuaUnit:protectedCall(classInstance, methodInstance, prettyFuncName) + -- if classInstance is nil, this is just a function call + -- else, it's method of a class being called. + + local function err_handler(e) + -- transform error into a table, adding the traceback information + return { + status = NodeStatus.ERROR, + msg = e, + trace = string.sub(debug.traceback("", 1), 2) + } + end + + local ok, err + if classInstance then + -- stupid Lua < 5.2 does not allow xpcall with arguments so let's use a workaround + ok, err = xpcall( function () methodInstance(classInstance) end, err_handler ) + else + ok, err = xpcall( function () methodInstance() end, err_handler ) + end + if ok then + return {status = NodeStatus.SUCCESS} + end + -- print('ok="'..prettystr(ok)..'" err="'..prettystr(err)..'"') + + local iter_msg + iter_msg = self.exeRepeat and 'iteration '..self.currentCount + + err.msg, err.status = M.adjust_err_msg_with_iter( err.msg, iter_msg ) + + if err.status == NodeStatus.SUCCESS or err.status == NodeStatus.SKIP then + err.trace = nil + return err + end + + -- reformat / improve the stack trace + if prettyFuncName then -- we do have the real method name + err.trace = err.trace:gsub("in (%a+) 'methodInstance'", "in %1 '"..prettyFuncName.."'") + end + if STRIP_LUAUNIT_FROM_STACKTRACE then + err.trace = stripLuaunitTrace2(err.trace, err.msg) + end + + return err -- return the error "object" (table) + end + + + function M.LuaUnit:execOneFunction(className, methodName, classInstance, methodInstance) + -- When executing a test function, className and classInstance must be nil + -- When executing a class method, all parameters must be set + + if type(methodInstance) ~= 'function' then + self:unregisterSuite() + error( tostring(methodName)..' must be a function, not '..type(methodInstance)) + end + + local prettyFuncName + if className == nil then + className = '[TestFunctions]' + prettyFuncName = methodName + else + prettyFuncName = className..'.'..methodName + end + + if self.lastClassName ~= className then + if self.lastClassName ~= nil then + self:endClass() + end + self:startClass( className, classInstance ) + self.lastClassName = className + self.lastClassInstance = classInstance + end + + self:startTest(prettyFuncName) + + local node = self.result.currentNode + for iter_n = 1, self.exeRepeat or 1 do + if node:isNotSuccess() then + break + end + self.currentCount = iter_n + + -- run setUp first (if any) + if classInstance then + local func = self.asFunction( classInstance.setUp ) or + self.asFunction( classInstance.Setup ) or + self.asFunction( classInstance.setup ) or + self.asFunction( classInstance.SetUp ) + if func then + self:updateStatus(self:protectedCall(classInstance, func, className..'.setUp')) + end + end + + -- run testMethod() + if node:isSuccess() then + self:updateStatus(self:protectedCall(classInstance, methodInstance, prettyFuncName)) + end + + -- lastly, run tearDown (if any) + if classInstance then + local func = self.asFunction( classInstance.tearDown ) or + self.asFunction( classInstance.TearDown ) or + self.asFunction( classInstance.teardown ) or + self.asFunction( classInstance.Teardown ) + if func then + self:updateStatus(self:protectedCall(classInstance, func, className..'.tearDown')) + end + end + end + + self:endTest() + end + + function M.LuaUnit.expandOneClass( result, className, classInstance ) + --[[ + Input: a list of { name, instance }, a class name, a class instance + Ouptut: modify result to add all test method instance in the form: + { className.methodName, classInstance } + ]] + for methodName, methodInstance in sortedPairs(classInstance) do + if M.LuaUnit.asFunction(methodInstance) and M.LuaUnit.isMethodTestName( methodName ) then + table.insert( result, { className..'.'..methodName, classInstance } ) + end + end + end + + function M.LuaUnit.expandClasses( listOfNameAndInst ) + --[[ + -- expand all classes (provided as {className, classInstance}) to a list of {className.methodName, classInstance} + -- functions and methods remain untouched + + Input: a list of { name, instance } + + Output: + * { function name, function instance } : do nothing + * { class.method name, class instance }: do nothing + * { class name, class instance } : add all method names in the form of (className.methodName, classInstance) + ]] + local result = {} + + for i,v in ipairs( listOfNameAndInst ) do + local name, instance = v[1], v[2] + if M.LuaUnit.asFunction(instance) then + table.insert( result, { name, instance } ) + else + if type(instance) ~= 'table' then + error( 'Instance must be a table or a function, not a '..type(instance)..' with value '..prettystr(instance)) + end + local className, methodName = M.LuaUnit.splitClassMethod( name ) + if className then + local methodInstance = instance[methodName] + if methodInstance == nil then + error( "Could not find method in class "..tostring(className).." for method "..tostring(methodName) ) + end + table.insert( result, { name, instance } ) + else + M.LuaUnit.expandOneClass( result, name, instance ) + end + end + end + + return result + end + + function M.LuaUnit.applyPatternFilter( patternIncFilter, listOfNameAndInst ) + local included, excluded = {}, {} + for i, v in ipairs( listOfNameAndInst ) do + -- local name, instance = v[1], v[2] + if patternFilter( patternIncFilter, v[1] ) then + table.insert( included, v ) + else + table.insert( excluded, v ) + end + end + return included, excluded + end + + local function getKeyInListWithGlobalFallback( key, listOfNameAndInst ) + local result = nil + for i,v in ipairs( listOfNameAndInst ) do + if(listOfNameAndInst[i][1] == key) then + result = listOfNameAndInst[i][2] + break + end + end + if(not M.LuaUnit.asFunction( result ) ) then + result = _G[key] + end + return result + end + + function M.LuaUnit:setupSuite( listOfNameAndInst ) + local setupSuite = getKeyInListWithGlobalFallback("setupSuite", listOfNameAndInst) + if self.asFunction( setupSuite ) then + self:updateStatus( self:protectedCall( nil, setupSuite, 'setupSuite' ) ) + end + end + + function M.LuaUnit:teardownSuite(listOfNameAndInst) + local teardownSuite = getKeyInListWithGlobalFallback("teardownSuite", listOfNameAndInst) + if self.asFunction( teardownSuite ) then + self:updateStatus( self:protectedCall( nil, teardownSuite, 'teardownSuite') ) + end + end + + function M.LuaUnit:setupClass( className, instance ) + if type( instance ) == 'table' and self.asFunction( instance.setupClass ) then + self:updateStatus( self:protectedCall( instance, instance.setupClass, className..'.setupClass' ) ) + end + end + + function M.LuaUnit:teardownClass( className, instance ) + if type( instance ) == 'table' and self.asFunction( instance.teardownClass ) then + self:updateStatus( self:protectedCall( instance, instance.teardownClass, className..'.teardownClass' ) ) + end + end + + function M.LuaUnit:internalRunSuiteByInstances( listOfNameAndInst ) + --[[ Run an explicit list of tests. Each item of the list must be one of: + * { function name, function instance } + * { class name, class instance } + * { class.method name, class instance } + + This function is internal to LuaUnit. The official API to perform this action is runSuiteByInstances() + ]] + + local expandedList = self.expandClasses( listOfNameAndInst ) + if self.shuffle then + randomizeTable( expandedList ) + end + local filteredList, filteredOutList = self.applyPatternFilter( + self.patternIncludeFilter, expandedList ) + + self:startSuite( #filteredList, #filteredOutList ) + self:setupSuite( listOfNameAndInst ) + + for i,v in ipairs( filteredList ) do + local name, instance = v[1], v[2] + if M.LuaUnit.asFunction(instance) then + self:execOneFunction( nil, name, nil, instance ) + else + -- expandClasses() should have already taken care of sanitizing the input + assert( type(instance) == 'table' ) + local className, methodName = M.LuaUnit.splitClassMethod( name ) + assert( className ~= nil ) + local methodInstance = instance[methodName] + assert(methodInstance ~= nil) + self:execOneFunction( className, methodName, instance, methodInstance ) + end + if self.result.aborted then + break -- "--error" or "--failure" option triggered + end + end + + if self.lastClassName ~= nil then + self:endClass() + end + + self:teardownSuite( listOfNameAndInst ) + self:endSuite() + + if self.result.aborted then + print("LuaUnit ABORTED (as requested by --error or --failure option)") + self:unregisterSuite() + os.exit(-2) + end + end + + function M.LuaUnit:internalRunSuiteByNames( listOfName ) + --[[ Run LuaUnit with a list of generic names, coming either from command-line or from global + namespace analysis. Convert the list into a list of (name, valid instances (table or function)) + and calls internalRunSuiteByInstances. + ]] + + local instanceName, instance + local listOfNameAndInst = {} + + for i,name in ipairs( listOfName ) do + local className, methodName = M.LuaUnit.splitClassMethod( name ) + if className then + instanceName = className + instance = _G[instanceName] + + if instance == nil then + self:unregisterSuite() + error( "No such name in global space: "..instanceName ) + end + + if type(instance) ~= 'table' then + self:unregisterSuite() + error( 'Instance of '..instanceName..' must be a table, not '..type(instance)) + end + + local methodInstance = instance[methodName] + if methodInstance == nil then + self:unregisterSuite() + error( "Could not find method in class "..tostring(className).." for method "..tostring(methodName) ) + end + + else + -- for functions and classes + instanceName = name + instance = _G[instanceName] + end + + if instance == nil then + self:unregisterSuite() + error( "No such name in global space: "..instanceName ) + end + + if (type(instance) ~= 'table' and type(instance) ~= 'function') then + self:unregisterSuite() + error( 'Name must match a function or a table: '..instanceName ) + end + + table.insert( listOfNameAndInst, { name, instance } ) + end + + self:internalRunSuiteByInstances( listOfNameAndInst ) + end + + function M.LuaUnit.run(...) + -- Run some specific test classes. + -- If no arguments are passed, run the class names specified on the + -- command line. If no class name is specified on the command line + -- run all classes whose name starts with 'Test' + -- + -- If arguments are passed, they must be strings of the class names + -- that you want to run or generic command line arguments (-o, -p, -v, ...) + local runner = M.LuaUnit.new() + return runner:runSuite(...) + end + + function M.LuaUnit:registerSuite() + -- register the current instance into our global array of instances + -- print('-> Register suite') + M.LuaUnit.instances[ #M.LuaUnit.instances+1 ] = self + end + + function M.unregisterCurrentSuite() + -- force unregister the last registered suite + table.remove(M.LuaUnit.instances, #M.LuaUnit.instances) + end + + function M.LuaUnit:unregisterSuite() + -- print('<- Unregister suite') + -- remove our current instqances from the global array of instances + local instanceIdx = nil + for i, instance in ipairs(M.LuaUnit.instances) do + if instance == self then + instanceIdx = i + break + end + end + + if instanceIdx ~= nil then + table.remove(M.LuaUnit.instances, instanceIdx) + -- print('Unregister done') + end + + end + + function M.LuaUnit:initFromArguments( ... ) + --[[Parses all arguments from either command-line or direct call and set internal + flags of LuaUnit runner according to it. + + Return the list of names which were possibly passed on the command-line or as arguments + ]] + local args = {...} + if type(args[1]) == 'table' and args[1].__class__ == 'LuaUnit' then + -- run was called with the syntax M.LuaUnit:runSuite() + -- we support both M.LuaUnit.run() and M.LuaUnit:run() + -- strip out the first argument self to make it a command-line argument list + table.remove(args,1) + end + + if #args == 0 then + args = cmdline_argv + end + + local options = pcall_or_abort( M.LuaUnit.parseCmdLine, args ) + + -- We expect these option fields to be either `nil` or contain + -- valid values, so it's safe to always copy them directly. + self.verbosity = options.verbosity + self.quitOnError = options.quitOnError + self.quitOnFailure = options.quitOnFailure + + self.exeRepeat = options.exeRepeat + self.patternIncludeFilter = options.pattern + self.shuffle = options.shuffle + + options.output = options.output or os.getenv('LUAUNIT_OUTPUT') + options.fname = options.fname or os.getenv('LUAUNIT_JUNIT_FNAME') + + if options.output then + if options.output:lower() == 'junit' and options.fname == nil then + print('With junit output, a filename must be supplied with -n or --name') + os.exit(-1) + end + pcall_or_abort(self.setOutputType, self, options.output, options.fname) + end + + return options.testNames + end + + function M.LuaUnit:runSuite( ... ) + local testNames = self:initFromArguments(...) + self:registerSuite() + self:internalRunSuiteByNames( testNames or M.LuaUnit.collectTests() ) + self:unregisterSuite() + return self.result.notSuccessCount + end + + function M.LuaUnit:runSuiteByInstances( listOfNameAndInst, commandLineArguments ) + --[[ + Run all test functions or tables provided as input. + + Input: a list of { name, instance } + instance can either be a function or a table containing test functions starting with the prefix "test" + + return the number of failures and errors, 0 meaning success + ]] + -- parse the command-line arguments + local testNames = self:initFromArguments( commandLineArguments ) + self:registerSuite() + self:internalRunSuiteByInstances( listOfNameAndInst ) + self:unregisterSuite() + return self.result.notSuccessCount + end + + + +-- class LuaUnit + +-- For compatbility with LuaUnit v2 +M.run = M.LuaUnit.run +M.Run = M.LuaUnit.run + +function M:setVerbosity( verbosity ) + -- set the verbosity value (as integer) + M.LuaUnit.verbosity = verbosity +end +M.set_verbosity = M.setVerbosity +M.SetVerbosity = M.setVerbosity + + +return M \ No newline at end of file diff --git a/lib/preprocess-cl.lua b/lib/preprocess-cl.lua new file mode 100644 index 0000000..c4cae39 --- /dev/null +++ b/lib/preprocess-cl.lua @@ -0,0 +1,651 @@ +#!/bin/sh +_=[[ +exec lua "$0" "$@" +]]and nil +--============================================================== +--= +--= LuaPreprocess command line program +--= by Marcus 'ReFreezed' Thunström +--= +--= Requires preprocess.lua to be in the same folder! +--= +--= License: MIT (see the bottom of this file) +--= Website: http://refreezed.com/luapreprocess/ +--= Documentation: http://refreezed.com/luapreprocess/docs/command-line/ +--= +--= Tested with Lua 5.1, 5.2, 5.3, 5.4 and LuaJIT. +--= +--============================================================== +local help = [[ + +Script usage: + lua preprocess-cl.lua [options] [--] filepath1 [filepath2 ...] + OR + lua preprocess-cl.lua --outputpaths [options] [--] inputpath1 outputpath1 [inputpath2 outputpath2 ...] + + File paths can be "-" for usage of stdin/stdout. + +Examples: + lua preprocess-cl.lua --saveinfo=logs/info.lua --silent src/main.lua2p src/network.lua2p + lua preprocess-cl.lua --debug src/main.lua2p src/network.lua2p + lua preprocess-cl.lua --outputpaths --linenumbers src/main.lua2p output/main.lua src/network.lua2p output/network.lua + +Options: + --backtickstrings + Enable the backtick (`) to be used as string literal delimiters. + Backtick strings don't interpret any escape sequences and can't + contain other backticks. + + --data|-d="Any data." + A string with any data. If this option is present then the value + will be available through the global 'dataFromCommandLine' in the + processed files (and any message handler). Otherwise, + 'dataFromCommandLine' is nil. + + --faststrings + Force fast serialization of string values. (Non-ASCII characters + will look ugly.) + + --handler|-h=pathToMessageHandler + Path to a Lua file that's expected to return a function or a + table of functions. If it returns a function then it will be + called with various messages as it's first argument. If it's + a table, the keys should be the message names and the values + should be functions to handle the respective message. + (See 'Handler messages' and tests/quickTestHandler*.lua) + The file shares the same environment as the processed files. + + --help + Show this help. + + --jitsyntax + Allow LuaJIT-specific syntax, specifically literals for 64-bit + integers, complex numbers and binary numbers. + (https://luajit.org/ext_ffi_api.html#literals) + + --linenumbers + Add comments with line numbers to the output. + + --loglevel=levelName + Set maximum log level for the @@LOG() macro. Can be "off", + "error", "warning", "info", "debug" or "trace". The default is + "trace", which enables all logging. + + --macroprefix=prefix + String to prepend to macro names. + + --macrosuffix=suffix + String to append to macro names. + + --meta OR --meta=pathToSaveMetaprogramTo + Output the metaprogram to a temporary file (*.meta.lua). Useful if + an error happens when the metaprogram runs. This file is removed + if there's no error and --debug isn't enabled. + + --nogc + Stop the garbage collector. This may speed up the preprocessing. + + --nonil + Disallow !(expression) and outputValue() from outputting nil. + + --nostrictmacroarguments + Disable checks that macro arguments are valid Lua expressions. + + --novalidate + Disable validation of outputted Lua. + + --outputextension=fileExtension + Specify what file extension generated files should have. The + default is "lua". If any input files end in .lua then you must + specify another file extension with this option. (It's suggested + that you use .lua2p (as in "Lua To Process") as extension for + unprocessed files.) + + --outputpaths|-o + This flag makes every other specified path be the output path + for the previous path. + + --release + Enable release mode. Currently only disables the @@ASSERT() macro. + + --saveinfo|-i=pathToSaveProcessingInfoTo + Processing information includes what files had any preprocessor + code in them, and things like that. The format of the file is a + lua module that returns a table. Search this file for 'SavedInfo' + to see what information is saved. + + --silent + Only print errors to the console. (This flag is automatically + enabled if an output path is stdout.) + + --version + Print the version of LuaPreprocess to stdout and exit. + + --debug + Enable some preprocessing debug features. Useful if you want + to inspect the generated metaprogram (*.meta.lua). (This also + enables the --meta option.) + + -- + Stop options from being parsed further. Needed if you have paths + starting with "-" (except for usage of stdin/stdout). + +Handler messages: + "init" + Sent before any other message. + Arguments: + inputPaths: Array of file paths to process. Paths can be added or removed freely. + outputPaths: If the --outputpaths option is present this is an array of output paths for the respective path in inputPaths, otherwise it's nil. + + "insert" + Sent for each @insert"name" statement. The handler is expected to return a Lua code string. + Arguments: + path: The file being processed. + name: The name of the resource to be inserted (could be a file path or anything). + + "beforemeta" + Sent before a file's metaprogram runs, if a metaprogram is generated. + Arguments: + path: The file being processed. + luaString: The generated metaprogram. + + "aftermeta" + Sent after a file's metaprogram has produced output (before the output is written to a file). + Arguments: + path: The file being processed. + luaString: The produced Lua code. You can modify this and return the modified string. + + "filedone" + Sent after a file has finished processing and the output written to file. + Arguments: + path: The file being processed. + outputPath: Where the output of the metaprogram was written. + info: Info about the processed file. (See 'ProcessInfo' in preprocess.lua) + + "fileerror" + Sent if an error happens while processing a file (right before the program exits). + Arguments: + path: The file being processed. + error: The error message. + + "alldone" + Sent after all other messages (right before the program exits). + Arguments: + (none) +]] +--============================================================== + + + +local startTime = os.time() +local startClock = os.clock() + +local args = arg + +if not args[0] then error("Expected to run from the Lua interpreter.") end +local pp = dofile((args[0]:gsub("[^/\\]+$", "preprocess.lua"))) + +-- From args: +local addLineNumbers = false +local allowBacktickStrings = false +local allowJitSyntax = false +local canOutputNil = true +local customData = nil +local fastStrings = false +local hasOutputExtension = false +local hasOutputPaths = false +local isDebug = false +local outputExtension = "lua" +local outputMeta = false -- flag|path +local processingInfoPath = "" +local silent = false +local validate = true +local macroPrefix = "" +local macroSuffix = "" +local releaseMode = false +local maxLogLevel = "trace" +local strictMacroArguments = true + +--============================================================== +--= Local functions ============================================ +--============================================================== +local F = string.format + +local function formatBytes(n) + if n >= 1024*1024*1024 then + return F("%.2f GiB", n/(1024*1024*1024)) + elseif n >= 1024*1024 then + return F("%.2f MiB", n/(1024*1024)) + elseif n >= 1024 then + return F("%.2f KiB", n/(1024)) + elseif n == 1 then + return F("1 byte", n) + else + return F("%d bytes", n) + end +end + +local function printfNoise(s, ...) + print(s:format(...)) +end +local function printError(s) + io.stderr:write(s, "\n") +end +local function printfError(s, ...) + io.stderr:write(s:format(...), "\n") +end + +local function errorLine(err) + printError(pp.tryToFormatError(err)) + os.exit(1) +end + +local loadLuaFile = ( + (_VERSION >= "Lua 5.2" or jit) and function(path, env) + return loadfile(path, "bt", env) + end + or function(path, env) + local chunk, err = loadfile(path) + if not chunk then return nil, err end + + if env then setfenv(chunk, env) end + + return chunk + end +) + +--============================================================== +--= Preprocessor script ======================================== +--============================================================== + +io.stdout:setvbuf("no") +io.stderr:setvbuf("no") + +math.randomseed(os.time()) -- In case math.random() is used anywhere. +math.random() -- Must kickstart... + +local processOptions = true +local messageHandlerPath = "" +local pathsIn = {} +local pathsOut = {} + +for _, arg in ipairs(args) do + if processOptions and (arg:find"^%-%-?help$" or arg == "/?" or arg:find"^/[Hh][Ee][Ll][Pp]$") then + print("LuaPreprocess v"..pp.VERSION) + print((help:gsub("\t", " "))) + os.exit() + + elseif not (processOptions and arg:find"^%-.") then + local paths = (hasOutputPaths and #pathsOut < #pathsIn) and pathsOut or pathsIn + table.insert(paths, arg) + + if arg == "-" and (not hasOutputPaths or paths == pathsOut) then + silent = true + end + + elseif arg == "--" then + processOptions = false + + elseif arg:find"^%-%-data=" or arg:find"^%-d=" then + customData = arg:gsub("^.-=", "") + + elseif arg == "--backtickstrings" then + allowBacktickStrings = true + + elseif arg == "--debug" then + isDebug = true + outputMeta = outputMeta or true + + elseif arg:find"^%-%-handler=" or arg:find"^%-h=" then + messageHandlerPath = arg:gsub("^.-=", "") + + elseif arg == "--jitsyntax" then + allowJitSyntax = true + + elseif arg == "--linenumbers" then + addLineNumbers = true + + elseif arg == "--meta" then + outputMeta = true + elseif arg:find"^%-%-meta=" then + outputMeta = arg:gsub("^.-=", "") + + elseif arg == "--nonil" then + canOutputNil = false + + elseif arg == "--novalidate" then + validate = false + + elseif arg:find"^%-%-outputextension=" then + if hasOutputPaths then + errorLine("Cannot specify both --outputextension and --outputpaths") + end + hasOutputExtension = true + outputExtension = arg:gsub("^.-=", "") + + elseif arg == "--outputpaths" or arg == "-o" then + if hasOutputExtension then + errorLine("Cannot specify both --outputpaths and --outputextension") + elseif pathsIn[1] then + errorLine(arg.." must appear before any input path.") + end + hasOutputPaths = true + + elseif arg:find"^%-%-saveinfo=" or arg:find"^%-i=" then + processingInfoPath = arg:gsub("^.-=", "") + + elseif arg == "--silent" then + silent = true + + elseif arg == "--faststrings" then + fastStrings = true + + elseif arg == "--nogc" then + collectgarbage("stop") + + elseif arg:find"^%-%-macroprefix=" then + macroPrefix = arg:gsub("^.-=", "") + + elseif arg:find"^%-%-macrosuffix=" then + macroSuffix = arg:gsub("^.-=", "") + + elseif arg == "--release" then + releaseMode = true + + elseif arg:find"^%-%-loglevel=" then + maxLogLevel = arg:gsub("^.-=", "") + + elseif arg == "--version" then + io.stdout:write(pp.VERSION) + os.exit() + + elseif arg == "--nostrictmacroarguments" then + strictMacroArguments = false + + else + errorLine("Unknown option '"..arg:gsub("=.*", "").."'.") + end +end + +if silent then + printfNoise = function()end +end + +local header = "= LuaPreprocess v"..pp.VERSION..os.date(", %Y-%m-%d %H:%M:%S =", startTime) +printfNoise(("="):rep(#header)) +printfNoise("%s", header) +printfNoise(("="):rep(#header)) + +if hasOutputPaths and #pathsOut < #pathsIn then + errorLine("Missing output path for "..pathsIn[#pathsIn]) +end + + + +-- Prepare metaEnvironment. +pp.metaEnvironment.dataFromCommandLine = customData -- May be nil. + + + +-- Load message handler. +local messageHandler = nil + +local function hasMessageHandler(message) + if not messageHandler then + return false + + elseif type(messageHandler) == "function" then + return true + + elseif type(messageHandler) == "table" then + return messageHandler[message] ~= nil + + else + assert(false) + end +end + +local function sendMessage(message, ...) + if not messageHandler then + return + + elseif type(messageHandler) == "function" then + local returnValues = pp.pack(messageHandler(message, ...)) + return pp.unpack(returnValues, 1, returnValues.n) + + elseif type(messageHandler) == "table" then + local _messageHandler = messageHandler[message] + if not _messageHandler then return end + + local returnValues = pp.pack(_messageHandler(...)) + return pp.unpack(returnValues, 1, returnValues.n) + + else + assert(false) + end +end + +if messageHandlerPath ~= "" then + -- Make the message handler and the metaprogram share the same environment. + -- This way the message handler can easily define globals that the metaprogram uses. + local mainChunk, err = loadLuaFile(messageHandlerPath, pp.metaEnvironment) + if not mainChunk then + errorLine("Could not load message handler...\n"..pp.tryToFormatError(err)) + end + + messageHandler = mainChunk() + + if type(messageHandler) == "function" then + -- void + elseif type(messageHandler) == "table" then + for message, _messageHandler in pairs(messageHandler) do + if type(message) ~= "string" then + errorLine(messageHandlerPath..": Table of handlers must only contain messages as keys.") + elseif type(_messageHandler) ~= "function" then + errorLine(messageHandlerPath..": Table of handlers must only contain functions as values.") + end + end + else + errorLine(messageHandlerPath..": File did not return a table or a function.") + end +end + + + +-- Init stuff. +sendMessage("init", pathsIn, (hasOutputPaths and pathsOut or nil)) -- @Incomplete: Use pcall and format error message better? + +if not hasOutputPaths then + for i, pathIn in ipairs(pathsIn) do + pathsOut[i] = (pathIn == "-") and "-" or pathIn:gsub("%.%w+$", "").."."..outputExtension + end +end + +if not pathsIn[1] then + errorLine("No path(s) specified.") +elseif #pathsIn ~= #pathsOut then + errorLine(F("Number of input and output paths differ. (%d in, %d out)", #pathsIn, #pathsOut)) +end + +local pathsSetIn = {} +local pathsSetOut = {} + +for i = 1, #pathsIn do + if pathsSetIn [pathsIn [i]] then errorLine("Duplicate input path: " ..pathsIn [i]) end + if pathsSetOut[pathsOut[i]] then errorLine("Duplicate output path: "..pathsOut[i]) end + + pathsSetIn [pathsIn [i]] = true + pathsSetOut[pathsOut[i]] = true + + if pathsIn [i] ~= "-" and pathsSetOut[pathsIn [i]] then errorLine("Path is both input and output: "..pathsIn [i]) end + if pathsOut[i] ~= "-" and pathsSetIn [pathsOut[i]] then errorLine("Path is both input and output: "..pathsOut[i]) end +end + + + +-- Process files. + +-- :SavedInfo +local processingInfo = { + date = os.date("%Y-%m-%d %H:%M:%S", startTime), + files = {}, +} + +local byteCount = 0 +local lineCount = 0 +local lineCountCode = 0 +local tokenCount = 0 + +for i, pathIn in ipairs(pathsIn) do + local startClockForPath = os.clock() + printfNoise("Processing '%s'...", pathIn) + + local pathOut = pathsOut[i] + local pathMeta = (type(outputMeta) == "string") and outputMeta or pathOut:gsub("%.%w+$", "")..".meta.lua" + + if not outputMeta or pathOut == "-" then + pathMeta = nil + end + + local info, err = pp.processFile{ + pathIn = pathIn, + pathMeta = pathMeta, + pathOut = pathOut, + + debug = isDebug, + addLineNumbers = addLineNumbers, + + backtickStrings = allowBacktickStrings, + jitSyntax = allowJitSyntax, + canOutputNil = canOutputNil, + fastStrings = fastStrings, + validate = validate, + strictMacroArguments = strictMacroArguments, + + macroPrefix = macroPrefix, + macroSuffix = macroSuffix, + + release = releaseMode, + logLevel = maxLogLevel, + + onInsert = (hasMessageHandler("insert") or nil) and function(name) + local lua = sendMessage("insert", pathIn, name) + + -- onInsert() is expected to return a Lua code string and so is the message + -- handler. However, if the handler is a single catch-all function we allow + -- the message to not be handled and we fall back to the default behavior of + -- treating 'name' as a path to a file to be inserted. If we didn't allow this + -- then it would be required for the "insert" message to be handled. I think + -- it's better if the user can choose whether to handle a message or not! + -- + if lua == nil and type(messageHandler) == "function" then + return assert(pp.readFile(name)) + end + + return lua + end, + + onBeforeMeta = messageHandler and function(lua) + sendMessage("beforemeta", pathIn, lua) + end, + + onAfterMeta = messageHandler and function(lua) + local luaModified = sendMessage("aftermeta", pathIn, lua) + + if type(luaModified) == "string" then + lua = luaModified + + elseif luaModified ~= nil then + error(F( + "%s: Message handler did not return a string for 'aftermeta'. (Got %s)", + messageHandlerPath, type(luaModified) + )) + end + + return lua + end, + + onDone = messageHandler and function(info) + sendMessage("filedone", pathIn, pathOut, info) + end, + + onError = function(err) + xpcall(function() + sendMessage("fileerror", pathIn, err) + end, function(err) + printfError("Additional error in 'fileerror' message handler...\n%s", pp.tryToFormatError(err)) + end) + os.exit(1) + end, + } + assert(info, err) -- The onError() handler above should have been called and we should have exited already. + + byteCount = byteCount + info.processedByteCount + lineCount = lineCount + info.lineCount + lineCountCode = lineCountCode + info.linesOfCode + tokenCount = tokenCount + info.tokenCount + + if processingInfoPath ~= "" then + + -- :SavedInfo + table.insert(processingInfo.files, info) -- See 'ProcessInfo' in preprocess.lua for what more 'info' contains. + + end + + printfNoise("Processing '%s' successful! (%.3fs)", pathIn, os.clock()-startClockForPath) + printfNoise(("-"):rep(#header)) +end + + + +-- Finalize stuff. +if processingInfoPath ~= "" then + printfNoise("Saving processing info to '%s'.", processingInfoPath) + + local luaParts = {"return"} + assert(pp.serialize(luaParts, processingInfo)) + local lua = table.concat(luaParts) + + local file = assert(io.open(processingInfoPath, "wb")) + file:write(lua) + file:close() +end + +printfNoise( + "All done! (%.3fs, %.0f file%s, %.0f LOC, %.0f line%s, %.0f token%s, %s)", + os.clock()-startClock, + #pathsIn, (#pathsIn == 1) and "" or "s", + lineCountCode, + lineCount, (lineCount == 1) and "" or "s", + tokenCount, (tokenCount == 1) and "" or "s", + formatBytes(byteCount) +) + +sendMessage("alldone") -- @Incomplete: Use pcall and format error message better? + + + +--[[!=========================================================== + +Copyright © 2018-2022 Marcus 'ReFreezed' Thunström + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + +==============================================================]] + diff --git a/lib/preprocess.lua b/lib/preprocess.lua new file mode 100644 index 0000000..52d8a5e --- /dev/null +++ b/lib/preprocess.lua @@ -0,0 +1,3910 @@ +--[[============================================================ +--= +--= LuaPreprocess v1.21-dev - preprocessing library +--= by Marcus 'ReFreezed' Thunström +--= +--= License: MIT (see the bottom of this file) +--= Website: http://refreezed.com/luapreprocess/ +--= Documentation: http://refreezed.com/luapreprocess/docs/ +--= +--= Tested with Lua 5.1, 5.2, 5.3, 5.4 and LuaJIT. +--= +--============================================================== + + API: + + Global functions in metaprograms: + - copyTable + - escapePattern + - getIndentation + - isProcessing + - pack + - pairsSorted + - printf + - readFile, writeFile, fileExists + - run + - sortNatural, compareNatural + - tokenize, newToken, concatTokens, removeUselessTokens, eachToken, isToken, getNextUsefulToken + - toLua, serialize, evaluate + Only during processing: + - getCurrentPathIn, getCurrentPathOut + - getOutputSoFar, getOutputSoFarOnLine, getOutputSizeSoFar, getCurrentLineNumberInOutput, getCurrentIndentationInOutput + - loadResource, callMacro + - outputValue, outputLua, outputLuaTemplate + - startInterceptingOutput, stopInterceptingOutput + Macros: + - ASSERT + - LOG + Search this file for 'EnvironmentTable' and 'PredefinedMacros' for more info. + + Exported stuff from the library: + - (all the functions above) + - VERSION + - metaEnvironment + - processFile, processString + Search this file for 'ExportTable' for more info. + +---------------------------------------------------------------- + + How to metaprogram: + + The exclamation mark (!) is used to indicate what code is part of + the metaprogram. There are 4 main ways to write metaprogram code: + + !... The line will simply run during preprocessing. The line can span multiple actual lines if it contains brackets. + !!... The line will appear in both the metaprogram and the final program. The line must be an assignment. + !(...) The result of the parenthesis will be outputted as a literal if it's an expression, otherwise it'll just run. + !!(...) The result of the expression in the parenthesis will be outputted as Lua code. The result must be a string. + + Short examples: + + !if not isDeveloper then + sendTelemetry() + !end + + !!local tau = 2*math.pi -- The expression will be evaluated in the metaprogram and the result will appear in the final program as a literal. + + local bigNumber = !(5^10) + + local font = !!(isDeveloper and "loadDevFont()" or "loadUserFont()") + + -- See the full documentation for additional features (like macros): + -- http://refreezed.com/luapreprocess/docs/extra-functionality/ + +---------------------------------------------------------------- + + -- Example program: + + -- Normal Lua. + local n = 0 + doTheThing() + + -- Preprocessor lines. + local n = 0 + !if math.random() < 0.5 then + n = n+10 -- Normal Lua. + -- Note: In the final program, this will be in the + -- same scope as 'local n = 0' here above. + !end + + !for i = 1, 3 do + print("3 lines with print().") + !end + + -- Extended preprocessor line. (Lines are consumed until brackets + -- are balanced when the end of the line has been reached.) + !newClass{ -- Starts here. + name = "Entity", + props = {x=0, y=0}, + } -- Ends here. + + -- Preprocessor block. + !( + local dogWord = "Woof " + function getDogText() + return dogWord:rep(3) + end + ) + + -- Preprocessor inline block. (Expression that returns a value.) + local text = !("The dog said: "..getDogText()) + + -- Preprocessor inline block variant. (Expression that returns a Lua code string.) + _G.!!("myRandomGlobal"..math.random(5)) = 99 + + -- Dual code (both preprocessor line and final output). + !!local partial = "Hello" + local whole = partial .. !(partial..", world!") + print(whole) -- HelloHello, world! + + -- Beware in preprocessor blocks that only call a single function! + !( func() ) -- This will bee seen as an inline block and output whatever value func() returns as a literal. + !( func(); ) -- If that's not wanted then a trailing `;` will prevent that. This line won't output anything by itself. + -- When the full metaprogram is generated, `!(func())` translates into `outputValue(func())` + -- while `!(func();)` simply translates into `func();` (because `outputValue(func();)` would be invalid Lua code). + -- Though in this specific case a preprocessor line (without the parenthesis) would be nicer: + !func() + + -- For the full documentation, see: + -- http://refreezed.com/luapreprocess/docs/ + +--============================================================]] + + + +local PP_VERSION = "1.21.0-dev" + +local MAX_DUPLICATE_FILE_INSERTS = 1000 -- @Incomplete: Make this a parameter for processFile()/processString(). +local MAX_CODE_LENGTH_IN_MESSAGES = 60 + +local KEYWORDS = { + "and","break","do","else","elseif","end","false","for","function","if","in", + "local","nil","not","or","repeat","return","then","true","until","while", + -- Lua 5.2 + "goto", -- @Incomplete: A parameter to disable this for Lua 5.1? +} for i, v in ipairs(KEYWORDS) do KEYWORDS[v], KEYWORDS[i] = true, nil end + +local PREPROCESSOR_KEYWORDS = { + "file","insert","line", +} for i, v in ipairs(PREPROCESSOR_KEYWORDS) do PREPROCESSOR_KEYWORDS[v], PREPROCESSOR_KEYWORDS[i] = true, nil end + +local PUNCTUATION = { + "+", "-", "*", "/", "%", "^", "#", + "==", "~=", "<=", ">=", "<", ">", "=", + "(", ")", "{", "}", "[", "]", + ";", ":", ",", ".", "..", "...", + -- Lua 5.2 + "::", + -- Lua 5.3 + "//", "&", "|", "~", ">>", "<<", +} for i, v in ipairs(PUNCTUATION) do PUNCTUATION[v], PUNCTUATION[i] = true, nil end + +local ESCAPE_SEQUENCES_EXCEPT_QUOTES = { + ["\a"] = [[\a]], + ["\b"] = [[\b]], + ["\f"] = [[\f]], + ["\n"] = [[\n]], + ["\r"] = [[\r]], + ["\t"] = [[\t]], + ["\v"] = [[\v]], + ["\\"] = [[\\]], +} +local ESCAPE_SEQUENCES = { + ["\""] = [[\"]], + ["\'"] = [[\']], +} for k, v in pairs(ESCAPE_SEQUENCES_EXCEPT_QUOTES) do ESCAPE_SEQUENCES[k] = v end + +local USELESS_TOKENS = {whitespace=true, comment=true} + +local LOG_LEVELS = { + ["off" ] = 0, + ["error" ] = 1, + ["warning"] = 2, + ["info" ] = 3, + ["debug" ] = 4, + ["trace" ] = 5, +} + +local metaEnv = nil +local dummyEnv = {} + +-- Controlled by processFileOrString(): +local current_parsingAndMeta_isProcessing = false +local current_parsingAndMeta_isDebug = false + +-- Controlled by _processFileOrString(): +local current_anytime_isRunningMeta = false +local current_anytime_pathIn = "" +local current_anytime_pathOut = "" +local current_anytime_fastStrings = false +local current_parsing_insertCount = 0 +local current_parsingAndMeta_onInsert = nil +local current_parsingAndMeta_resourceCache = nil +local current_parsingAndMeta_addLineNumbers = false +local current_parsingAndMeta_macroPrefix = "" +local current_parsingAndMeta_macroSuffix = "" +local current_parsingAndMeta_strictMacroArguments = true +local current_meta_pathForErrorMessages = "" +local current_meta_output = nil -- Top item in current_meta_outputStack. +local current_meta_outputStack = nil +local current_meta_canOutputNil = true +local current_meta_releaseMode = false +local current_meta_maxLogLevel = "trace" +local current_meta_locationTokens = nil + + + +--============================================================== +--= Local Functions ============================================ +--============================================================== + +local assertarg +local countString, countSubString +local getLineNumber +local loadLuaString +local maybeOutputLineNumber +local sortNatural +local tableInsert, tableRemove, tableInsertFormat +local utf8GetCodepointAndLength + + + +local F = string.format + +local function tryToFormatError(err0) + local err, path, ln = nil + + if type(err0) == "string" then + do path, ln, err = err0:match"^(%a:[%w_/\\.]+):(%d+): (.*)" + if not err then path, ln, err = err0:match"^([%w_/\\.]+):(%d+): (.*)" + if not err then path, ln, err = err0:match"^(%S-):(%d+): (.*)" + end end end + end + + if err then + return F("Error @ %s:%s: %s", path, ln, err) + else + return "Error: "..tostring(err0) + end +end + + + +local function printf(s, ...) + print(F(s, ...)) +end + +-- printTokens( tokens [, filterUselessTokens ] ) +local function printTokens(tokens, filter) + for i, tok in ipairs(tokens) do + if not (filter and USELESS_TOKENS[tok.type]) then + printf("%d %-12s '%s'", i, tok.type, (F("%q", tostring(tok.value)):sub(2, -2):gsub("\\\n", "\\n"))) + end + end +end + +local function printError(s) + io.stderr:write(s, "\n") +end +local function printfError(s, ...) + printError(F(s, ...)) +end + +-- message = formatTraceback( [ level=1 ] ) +local function formatTraceback(level) + local buffer = {} + tableInsert(buffer, "stack traceback:\n") + + level = 1 + (level or 1) + local stack = {} + + while level < 1/0 do + local info = debug.getinfo(level, "nSl") + if not info then break end + + local isFile = info.source:find"^@" ~= nil + local sourceName = (isFile and info.source:sub(2) or info.short_src) + + local subBuffer = {"\t"} + tableInsertFormat(subBuffer, "%s:", sourceName) + + if info.currentline > 0 then + tableInsertFormat(subBuffer, "%d:", info.currentline) + end + + if (info.name or "") ~= "" then + tableInsertFormat(subBuffer, " in '%s'", info.name) + elseif info.what == "main" then + tableInsert(subBuffer, " in main chunk") + elseif info.what == "C" or info.what == "tail" then + tableInsert(subBuffer, " ?") + else + tableInsertFormat(subBuffer, " in <%s:%d>", sourceName:gsub("^.*[/\\]", ""), info.linedefined) + end + + tableInsert(stack, table.concat(subBuffer)) + level = level + 1 + end + + while stack[#stack] == "\t[C]: ?" do + stack[#stack] = nil + end + + for _, s in ipairs(stack) do + tableInsert(buffer, s) + tableInsert(buffer, "\n") + end + + return table.concat(buffer) +end + +-- printErrorTraceback( message [, level=1 ] ) +local function printErrorTraceback(message, level) + printError(tryToFormatError(message)) + printError(formatTraceback(1+(level or 1))) +end + +-- debugExit( ) +-- debugExit( messageValue ) +-- debugExit( messageFormat, ... ) +local function debugExit(...) + if select("#", ...) > 1 then + printfError(...) + elseif select("#", ...) == 1 then + printError(...) + end + os.exit(2) +end + + + +-- errorf( [ level=1, ] string, ... ) +local function errorf(sOrLevel, ...) + if type(sOrLevel) == "number" then + error(F(...), (sOrLevel == 0 and 0 or 1+sOrLevel)) + else + error(F(sOrLevel, ...), 2) + end +end + +-- local function errorLine(err) -- Unused. +-- if type(err) ~= "string" then error(err) end +-- error("\0"..err, 0) -- The 0 tells our own error handler not to print the traceback. +-- end +local function errorfLine(s, ...) + errorf(0, (current_parsingAndMeta_isProcessing and "\0" or "")..s, ...) -- The \0 tells our own error handler not to print the traceback. +end + +-- errorOnLine( path, lineNumber, agent=nil, s, ... ) +local function errorOnLine(path, ln, agent, s, ...) + s = F(s, ...) + if agent then + errorfLine("%s:%d: [%s] %s", path, ln, agent, s) + else + errorfLine("%s:%d: %s", path, ln, s) + end +end + +local errorInFile, runtimeErrorInFile +do + local function findStartOfLine(s, pos, canBeEmpty) + while pos > 1 do + if s:byte(pos-1) == 10--[[\n]] and (canBeEmpty or s:byte(pos) ~= 10--[[\n]]) then break end + pos = pos - 1 + end + return math.max(pos, 1) + end + local function findEndOfLine(s, pos) + while pos < #s do + if s:byte(pos+1) == 10--[[\n]] then break end + pos = pos + 1 + end + return math.min(pos, #s) + end + + local function _errorInFile(level, contents, path, pos, agent, s, ...) + s = F(s, ...) + + pos = math.min(math.max(pos, 1), #contents+1) + local ln = getLineNumber(contents, pos) + + local lineStart = findStartOfLine(contents, pos, true) + local lineEnd = findEndOfLine (contents, pos-1) + local linePre1Start = findStartOfLine(contents, lineStart-1, false) + local linePre1End = findEndOfLine (contents, linePre1Start-1) + local linePre2Start = findStartOfLine(contents, linePre1Start-1, false) + local linePre2End = findEndOfLine (contents, linePre2Start-1) + -- printfError("pos %d | lines %d..%d, %d..%d, %d..%d", pos, linePre2Start,linePre2End+1, linePre1Start,linePre1End+1, lineStart,lineEnd+1) -- DEBUG + + errorOnLine(path, ln, agent, "%s\n>\n%s%s%s>-%s^%s", + s, + (linePre2Start < linePre1Start and linePre2Start <= linePre2End) and F("> %s\n", (contents:sub(linePre2Start, linePre2End):gsub("\t", " "))) or "", + (linePre1Start < lineStart and linePre1Start <= linePre1End) and F("> %s\n", (contents:sub(linePre1Start, linePre1End):gsub("\t", " "))) or "", + ( lineStart <= lineEnd ) and F("> %s\n", (contents:sub(lineStart, lineEnd ):gsub("\t", " "))) or ">\n", + ("-"):rep(pos - lineStart + 3*countSubString(contents, lineStart, lineEnd, "\t", true)), + (level and "\n"..formatTraceback(1+level) or "") + ) + end + + -- errorInFile( contents, path, pos, agent, s, ... ) + --[[local]] function errorInFile(...) + _errorInFile(nil, ...) + end + + -- runtimeErrorInFile( level, contents, path, pos, agent, s, ... ) + --[[local]] function runtimeErrorInFile(level, ...) + _errorInFile(1+level, ...) + end +end + +-- errorAtToken( token, position=token.position, agent, s, ... ) +local function errorAtToken(tok, pos, agent, s, ...) + -- printErrorTraceback("errorAtToken", 2) -- DEBUG + errorInFile(current_parsingAndMeta_resourceCache[tok.file], tok.file, (pos or tok.position), agent, s, ...) +end + +-- errorAfterToken( token, agent, s, ... ) +local function errorAfterToken(tok, agent, s, ...) + -- printErrorTraceback("errorAfterToken", 2) -- DEBUG + errorInFile(current_parsingAndMeta_resourceCache[tok.file], tok.file, tok.position+#tok.representation, agent, s, ...) +end + +-- runtimeErrorAtToken( level, token, position=token.position, agent, s, ... ) +local function runtimeErrorAtToken(level, tok, pos, agent, s, ...) + -- printErrorTraceback("runtimeErrorAtToken", 2) -- DEBUG + runtimeErrorInFile(1+level, current_parsingAndMeta_resourceCache[tok.file], tok.file, (pos or tok.position), agent, s, ...) +end + +-- internalError( [ message|value ] ) +local function internalError(message) + message = message and " ("..tostring(message)..")" or "" + error("Internal error."..message, 2) +end + + + +local function cleanError(err) + if type(err) == "string" then + err = err:gsub("%z", "") + end + return err +end + + + +local function formatCodeForShortMessage(lua) + lua = lua:gsub("^%s+", ""):gsub("%s+$", ""):gsub("%s+", " ") + + if #lua > MAX_CODE_LENGTH_IN_MESSAGES then + lua = lua:sub(1, MAX_CODE_LENGTH_IN_MESSAGES/2) .. "..." .. lua:sub(-MAX_CODE_LENGTH_IN_MESSAGES/2) + end + + return lua +end + + + +local ERROR_UNFINISHED_STRINGLIKE = 1 + +local function parseStringlikeToken(s, ptr) + local reprStart = ptr + local reprEnd + + local valueStart + local valueEnd + + local longEqualSigns = s:match("^%[(=*)%[", ptr) + local isLong = longEqualSigns ~= nil + + -- Single line. + if not isLong then + valueStart = ptr + + local i = s:find("\n", ptr, true) + if not i then + reprEnd = #s + valueEnd = #s + ptr = reprEnd + 1 + else + reprEnd = i + valueEnd = i - 1 + ptr = reprEnd + 1 + end + + -- Multiline. + else + ptr = ptr + 1 + #longEqualSigns + 1 + valueStart = ptr + + local i1, i2 = s:find("]"..longEqualSigns.."]", ptr, true) + if not i1 then + return nil, ERROR_UNFINISHED_STRINGLIKE + end + + reprEnd = i2 + valueEnd = i1 - 1 + ptr = reprEnd + 1 + end + + local repr = s:sub(reprStart, reprEnd) + local v = s:sub(valueStart, valueEnd) + local tok = {type="stringlike", representation=repr, value=v, long=isLong} + + return tok, ptr +end + + + +local NUM_HEX_FRAC_EXP = ("^( 0[Xx] (%x*) %.(%x+) [Pp]([-+]?%x+) )"):gsub(" +", "") +local NUM_HEX_FRAC = ("^( 0[Xx] (%x*) %.(%x+) )"):gsub(" +", "") +local NUM_HEX_EXP = ("^( 0[Xx] (%x+) %.? [Pp]([-+]?%x+) )"):gsub(" +", "") +local NUM_HEX = ("^( 0[Xx] %x+ %.? )"):gsub(" +", "") +local NUM_DEC_FRAC_EXP = ("^( %d* %.%d+ [Ee][-+]?%d+ )"):gsub(" +", "") +local NUM_DEC_FRAC = ("^( %d* %.%d+ )"):gsub(" +", "") +local NUM_DEC_EXP = ("^( %d+ %.? [Ee][-+]?%d+ )"):gsub(" +", "") +local NUM_DEC = ("^( %d+ %.? )"):gsub(" +", "") + +-- tokens = _tokenize( luaString, path, allowPreprocessorTokens, allowBacktickStrings, allowJitSyntax ) +local function _tokenize(s, path, allowPpTokens, allowBacktickStrings, allowJitSyntax) + s = s:gsub("\r", "") -- Normalize line breaks. (Assume the input is either "\n" or "\r\n".) + + local tokens = {} + local ptr = 1 + local ln = 1 + + while ptr <= #s do + local tok + local tokenPos = ptr + + -- Whitespace. + if s:find("^%s", ptr) then + local i1, i2, whitespace = s:find("^(%s+)", ptr) + + ptr = i2+1 + tok = {type="whitespace", representation=whitespace, value=whitespace} + + -- Identifier/keyword. + elseif s:find("^[%a_]", ptr) then + local i1, i2, word = s:find("^([%a_][%w_]*)", ptr) + ptr = i2+1 + + if KEYWORDS[word] then + tok = {type="keyword", representation=word, value=word} + else + tok = {type="identifier", representation=word, value=word} + end + + -- Number (binary). + elseif s:find("^0b", ptr) then + if not allowJitSyntax then + errorInFile(s, path, ptr, "Tokenizer", "Encountered binary numeral. (Feature not enabled.)") + end + + local i1, i2, numStr = s:find("^(..[01]+)", ptr) + + -- @Copypaste from below. + if not numStr then + errorInFile(s, path, ptr, "Tokenizer", "Malformed number.") + end + + local numStrFallback = numStr + + do + if s:find("^[Ii]", i2+1) then -- Imaginary part of complex number. + numStr = s:sub(i1, i2+1) + i2 = i2 + 1 + + elseif s:find("^[Uu][Ll][Ll]", i2+1) then -- Unsigned 64-bit integer. + numStr = s:sub(i1, i2+3) + i2 = i2 + 3 + elseif s:find("^[Ll][Ll]", i2+1) then -- Signed 64-bit integer. + numStr = s:sub(i1, i2+2) + i2 = i2 + 2 + end + end + + local n = tonumber(numStr) or tonumber(numStrFallback) or tonumber(numStrFallback:sub(3), 2) + + if not n then + errorInFile(s, path, ptr, "Tokenizer", "Invalid number.") + end + + if s:find("^[%w_]", i2+1) then + -- This is actually not an error in Lua 5.2 and 5.3. Maybe we should issue a warning instead of an error here? + errorInFile(s, path, i2+1, "Tokenizer", "Malformed number.") + end + + ptr = i2 + 1 + tok = {type="number", representation=numStrFallback, value=n} + + -- Number. + elseif s:find("^%.?%d", ptr) then + local pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_HEX_FRAC_EXP, false, true , s:find(NUM_HEX_FRAC_EXP, ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_HEX_FRAC , false, true , s:find(NUM_HEX_FRAC , ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_HEX_EXP , false, true , s:find(NUM_HEX_EXP , ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_HEX , true , false, s:find(NUM_HEX , ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_DEC_FRAC_EXP, false, false, s:find(NUM_DEC_FRAC_EXP, ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_DEC_FRAC , false, false, s:find(NUM_DEC_FRAC , ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_DEC_EXP , false, false, s:find(NUM_DEC_EXP , ptr) + if not i1 then pat, maybeInt, lua52Hex, i1, i2, numStr = NUM_DEC , true , false, s:find(NUM_DEC , ptr) + end end end end end end end + + if not numStr then + errorInFile(s, path, ptr, "Tokenizer", "Malformed number.") + end + + local numStrFallback = numStr + + if allowJitSyntax then + if s:find("^[Ii]", i2+1) then -- Imaginary part of complex number. + numStr = s:sub(i1, i2+1) + i2 = i2 + 1 + + elseif not maybeInt or numStr:find(".", 1, true) then + -- void + + elseif s:find("^[Uu][Ll][Ll]", i2+1) then -- Unsigned 64-bit integer. + numStr = s:sub(i1, i2+3) + i2 = i2 + 3 + elseif s:find("^[Ll][Ll]", i2+1) then -- Signed 64-bit integer. + numStr = s:sub(i1, i2+2) + i2 = i2 + 2 + end + end + + local n = tonumber(numStr) or tonumber(numStrFallback) + + -- Support hexadecimal floats in Lua 5.1. + if not n and lua52Hex then + -- Note: We know we're not running LuaJIT here as it supports hexadecimal floats, thus we use numStrFallback instead of numStr. + local _, intStr, fracStr, expStr + if pat == NUM_HEX_FRAC_EXP then _, intStr, fracStr, expStr = numStrFallback:match(NUM_HEX_FRAC_EXP) + elseif pat == NUM_HEX_FRAC then _, intStr, fracStr = numStrFallback:match(NUM_HEX_FRAC) ; expStr = "0" + elseif pat == NUM_HEX_EXP then _, intStr, expStr = numStrFallback:match(NUM_HEX_EXP) ; fracStr = "" + else internalError() end + + n = tonumber(intStr, 16) or 0 -- intStr may be "". + + local fracValue = 1 + for i = 1, #fracStr do + fracValue = fracValue/16 + n = n+tonumber(fracStr:sub(i, i), 16)*fracValue + end + + n = n*2^expStr:gsub("^+", "") + end + + if not n then + errorInFile(s, path, ptr, "Tokenizer", "Invalid number.") + end + + if s:find("^[%w_]", i2+1) then + -- This is actually not an error in Lua 5.2 and 5.3. Maybe we should issue a warning instead of an error here? + errorInFile(s, path, i2+1, "Tokenizer", "Malformed number.") + end + + ptr = i2+1 + tok = {type="number", representation=numStrFallback, value=n} + + -- Comment. + elseif s:find("^%-%-", ptr) then + local reprStart = ptr + ptr = ptr+2 + + tok, ptr = parseStringlikeToken(s, ptr) + if not tok then + local errCode = ptr + if errCode == ERROR_UNFINISHED_STRINGLIKE then + errorInFile(s, path, reprStart, "Tokenizer", "Unfinished long comment.") + else + errorInFile(s, path, reprStart, "Tokenizer", "Invalid comment.") + end + end + + if tok.long then + -- Check for nesting of [[...]], which is deprecated in Lua. + local chunk, err = loadLuaString("--"..tok.representation, "@", nil) + + if not chunk then + local lnInString, luaErr = err:match'^:(%d+): (.*)' + if luaErr then + errorOnLine(path, getLineNumber(s, reprStart)+tonumber(lnInString)-1, "Tokenizer", "Malformed long comment. (%s)", luaErr) + else + errorInFile(s, path, reprStart, "Tokenizer", "Malformed long comment.") + end + end + end + + tok.type = "comment" + tok.representation = s:sub(reprStart, ptr-1) + + -- String (short). + elseif s:find([=[^["']]=], ptr) then + local reprStart = ptr + local reprEnd + + local quoteChar = s:sub(ptr, ptr) + ptr = ptr+1 + + local valueStart = ptr + local valueEnd + + while true do + local c = s:sub(ptr, ptr) + + if c == "" then + errorInFile(s, path, reprStart, "Tokenizer", "Unfinished string.") + + elseif c == quoteChar then + reprEnd = ptr + valueEnd = ptr-1 + ptr = reprEnd+1 + break + + elseif c == "\\" then + -- Note: We don't have to look for multiple characters after + -- the escape, like \nnn - this algorithm works anyway. + if ptr+1 > #s then + errorInFile(s, path, reprStart, "Tokenizer", "Unfinished string after escape.") + end + ptr = ptr+2 + + elseif c == "\n" then + -- Can't have unescaped newlines. Lua, this is a silly rule! @Ugh + errorInFile(s, path, ptr, "Tokenizer", "Newlines must be escaped in strings.") + + else + ptr = ptr+1 + end + end + + local repr = s:sub(reprStart, reprEnd) + + local valueChunk = loadLuaString("return"..repr, nil, nil) + if not valueChunk then + errorInFile(s, path, reprStart, "Tokenizer", "Malformed string.") + end + + local v = valueChunk() + assert(type(v) == "string") + + tok = {type="string", representation=repr, value=valueChunk(), long=false} + + -- Long string. + elseif s:find("^%[=*%[", ptr) then + local reprStart = ptr + + tok, ptr = parseStringlikeToken(s, ptr) + if not tok then + local errCode = ptr + if errCode == ERROR_UNFINISHED_STRINGLIKE then + errorInFile(s, path, reprStart, "Tokenizer", "Unfinished long string.") + else + errorInFile(s, path, reprStart, "Tokenizer", "Invalid long string.") + end + end + + -- Check for nesting of [[...]], which is deprecated in Lua. + local valueChunk, err = loadLuaString("return"..tok.representation, "@", nil) + + if not valueChunk then + local lnInString, luaErr = err:match'^:(%d+): (.*)' + if luaErr then + errorOnLine(path, getLineNumber(s, reprStart)+tonumber(lnInString)-1, "Tokenizer", "Malformed long string. (%s)", luaErr) + else + errorInFile(s, path, reprStart, "Tokenizer", "Malformed long string.") + end + end + + local v = valueChunk() + assert(type(v) == "string") + + tok.type = "string" + tok.value = v + + -- Backtick string. + elseif s:find("^`", ptr) then + if not allowBacktickStrings then + errorInFile(s, path, ptr, "Tokenizer", "Encountered backtick string. (Feature not enabled.)") + end + + local i1, i2, repr, v = s:find("^(`([^`]*)`)", ptr) + if not i2 then + errorInFile(s, path, ptr, "Tokenizer", "Unfinished backtick string.") + end + + ptr = i2+1 + tok = {type="string", representation=repr, value=v, long=false} + + -- Punctuation etc. + elseif s:find("^%.%.%.", ptr) then -- 3 + local repr = s:sub(ptr, ptr+2) + tok = {type="punctuation", representation=repr, value=repr} + ptr = ptr+#repr + elseif s:find("^%.%.", ptr) or s:find("^[=~<>]=", ptr) or s:find("^::", ptr) or s:find("^//", ptr) or s:find("^<<", ptr) or s:find("^>>", ptr) then -- 2 + local repr = s:sub(ptr, ptr+1) + tok = {type="punctuation", representation=repr, value=repr} + ptr = ptr+#repr + elseif s:find("^[+%-*/%%^#<>=(){}[%];:,.&|~]", ptr) then -- 1 + local repr = s:sub(ptr, ptr) + tok = {type="punctuation", representation=repr, value=repr} + ptr = ptr+#repr + + -- Preprocessor entry. + elseif s:find("^!", ptr) then + if not allowPpTokens then + errorInFile(s, path, ptr, "Tokenizer", "Encountered preprocessor entry. (Feature not enabled.)") + end + + local double = s:find("^!", ptr+1) ~= nil + local repr = s:sub(ptr, ptr+(double and 1 or 0)) + + tok = {type="pp_entry", representation=repr, value=repr, double=double} + ptr = ptr+#repr + + -- Preprocessor keyword. + elseif s:find("^@", ptr) then + if not allowPpTokens then + errorInFile(s, path, ptr, "Tokenizer", "Encountered preprocessor keyword. (Feature not enabled.)") + end + + if s:find("^@@", ptr) then + ptr = ptr+2 + tok = {type="pp_keyword", representation="@@", value="insert"} + else + local i1, i2, repr, word = s:find("^(@([%a_][%w_]*))", ptr) + if not i1 then + errorInFile(s, path, ptr+1, "Tokenizer", "Expected an identifier.") + elseif not PREPROCESSOR_KEYWORDS[word] then + errorInFile(s, path, ptr+1, "Tokenizer", "Invalid preprocessor keyword '%s'.", word) + end + ptr = i2+1 + tok = {type="pp_keyword", representation=repr, value=word} + end + + -- Preprocessor symbol. + elseif s:find("^%$", ptr) then + if not allowPpTokens then + errorInFile(s, path, ptr, "Tokenizer", "Encountered preprocessor symbol. (Feature not enabled.)") + end + + local i1, i2, repr, word = s:find("^(%$([%a_][%w_]*))", ptr) + if not i1 then + errorInFile(s, path, ptr+1, "Tokenizer", "Expected an identifier.") + elseif KEYWORDS[word] then + errorInFile(s, path, ptr+1, "Tokenizer", "Invalid preprocessor symbol '%s'. (Must not be a Lua keyword.)", word) + end + ptr = i2+1 + tok = {type="pp_symbol", representation=repr, value=word} + + else + errorInFile(s, path, ptr, "Tokenizer", "Unknown character.") + end + + tok.line = ln + tok.position = tokenPos + tok.file = path + + ln = ln+countString(tok.representation, "\n", true) + tok.lineEnd = ln + + tableInsert(tokens, tok) + -- print(#tokens, tok.type, tok.representation) -- DEBUG + end + + return tokens +end + + + +-- luaString = _concatTokens( tokens, lastLn=nil, addLineNumbers, fromIndex=1, toIndex=#tokens ) +local function _concatTokens(tokens, lastLn, addLineNumbers, i1, i2) + local parts = {} + + if addLineNumbers then + for i = (i1 or 1), (i2 or #tokens) do + local tok = tokens[i] + lastLn = maybeOutputLineNumber(parts, tok, lastLn) + tableInsert(parts, tok.representation) + end + + else + for i = (i1 or 1), (i2 or #tokens) do + tableInsert(parts, tokens[i].representation) + end + end + + return table.concat(parts) +end + +local function insertTokenRepresentations(parts, tokens, i1, i2) + for i = i1, i2 do + tableInsert(parts, tokens[i].representation) + end +end + + + +local function readFile(path, isTextFile) + assertarg(1, path, "string") + assertarg(2, isTextFile, "boolean","nil") + + local file, err = io.open(path, "r"..(isTextFile and "" or "b")) + if not file then return nil, err end + + local contents = file:read"*a" + file:close() + return contents +end + +-- success, error = writeFile( path, [ isTextFile=false, ] contents ) +local function writeFile(path, isTextFile, contents) + assertarg(1, path, "string") + + if type(isTextFile) == "boolean" then + assertarg(3, contents, "string") + else + isTextFile, contents = false, isTextFile + assertarg(2, contents, "string") + end + + local file, err = io.open(path, "w"..(isTextFile and "" or "b")) + if not file then return false, err end + + file:write(contents) + file:close() + return true +end + +local function fileExists(path) + assertarg(1, path, "string") + + local file = io.open(path, "r") + if not file then return false end + + file:close() + return true +end + + + +-- assertarg( argumentNumber, value, expectedValueType1, ... ) +--[[local]] function assertarg(n, v, ...) + local vType = type(v) + + for i = 1, select("#", ...) do + if vType == select(i, ...) then return end + end + + local fName = debug.getinfo(2, "n").name + local expects = table.concat({...}, " or ") + + if fName == "" then fName = "?" end + + errorf(3, "bad argument #%d to '%s' (%s expected, got %s)", n, fName, expects, vType) +end + + + +-- count = countString( haystack, needle [, plain=false ] ) +--[[local]] function countString(s, needle, plain) + local count = 0 + local i = 0 + local _ + + while true do + _, i = s:find(needle, i+1, plain) + if not i then return count end + + count = count+1 + end +end + +-- count = countSubString( string, startPosition, endPosition, needle [, plain=false ] ) +--[[local]] function countSubString(s, pos, posEnd, needle, plain) + local count = 0 + + while true do + local _, i2 = s:find(needle, pos, plain) + if not i2 or i2 > posEnd then return count end + + count = count + 1 + pos = i2 + 1 + end +end + + + +local getfenv = getfenv or function(f) -- Assume Lua is version 5.2+ if getfenv() doesn't exist. + f = f or 1 + + if type(f) == "function" then + -- void + + elseif type(f) == "number" then + if f == 0 then return _ENV end + if f < 0 then error("bad argument #1 to 'getfenv' (level must be non-negative)") end + + f = debug.getinfo(1+f, "f") or error("bad argument #1 to 'getfenv' (invalid level)") + f = f.func + + else + error("bad argument #1 to 'getfenv' (number expected, got "..type(f)..")") + end + + for i = 1, 1/0 do + local name, v = debug.getupvalue(f, i) + if name == "_ENV" then return v end + if not name then return _ENV end + end +end + + + +-- (Table generated by misc/generateStringEscapeSequenceInfo.lua) +local UNICODE_RANGES_NOT_TO_ESCAPE = { + {from=32, to=126}, + {from=161, to=591}, + {from=880, to=887}, + {from=890, to=895}, + {from=900, to=906}, + {from=908, to=908}, + {from=910, to=929}, + {from=931, to=1154}, + {from=1162, to=1279}, + {from=7682, to=7683}, + {from=7690, to=7691}, + {from=7710, to=7711}, + {from=7744, to=7745}, + {from=7766, to=7767}, + {from=7776, to=7777}, + {from=7786, to=7787}, + {from=7808, to=7813}, + {from=7835, to=7835}, + {from=7922, to=7923}, + {from=8208, to=8208}, + {from=8210, to=8231}, + {from=8240, to=8286}, + {from=8304, to=8305}, + {from=8308, to=8334}, + {from=8336, to=8348}, + {from=8352, to=8383}, + {from=8448, to=8587}, + {from=8592, to=9254}, + {from=9312, to=10239}, + {from=10496, to=11007}, + {from=64256, to=64262}, +} + +local function shouldCodepointBeEscaped(cp) + for _, range in ipairs(UNICODE_RANGES_NOT_TO_ESCAPE) do -- @Speed: Don't use a loop? + if cp >= range.from and cp <= range.to then return false end + end + return true +end + +-- local cache = setmetatable({}, {__mode="kv"}) -- :SerializationCache (This doesn't seem to speed things up.) + +-- success, error = serialize( buffer, value ) +local function serialize(buffer, v) + --[[ :SerializationCache + if cache[v] then + tableInsert(buffer, cache[v]) + return true + end + local bufferStart = #buffer + 1 + --]] + + local vType = type(v) + + if vType == "table" then + local first = true + tableInsert(buffer, "{") + + local indices = {} + for i, item in ipairs(v) do + if not first then tableInsert(buffer, ",") end + first = false + + local ok, err = serialize(buffer, item) + if not ok then return false, err end + + indices[i] = true + end + + local keys = {} + for k, item in pairs(v) do + if indices[k] then + -- void + elseif type(k) == "table" then + return false, "Table keys cannot be tables." + else + tableInsert(keys, k) + end + end + + table.sort(keys, function(a, b) + return tostring(a) < tostring(b) + end) + + for _, k in ipairs(keys) do + local item = v[k] + + if not first then tableInsert(buffer, ",") end + first = false + + if not KEYWORDS[k] and type(k) == "string" and k:find"^[%a_][%w_]*$" then + tableInsert(buffer, k) + tableInsert(buffer, "=") + + else + tableInsert(buffer, "[") + + local ok, err = serialize(buffer, k) + if not ok then return false, err end + + tableInsert(buffer, "]=") + end + + local ok, err = serialize(buffer, item) + if not ok then return false, err end + end + + tableInsert(buffer, "}") + + elseif vType == "string" then + if v == "" then + tableInsert(buffer, '""') + return true + end + + local useApostrophe = v:find('"', 1, true) and not v:find("'", 1, true) + local quote = useApostrophe and "'" or '"' + + tableInsert(buffer, quote) + + if current_anytime_fastStrings or not v:find"[^\32-\126\t\n]" then + -- print(">> FAST", #v) -- DEBUG + + local s = v:gsub((useApostrophe and "[\t\n\\']" or '[\t\n\\"]'), function(c) + return ESCAPE_SEQUENCES[c] or internalError(c:byte()) + end) + tableInsert(buffer, s) + + else + -- print(">> SLOW", #v) -- DEBUG + local pos = 1 + + -- @Speed: There are optimizations to be made here! + while pos <= #v do + local c = v:sub(pos, pos) + local cp, len = utf8GetCodepointAndLength(v, pos) + + -- Named escape sequences. + if ESCAPE_SEQUENCES_EXCEPT_QUOTES[c] then tableInsert(buffer, ESCAPE_SEQUENCES_EXCEPT_QUOTES[c]) ; pos = pos+1 + elseif c == quote then tableInsert(buffer, [[\]]) ; tableInsert(buffer, quote) ; pos = pos+1 + + -- UTF-8 character. + elseif len == 1 and not shouldCodepointBeEscaped(cp) then tableInsert(buffer, v:sub(pos, pos )) ; pos = pos+1 -- @Speed: We can insert multiple single-byte characters sometimes! + elseif len and not shouldCodepointBeEscaped(cp) then tableInsert(buffer, v:sub(pos, pos+len-1)) ; pos = pos+len + + -- Anything else. + else + tableInsert(buffer, F((v:find("^%d", pos+1) and "\\%03d" or "\\%d"), v:byte(pos))) + pos = pos + 1 + end + end + end + + tableInsert(buffer, quote) + + elseif v == 1/0 then + tableInsert(buffer, "(1/0)") + elseif v == -1/0 then + tableInsert(buffer, "(-1/0)") + elseif v ~= v then + tableInsert(buffer, "(0/0)") -- NaN. + elseif v == 0 then + tableInsert(buffer, "0") -- In case it's actually -0 for some reason, which would be silly to output. + elseif vType == "number" then + if v < 0 then + tableInsert(buffer, " ") -- The space prevents an accidental comment if a "-" is right before. + end + tableInsert(buffer, tostring(v)) -- (I'm not sure what precision tostring() uses for numbers. Maybe we should use string.format() instead.) + + elseif vType == "boolean" or v == nil then + tableInsert(buffer, tostring(v)) + + else + return false, F("Cannot serialize value of type '%s'. (%s)", vType, tostring(v)) + end + + --[[ :SerializationCache + if v ~= nil then + cache[v] = table.concat(buffer, "", bufferStart, #buffer) + end + --]] + + return true +end + +-- luaString = toLua( value ) +-- Returns nil and a message on error. +local function toLua(v) + local buffer = {} + + local ok, err = serialize(buffer, v) + if not ok then return nil, err end + + return table.concat(buffer) +end + +-- value = evaluate( expression [, environment=getfenv() ] ) +-- Returns nil and a message on error. +local function evaluate(expr, env) + local chunk, err = loadLuaString("return("..expr.."\n)", "@", (env or getfenv(2))) + if not chunk then + return nil, F("Invalid expression '%s'. (%s)", expr, (err:gsub("^:%d+: ", ""))) + end + + local ok, valueOrErr = pcall(chunk) + if not ok then return nil, valueOrErr end + + return valueOrErr -- May be nil or false! +end + + + +local function escapePattern(s) + return (s:gsub("[-+*^?$.%%()[%]]", "%%%0")) +end + + + +local function outputLineNumber(parts, ln) + tableInsert(parts, "--[[@") + tableInsert(parts, ln) + tableInsert(parts, "]]") +end + +--[[local]] function maybeOutputLineNumber(parts, tok, lastLn) + if tok.line == lastLn or USELESS_TOKENS[tok.type] then return lastLn end + + outputLineNumber(parts, tok.line) + return tok.line +end +--[=[ +--[[local]] function maybeOutputLineNumber(parts, tok, lastLn, fromMetaToOutput) + if tok.line == lastLn or USELESS_TOKENS[tok.type] then return lastLn end + + if fromMetaToOutput then + tableInsert(parts, '__LUA"--[[@'..tok.line..']]"\n') + else + tableInsert(parts, "--[[@"..tok.line.."]]") + end + return tok.line +end +]=] + + + +local function isAny(v, ...) + for i = 1, select("#", ...) do + if v == select(i, ...) then return true end + end + return false +end + + + +local function errorIfNotRunningMeta(level) + if not current_anytime_isRunningMeta then + error("No file is being processed.", 1+level) + end +end + + + +local function copyArray(t) + local copy = {} + for i, v in ipairs(t) do + copy[i] = v + end + return copy +end + +local copyTable +do + local function deepCopy(t, copy, tableCopies) + for k, v in pairs(t) do + if type(v) == "table" then + local vCopy = tableCopies[v] + + if vCopy then + copy[k] = vCopy + else + vCopy = {} + tableCopies[v] = vCopy + copy[k] = deepCopy(v, vCopy, tableCopies) + end + + else + copy[k] = v + end + end + return copy + end + + -- copy = copyTable( table [, deep=false ] ) + --[[local]] function copyTable(t, deep) + local copy = {} + + if deep then + return deepCopy(t, copy, {[t]=copy}) + end + + for k, v in pairs(t) do copy[k] = v end + + return copy + end +end + + + +-- values = pack( value1, ... ) +-- values.n is the amount of values (which can be zero). +local pack = ( + (_VERSION >= "Lua 5.2" or jit) and table.pack + or function(...) + return {n=select("#", ...), ...} + end +) + +local unpack = (_VERSION >= "Lua 5.2") and table.unpack or _G.unpack + + + +--[[local]] loadLuaString = ( + (_VERSION >= "Lua 5.2" or jit) and function(lua, chunkName, env) + return load(lua, chunkName, "bt", env) + end + or function(lua, chunkName, env) + local chunk, err = loadstring(lua, chunkName) + if not chunk then return nil, err end + + if env then setfenv(chunk, env) end + + return chunk + end +) + +local loadLuaFile = ( + (_VERSION >= "Lua 5.2" or jit) and function(path, env) + return loadfile(path, "bt", env) + end + or function(path, env) + local chunk, err = loadfile(path) + if not chunk then return nil, err end + + if env then setfenv(chunk, env) end + + return chunk + end +) + +local function isLuaStringValidExpression(lua) + return loadLuaString("return("..lua.."\n)", "@", nil) ~= nil +end + + + +-- token, index = getNextUsableToken( tokens, startIndex, indexLimit=autoDependingOnDirection, direction ) +local function getNextUsableToken(tokens, iStart, iLimit, dir) + iLimit = ( + dir < 0 + and math.max((iLimit or 1 ), 1) + or math.min((iLimit or 1/0), #tokens) + ) + + for i = iStart, iLimit, dir do + if not USELESS_TOKENS[tokens[i].type] then + return tokens[i], i + end + end + + return nil +end + + + +-- bool = isToken( token, tokenType [, tokenValue=any ] ) +local function isToken(tok, tokType, v) + return tok.type == tokType and (v == nil or tok.value == v) +end + +-- bool = isTokenAndNotNil( token, tokenType [, tokenValue=any ] ) +local function isTokenAndNotNil(tok, tokType, v) + return tok ~= nil and tok.type == tokType and (v == nil or tok.value == v) +end + + + +--[[local]] function getLineNumber(s, pos) + return 1 + countSubString(s, 1, pos-1, "\n", true) +end + + + +-- text = getRelativeLocationText( tokenOfInterest, otherToken ) +-- text = getRelativeLocationText( tokenOfInterest, otherFilename, otherLineNumber ) +local function getRelativeLocationText(tokOfInterest, otherFilename, otherLn) + if type(otherFilename) == "table" then + return getRelativeLocationText(tokOfInterest, otherFilename.file, otherFilename.line) + end + + if not (tokOfInterest.file and tokOfInterest.line) then + return "at " + end + + if tokOfInterest.file ~= otherFilename then return F("at %s:%d", tokOfInterest.file, tokOfInterest.line) end + if tokOfInterest.line+1 == otherLn then return F("on the previous line") end + if tokOfInterest.line-1 == otherLn then return F("on the next line") end + if tokOfInterest.line ~= otherLn then return F("on line %d", tokOfInterest.line) end + return "on the same line" +end + + + +--[[local]] tableInsert = table.insert +--[[local]] tableRemove = table.remove + +--[[local]] function tableInsertFormat(t, s, ...) + tableInsert(t, F(s, ...)) +end + + + +-- length|nil = utf8GetCharLength( string [, position=1 ] ) +local function utf8GetCharLength(s, pos) + pos = pos or 1 + local b1, b2, b3, b4 = s:byte(pos, pos+3) + + if b1 > 0 and b1 <= 127 then + return 1 + + elseif b1 >= 194 and b1 <= 223 then + if not b2 then return nil end -- UTF-8 string terminated early. + if b2 < 128 or b2 > 191 then return nil end -- Invalid UTF-8 character. + return 2 + + elseif b1 >= 224 and b1 <= 239 then + if not b3 then return nil end -- UTF-8 string terminated early. + if b1 == 224 and (b2 < 160 or b2 > 191) then return nil end -- Invalid UTF-8 character. + if b1 == 237 and (b2 < 128 or b2 > 159) then return nil end -- Invalid UTF-8 character. + if (b2 < 128 or b2 > 191) then return nil end -- Invalid UTF-8 character. + if (b3 < 128 or b3 > 191) then return nil end -- Invalid UTF-8 character. + return 3 + + elseif b1 >= 240 and b1 <= 244 then + if not b4 then return nil end -- UTF-8 string terminated early. + if b1 == 240 and (b2 < 144 or b2 > 191) then return nil end -- Invalid UTF-8 character. + if b1 == 244 and (b2 < 128 or b2 > 143) then return nil end -- Invalid UTF-8 character. + if (b2 < 128 or b2 > 191) then return nil end -- Invalid UTF-8 character. + if (b3 < 128 or b3 > 191) then return nil end -- Invalid UTF-8 character. + if (b4 < 128 or b4 > 191) then return nil end -- Invalid UTF-8 character. + return 4 + end + + return nil -- Invalid UTF-8 character. +end + +-- codepoint, length = utf8GetCodepointAndLength( string [, position=1 ] ) +-- Returns nil if the text is invalid at the position. +--[[local]] function utf8GetCodepointAndLength(s, pos) + pos = pos or 1 + local len = utf8GetCharLength(s, pos) + if not len then return nil end + + -- 2^6=64, 2^12=4096, 2^18=262144 + if len == 1 then return s:byte(pos), len end + if len == 2 then local b1, b2 = s:byte(pos, pos+1) ; return (b1-192)*64 + (b2-128), len end + if len == 3 then local b1, b2, b3 = s:byte(pos, pos+2) ; return (b1-224)*4096 + (b2-128)*64 + (b3-128), len end + do local b1, b2, b3, b4 = s:byte(pos, pos+3) ; return (b1-240)*262144 + (b2-128)*4096 + (b3-128)*64 + (b4-128), len end +end + + + +-- for k, v in pairsSorted( table ) do +local function pairsSorted(t) + local keys = {} + for k in pairs(t) do + tableInsert(keys, k) + end + sortNatural(keys) + + local i = 0 + + return function() + i = i+1 + local k = keys[i] + if k ~= nil then return k, t[k] end + end +end + + + +-- sortNatural( array ) +-- aIsLessThanB = compareNatural( a, b ) +local compareNatural +do + local function pad(numStr) + return F("%03d%s", #numStr, numStr) + end + --[[local]] function compareNatural(a, b) + if type(a) == "number" and type(b) == "number" then + return a < b + else + return (tostring(a):gsub("%d+", pad) < tostring(b):gsub("%d+", pad)) + end + end + + --[[local]] function sortNatural(t, k) + table.sort(t, compareNatural) + end +end + + + +-- lua = _loadResource( resourceName, isParsing==true , nameToken, stats ) -- At parse time. +-- lua = _loadResource( resourceName, isParsing==false, errorLevel ) -- At metaprogram runtime. +local function _loadResource(resourceName, isParsing, nameTokOrErrLevel, stats) + local lua = current_parsingAndMeta_resourceCache[resourceName] + + if not lua then + if current_parsingAndMeta_onInsert then + lua = current_parsingAndMeta_onInsert(resourceName) + + if type(lua) == "string" then + -- void + elseif isParsing then + errorAtToken(nameTokOrErrLevel, nameTokOrErrLevel.position+1, "Parser/MetaProgram", "Expected a string from params.onInsert(). (Got %s)", type(lua)) + else + errorf(1+nameTokOrErrLevel, "Expected a string from params.onInsert(). (Got %s)", type(lua)) + end + + else + local err + lua, err = readFile(resourceName, true) + + if lua then + -- void + elseif isParsing then + errorAtToken(nameTokOrErrLevel, nameTokOrErrLevel.position+1, "Parser", "Could not read file '%s'. (%s)", resourceName, tostring(err)) + else + errorf(1+nameTokOrErrLevel, "Could not read file '%s'. (%s)", resourceName, tostring(err)) + end + end + + current_parsingAndMeta_resourceCache[resourceName] = lua + + if isParsing then + tableInsert(stats.insertedNames, resourceName) + end + + elseif isParsing then + current_parsing_insertCount = current_parsing_insertCount + 1 -- Note: We don't count insertions of newly encountered files. + + if current_parsing_insertCount > MAX_DUPLICATE_FILE_INSERTS then + errorAtToken( + nameTokOrErrLevel, nameTokOrErrLevel.position+1, "Parser", + "Too many duplicate inserts. We may be stuck in a recursive loop. (Unique files inserted so far: %s)", + stats.insertedNames[1] and table.concat(stats.insertedNames, ", ") or "none" + ) + end + end + + return lua +end + + + +--============================================================== +--= Preprocessor Functions ===================================== +--============================================================== + + + +-- :EnvironmentTable +---------------------------------------------------------------- + +metaEnv = copyTable(_G) -- Include all standard Lua stuff. +metaEnv._G = metaEnv + +local metaFuncs = {} + +-- printf() +-- printf( format, value1, ... ) +-- Print a formatted string to stdout. +metaFuncs.printf = printf + +-- readFile() +-- contents = readFile( path [, isTextFile=false ] ) +-- Get the entire contents of a binary file or text file. Returns nil and a message on error. +metaFuncs.readFile = readFile +metaFuncs.getFileContents = readFile -- @Deprecated + +-- writeFile() +-- success, error = writeFile( path, contents ) -- Writes a binary file. +-- success, error = writeFile( path, isTextFile, contents ) +-- Write an entire binary file or text file. +metaFuncs.writeFile = writeFile + +-- fileExists() +-- bool = fileExists( path ) +-- Check if a file exists. +metaFuncs.fileExists = fileExists + +-- toLua() +-- luaString = toLua( value ) +-- Convert a value to a Lua literal. Does not work with certain types, like functions or userdata. +-- Returns nil and a message on error. +metaFuncs.toLua = toLua + +-- serialize() +-- success, error = serialize( buffer, value ) +-- Same as toLua() except adds the result to an array instead of returning the Lua code as a string. +-- This could avoid allocating unnecessary strings. +metaFuncs.serialize = serialize + +-- evaluate() +-- value = evaluate( expression [, environment=getfenv() ] ) +-- Evaluate a Lua expression. The function is kind of the opposite of toLua(). Returns nil and a message on error. +-- Note that nil or false can also be returned as the first value if that's the value the expression results in! +metaFuncs.evaluate = evaluate + +-- escapePattern() +-- escapedString = escapePattern( string ) +-- Escape a string so it can be used in a pattern as plain text. +metaFuncs.escapePattern = escapePattern + +-- isToken() +-- bool = isToken( token, tokenType [, tokenValue=any ] ) +-- Check if a token is of a specific type, optionally also check it's value. +metaFuncs.isToken = isToken + +-- copyTable() +-- copy = copyTable( table [, deep=false ] ) +-- Copy a table, optionally recursively (deep copy). +-- Multiple references to the same table and self-references are preserved during deep copying. +metaFuncs.copyTable = copyTable + +-- unpack() +-- value1, ... = unpack( array [, fromIndex=1, toIndex=#array ] ) +-- Is _G.unpack() in Lua 5.1 and alias for table.unpack() in Lua 5.2+. +metaFuncs.unpack = unpack + +-- pack() +-- values = pack( value1, ... ) +-- Put values in a new array. values.n is the amount of values (which can be zero) +-- including nil values. Alias for table.pack() in Lua 5.2+. +metaFuncs.pack = pack + +-- pairsSorted() +-- for key, value in pairsSorted( table ) do +-- Same as pairs() but the keys are sorted (ascending). +metaFuncs.pairsSorted = pairsSorted + +-- sortNatural() +-- sortNatural( array ) +-- Sort an array using compareNatural(). +metaFuncs.sortNatural = sortNatural + +-- compareNatural() +-- aIsLessThanB = compareNatural( a, b ) +-- Compare two strings. Numbers in the strings are compared as numbers (as opposed to as strings). +-- Examples: +-- print( "foo9" < "foo10" ) -- false +-- print(compareNatural("foo9", "foo10")) -- true +metaFuncs.compareNatural = compareNatural + +-- run() +-- returnValue1, ... = run( path [, arg1, ... ] ) +-- Execute a Lua file. Similar to dofile(). +function metaFuncs.run(path, ...) + assertarg(1, path, "string") + + local main_chunk, err = loadLuaFile(path, metaEnv) + if not main_chunk then error(err, 0) end + + -- We want multiple return values while avoiding a tail call to preserve stack info. + local returnValues = pack(main_chunk(...)) + return unpack(returnValues, 1, returnValues.n) +end + +-- outputValue() +-- outputValue( value ) +-- outputValue( value1, value2, ... ) -- Outputted values will be separated by commas. +-- Output one or more values, like strings or tables, as literals. +-- Raises an error if no file or string is being processed. +function metaFuncs.outputValue(...) + errorIfNotRunningMeta(2) + + local argCount = select("#", ...) + if argCount == 0 then + error("No values to output.", 2) + end + + for i = 1, argCount do + local v = select(i, ...) + + if v == nil and not current_meta_canOutputNil then + local ln = debug.getinfo(2, "l").currentline + errorOnLine(current_meta_pathForErrorMessages, ln, "MetaProgram", "Trying to output nil which is disallowed through params.canOutputNil .") + end + + if i > 1 then + tableInsert(current_meta_output, (current_parsingAndMeta_isDebug and ", " or ",")) + end + + local ok, err = serialize(current_meta_output, v) + + if not ok then + local ln = debug.getinfo(2, "l").currentline + errorOnLine(current_meta_pathForErrorMessages, ln, "MetaProgram", "%s", err) + end + end +end + +-- outputLua() +-- outputLua( luaString1, ... ) +-- Output one or more strings as raw Lua code. +-- Raises an error if no file or string is being processed. +function metaFuncs.outputLua(...) + errorIfNotRunningMeta(2) + + local argCount = select("#", ...) + if argCount == 0 then + error("No Lua code to output.", 2) + end + + for i = 1, argCount do + local lua = select(i, ...) + assertarg(i, lua, "string") + tableInsert(current_meta_output, lua) + end +end + +-- outputLuaTemplate() +-- outputLuaTemplate( luaStringTemplate, value1, ... ) +-- Use a string as a template for outputting Lua code with values. +-- Question marks (?) are replaced with the values. +-- Raises an error if no file or string is being processed. +-- Examples: +-- outputLuaTemplate("local name, age = ?, ?", "Harry", 48) +-- outputLuaTemplate("dogs[?] = ?", "greyhound", {italian=false, count=5}) +function metaFuncs.outputLuaTemplate(lua, ...) + errorIfNotRunningMeta(2) + assertarg(1, lua, "string") + + local args = {...} -- @Memory + local n = 0 + local v, err + + lua = lua:gsub("%?", function() + n = n + 1 + v, err = toLua(args[n]) + + if not v then + errorf(3, "Bad argument %d: %s", 1+n, err) + end + + return v + end) + + tableInsert(current_meta_output, lua) +end + +-- getOutputSoFar() +-- luaString = getOutputSoFar( [ asTable=false ] ) +-- getOutputSoFar( buffer ) +-- Get Lua code that's been outputted so far. +-- If asTable is false then the full Lua code string is returned. +-- If asTable is true then an array of Lua code segments is returned. (This avoids allocating, possibly large, strings.) +-- If a buffer array is given then Lua code segments are added to it. +-- Raises an error if no file or string is being processed. +function metaFuncs.getOutputSoFar(bufferOrAsTable) + errorIfNotRunningMeta(2) + + -- Should there be a way to get the contents of current_meta_output etc.? :GetMoreOutputFromStack + + if type(bufferOrAsTable) == "table" then + for _, lua in ipairs(current_meta_outputStack[1]) do + tableInsert(bufferOrAsTable, lua) + end + -- Return nothing! + + else + return bufferOrAsTable and copyArray(current_meta_outputStack[1]) or table.concat(current_meta_outputStack[1]) + end +end + +local lineFragments = {} + +local function getOutputSoFarOnLine() + errorIfNotRunningMeta(2) + + local len = 0 + + -- Should there be a way to get the contents of current_meta_output etc.? :GetMoreOutputFromStack + for i = #current_meta_outputStack[1], 1, -1 do + local fragment = current_meta_outputStack[1][i] + + if fragment:find("\n", 1, true) then + len = len + 1 + lineFragments[len] = fragment:gsub(".*\n", "") + break + end + + len = len + 1 + lineFragments[len] = fragment + end + + return table.concat(lineFragments, 1, len) +end + +-- getOutputSoFarOnLine() +-- luaString = getOutputSoFarOnLine( ) +-- Get Lua code that's been outputted so far on the current line. +-- Raises an error if no file or string is being processed. +metaFuncs.getOutputSoFarOnLine = getOutputSoFarOnLine + +-- getOutputSizeSoFar() +-- size = getOutputSizeSoFar( ) +-- Get the amount of bytes outputted so far. +-- Raises an error if no file or string is being processed. +function metaFuncs.getOutputSizeSoFar() + errorIfNotRunningMeta(2) + + local size = 0 + + for _, lua in ipairs(current_meta_outputStack[1]) do -- :GetMoreOutputFromStack + size = size + #lua + end + + return size +end + +-- getCurrentLineNumberInOutput() +-- lineNumber = getCurrentLineNumberInOutput( ) +-- Get the current line number in the output. +function metaFuncs.getCurrentLineNumberInOutput() + errorIfNotRunningMeta(2) + + local ln = 1 + + for _, lua in ipairs(current_meta_outputStack[1]) do -- :GetMoreOutputFromStack + ln = ln + countString(lua, "\n", true) + end + + return ln +end + +local function getIndentation(line, tabWidth) + if not tabWidth then + return line:match"^[ \t]*" + end + + local indent = 0 + + for i = 1, #line do + if line:sub(i, i) == "\t" then + indent = math.floor(indent/tabWidth)*tabWidth + tabWidth + elseif line:sub(i, i) == " " then + indent = indent + 1 + else + break + end + end + + return indent +end + +-- getIndentation() +-- string = getIndentation( line ) +-- size = getIndentation( line, tabWidth ) +-- Get indentation of a line, either as a string or as a size in spaces. +metaFuncs.getIndentation = getIndentation + +-- getCurrentIndentationInOutput() +-- string = getCurrentIndentationInOutput( ) +-- size = getCurrentIndentationInOutput( tabWidth ) +-- Get the indentation of the current line, either as a string or as a size in spaces. +function metaFuncs.getCurrentIndentationInOutput(tabWidth) + errorIfNotRunningMeta(2) + return (getIndentation(getOutputSoFarOnLine(), tabWidth)) +end + +-- getCurrentPathIn() +-- path = getCurrentPathIn( ) +-- Get what file is currently being processed, if any. +function metaFuncs.getCurrentPathIn() + return current_anytime_pathIn +end + +-- getCurrentPathOut() +-- path = getCurrentPathOut( ) +-- Get what file the currently processed file will be written to, if any. +function metaFuncs.getCurrentPathOut() + return current_anytime_pathOut +end + +-- tokenize() +-- tokens = tokenize( luaString [, allowPreprocessorCode=false ] ) +-- token = { +-- type=tokenType, representation=representation, value=value, +-- line=lineNumber, lineEnd=lineNumber, position=bytePosition, file=filePath, +-- ... +-- } +-- Convert Lua code to tokens. Returns nil and a message on error. (See newToken() for token types.) +function metaFuncs.tokenize(lua, allowPpCode) + local ok, errOrTokens = pcall(_tokenize, lua, "", allowPpCode, allowPpCode, true) -- @Incomplete: Make allowJitSyntax a parameter to tokenize()? + if not ok then + return nil, cleanError(errOrTokens) + end + return errOrTokens +end + +-- removeUselessTokens() +-- removeUselessTokens( tokens ) +-- Remove whitespace and comment tokens. +function metaFuncs.removeUselessTokens(tokens) + local len = #tokens + local offset = 0 + + for i, tok in ipairs(tokens) do + if USELESS_TOKENS[tok.type] then + offset = offset-1 + else + tokens[i+offset] = tok + end + end + + for i = len, len+offset+1, -1 do + tokens[i] = nil + end +end + +local function nextUsefulToken(tokens, i) + while true do + i = i+1 + local tok = tokens[i] + if not tok then return end + if not USELESS_TOKENS[tok.type] then return i, tok end + end +end + +-- eachToken() +-- for index, token in eachToken( tokens [, ignoreUselessTokens=false ] ) do +-- Loop through tokens. +function metaFuncs.eachToken(tokens, ignoreUselessTokens) + if ignoreUselessTokens then + return nextUsefulToken, tokens, 0 + else + return ipairs(tokens) + end +end + +-- getNextUsefulToken() +-- token, index = getNextUsefulToken( tokens, startIndex [, steps=1 ] ) +-- Get the next token that isn't a whitespace or comment. Returns nil if no more tokens are found. +-- Specify a negative steps value to get an earlier token. +function metaFuncs.getNextUsefulToken(tokens, i1, steps) + steps = (steps or 1) + + local i2, dir + if steps == 0 then + return tokens[i1], i1 + elseif steps < 0 then + i2, dir = 1, -1 + else + i2, dir = #tokens, 1 + end + + for i = i1, i2, dir do + local tok = tokens[i] + if not USELESS_TOKENS[tok.type] then + steps = steps-dir + if steps == 0 then return tok, i end + end + end + + return nil +end + +local numberFormatters = { + auto = function(n) return tostring(n) end, + integer = function(n) return F("%d", n) end, + int = function(n) return F("%d", n) end, + float = function(n) return F("%f", n):gsub("(%d)0+$", "%1") end, + scientific = function(n) return F("%e", n):gsub("(%d)0+e", "%1e"):gsub("0+(%d+)$", "%1") end, + SCIENTIFIC = function(n) return F("%E", n):gsub("(%d)0+E", "%1E"):gsub("0+(%d+)$", "%1") end, + e = function(n) return F("%e", n):gsub("(%d)0+e", "%1e"):gsub("0+(%d+)$", "%1") end, + E = function(n) return F("%E", n):gsub("(%d)0+E", "%1E"):gsub("0+(%d+)$", "%1") end, + hexadecimal = function(n) return (n == math.floor(n) and F("0x%x", n) or error("Hexadecimal floats not supported yet.", 3)) end, -- @Incomplete + HEXADECIMAL = function(n) return (n == math.floor(n) and F("0x%X", n) or error("Hexadecimal floats not supported yet.", 3)) end, + hex = function(n) return (n == math.floor(n) and F("0x%x", n) or error("Hexadecimal floats not supported yet.", 3)) end, + HEX = function(n) return (n == math.floor(n) and F("0x%X", n) or error("Hexadecimal floats not supported yet.", 3)) end, +} + +-- newToken() +-- token = newToken( tokenType, ... ) +-- Create a new token. Different token types take different arguments. +-- +-- commentToken = newToken( "comment", contents [, forceLongForm=false ] ) +-- identifierToken = newToken( "identifier", identifier ) +-- keywordToken = newToken( "keyword", keyword ) +-- numberToken = newToken( "number", number [, numberFormat="auto" ] ) +-- punctuationToken = newToken( "punctuation", symbol ) +-- stringToken = newToken( "string", contents [, longForm=false ] ) +-- whitespaceToken = newToken( "whitespace", contents ) +-- ppEntryToken = newToken( "pp_entry", isDouble ) +-- ppKeywordToken = newToken( "pp_keyword", ppKeyword ) -- ppKeyword can be "file", "insert", "line" or "@". +-- ppSymbolToken = newToken( "pp_symbol", identifier ) +-- +-- commentToken = { type="comment", representation=string, value=string, long=isLongForm } +-- identifierToken = { type="identifier", representation=string, value=string } +-- keywordToken = { type="keyword", representation=string, value=string } +-- numberToken = { type="number", representation=string, value=number } +-- punctuationToken = { type="punctuation", representation=string, value=string } +-- stringToken = { type="string", representation=string, value=string, long=isLongForm } +-- whitespaceToken = { type="whitespace", representation=string, value=string } +-- ppEntryToken = { type="pp_entry", representation=string, value=string, double=isDouble } +-- ppKeywordToken = { type="pp_keyword", representation=string, value=string } +-- ppSymbolToken = { type="pp_symbol", representation=string, value=string } +-- +-- Number formats: +-- "integer" E.g. 42 +-- "int" Same as integer, e.g. 42 +-- "float" E.g. 3.14 +-- "scientific" E.g. 0.7e+12 +-- "SCIENTIFIC" E.g. 0.7E+12 (upper case) +-- "e" Same as scientific, e.g. 0.7e+12 +-- "E" Same as SCIENTIFIC, e.g. 0.7E+12 (upper case) +-- "hexadecimal" E.g. 0x19af +-- "HEXADECIMAL" E.g. 0x19AF (upper case) +-- "hex" Same as hexadecimal, e.g. 0x19af +-- "HEX" Same as HEXADECIMAL, e.g. 0x19AF (upper case) +-- "auto" Note: Infinite numbers and NaN always get automatic format. +-- +function metaFuncs.newToken(tokType, ...) + if tokType == "comment" then + local comment, long = ... + long = not not (long or comment:find"[\r\n]") + assertarg(2, comment, "string") + + local repr + if long then + local equalSigns = "" + + while comment:find(F("]%s]", equalSigns), 1, true) do + equalSigns = equalSigns.."=" + end + + repr = F("--[%s[%s]%s]", equalSigns, comment, equalSigns) + + else + repr = F("--%s\n", comment) + end + + return {type="comment", representation=repr, value=comment, long=long} + + elseif tokType == "identifier" then + local ident = ... + assertarg(2, ident, "string") + + if ident == "" then + error("Identifier length is 0.", 2) + elseif not ident:find"^[%a_][%w_]*$" then + errorf(2, "Bad identifier format: '%s'", ident) + elseif KEYWORDS[ident] then + errorf(2, "Identifier must not be a keyword: '%s'", ident) + end + + return {type="identifier", representation=ident, value=ident} + + elseif tokType == "keyword" then + local keyword = ... + assertarg(2, keyword, "string") + + if not KEYWORDS[keyword] then + errorf(2, "Bad keyword '%s'.", keyword) + end + + return {type="keyword", representation=keyword, value=keyword} + + elseif tokType == "number" then + local n, numberFormat = ... + numberFormat = numberFormat or "auto" + assertarg(2, n, "number") + assertarg(3, numberFormat, "string") + + -- Some of these are technically multiple other tokens. We could raise an error but ehhh... + local numStr = ( + n ~= n and "(0/0)" or + n == 1/0 and "(1/0)" or + n == -1/0 and "(-1/0)" or + numberFormatters[numberFormat] and numberFormatters[numberFormat](n) or + errorf(2, "Invalid number format '%s'.", numberFormat) + ) + + return {type="number", representation=numStr, value=n} + + elseif tokType == "punctuation" then + local symbol = ... + assertarg(2, symbol, "string") + + -- Note: "!" and "!!" are of a different token type (pp_entry). + if not PUNCTUATION[symbol] then + errorf(2, "Bad symbol '%s'.", symbol) + end + + return {type="punctuation", representation=symbol, value=symbol} + + elseif tokType == "string" then + local s, long = ... + long = not not long + assertarg(2, s, "string") + + local repr + + if long then + local equalSigns = "" + + while s:find(F("]%s]", equalSigns), 1, true) do + equalSigns = equalSigns .. "=" + end + + repr = F("[%s[%s]%s]", equalSigns, s, equalSigns) + + else + repr = toLua(s) + end + + return {type="string", representation=repr, value=s, long=long} + + elseif tokType == "whitespace" then + local whitespace = ... + assertarg(2, whitespace, "string") + + if whitespace == "" then + error("String is empty.", 2) + elseif whitespace:find"%S" then + error("String contains non-whitespace characters.", 2) + end + + return {type="whitespace", representation=whitespace, value=whitespace} + + elseif tokType == "pp_entry" then + local double = ... + assertarg(2, double, "boolean") + + local symbol = double and "!!" or "!" + + return {type="pp_entry", representation=symbol, value=symbol, double=double} + + elseif tokType == "pp_keyword" then + local keyword = ... + assertarg(2, keyword, "string") + + if keyword == "@" then + return {type="pp_keyword", representation="@@", value="insert"} + elseif not PREPROCESSOR_KEYWORDS[keyword] then + errorf(2, "Bad preprocessor keyword '%s'.", keyword) + else + return {type="pp_keyword", representation="@"..keyword, value=keyword} + end + + elseif tokType == "pp_symbol" then + local ident = ... + assertarg(2, ident, "string") + + if ident == "" then + error("Identifier length is 0.", 2) + elseif not ident:find"^[%a_][%w_]*$" then + errorf(2, "Bad identifier format: '%s'", ident) + elseif KEYWORDS[ident] then + errorf(2, "Identifier must not be a keyword: '%s'", ident) + else + return {type="pp_symbol", representation="$"..ident, value=ident} + end + + else + errorf(2, "Invalid token type '%s'.", tostring(tokType)) + end +end + +-- concatTokens() +-- luaString = concatTokens( tokens ) +-- Concatenate tokens by their representations. +function metaFuncs.concatTokens(tokens) + return (_concatTokens(tokens, nil, false, nil, nil)) +end + +local recycledArrays = {} + +-- startInterceptingOutput() +-- startInterceptingOutput( ) +-- Start intercepting output until stopInterceptingOutput() is called. +-- The function can be called multiple times to intercept interceptions. +function metaFuncs.startInterceptingOutput() + errorIfNotRunningMeta(2) + + current_meta_output = tableRemove(recycledArrays) or {} + for i = 1, #current_meta_output do current_meta_output[i] = nil end + tableInsert(current_meta_outputStack, current_meta_output) +end + +local function _stopInterceptingOutput(errLevel) + errorIfNotRunningMeta(1+errLevel) + + local interceptedLua = tableRemove(current_meta_outputStack) + current_meta_output = current_meta_outputStack[#current_meta_outputStack] or error("Called stopInterceptingOutput() before calling startInterceptingOutput().", 1+errLevel) + tableInsert(recycledArrays, interceptedLua) + + return table.concat(interceptedLua) +end + +-- stopInterceptingOutput() +-- luaString = stopInterceptingOutput( ) +-- Stop intercepting output and retrieve collected code. +function metaFuncs.stopInterceptingOutput() + return (_stopInterceptingOutput(2)) +end + +-- loadResource() +-- luaString = loadResource( name ) +-- Load a Lua file/resource (using the same mechanism as @insert"name"). +-- Note that resources are cached after loading once. +function metaFuncs.loadResource(resourceName) + errorIfNotRunningMeta(2) + + return (_loadResource(resourceName, false, 2)) +end + +local function isCallable(v) + return type(v) == "function" + -- We use debug.getmetatable instead of _G.getmetatable because we don't want to + -- potentially invoke user code - we just want to know if the value is callable. + or (type(v) == "table" and debug.getmetatable(v) ~= nil and type(debug.getmetatable(v).__call) == "function") +end + +-- callMacro() +-- luaString = callMacro( function|macroName, argument1, ... ) +-- Call a macro function (which must be a global in metaEnvironment if macroName is given). +-- The arguments should be Lua code strings. +function metaFuncs.callMacro(nameOrFunc, ...) + errorIfNotRunningMeta(2) + + assertarg(1, nameOrFunc, "string","function") + local f + + if type(nameOrFunc) == "string" then + local nameResult = current_parsingAndMeta_macroPrefix .. nameOrFunc .. current_parsingAndMeta_macroSuffix + f = metaEnv[nameResult] + + if not isCallable(f) then + if nameOrFunc == nameResult + then errorf(2, "'%s' is not a macro/global function. (Got %s)", nameOrFunc, type(f)) + else errorf(2, "'%s' (resolving to '%s') is not a macro/global function. (Got %s)", nameOrFunc, nameResult, type(f)) end + end + + else + f = nameOrFunc + end + + return (metaEnv.__M()(f(...))) +end + +-- isProcessing() +-- bool = isProcessing( ) +-- Returns true if a file or string is currently being processed. +function metaFuncs.isProcessing() + return current_parsingAndMeta_isProcessing +end + +-- :PredefinedMacros + +-- ASSERT() +-- @@ASSERT( condition [, message=auto ] ) +-- Macro. Does nothing if params.release is set, otherwise calls error() if the +-- condition fails. The message argument is only evaluated if the condition fails. +function metaFuncs.ASSERT(conditionCode, messageCode) + errorIfNotRunningMeta(2) + if not conditionCode then error("missing argument #1 to 'ASSERT'", 2) end + + -- if not isLuaStringValidExpression(conditionCode) then + -- errorf(2, "Invalid condition expression: %s", formatCodeForShortMessage(conditionCode)) + -- end + + if current_meta_releaseMode then return end + + tableInsert(current_meta_output, "if not (") + tableInsert(current_meta_output, conditionCode) + tableInsert(current_meta_output, ") then error(") + + if messageCode then + tableInsert(current_meta_output, "(") + tableInsert(current_meta_output, messageCode) + tableInsert(current_meta_output, ")") + else + tableInsert(current_meta_output, F("%q", "Assertion failed: "..conditionCode)) + end + + tableInsert(current_meta_output, ") end") +end + +-- LOG() +-- @@LOG( logLevel, value ) -- [1] +-- @@LOG( logLevel, format, value1, ... ) -- [2] +-- +-- Macro. Does nothing if logLevel is lower than params.logLevel, +-- otherwise prints a value[1] or a formatted message[2]. +-- +-- logLevel can be "error", "warning", "info", "debug" or "trace" +-- (from highest to lowest priority). +-- +function metaFuncs.LOG(logLevelCode, valueOrFormatCode, ...) + errorIfNotRunningMeta(2) + if not logLevelCode then error("missing argument #1 to 'LOG'", 2) end + if not valueOrFormatCode then error("missing argument #2 to 'LOG'", 2) end + + local chunk = loadLuaString("return("..logLevelCode.."\n)", "@", dummyEnv) + if not chunk then errorf(2, "Invalid logLevel expression: %s", formatCodeForShortMessage(logLevelCode)) end + + local ok, logLevel = pcall(chunk) + if not ok then errorf(2, "logLevel must be a constant expression. Got: %s", formatCodeForShortMessage(logLevelCode)) end + if not LOG_LEVELS[logLevel] then errorf(2, "Invalid logLevel '%s'.", tostring(logLevel)) end + if logLevel == "off" then errorf(2, "Invalid logLevel '%s'.", tostring(logLevel)) end + + if LOG_LEVELS[logLevel] > LOG_LEVELS[current_meta_maxLogLevel] then return end + + tableInsert(current_meta_output, "print(") + + if ... then + tableInsert(current_meta_output, "string.format(") + tableInsert(current_meta_output, valueOrFormatCode) + for i = 1, select("#", ...) do + tableInsert(current_meta_output, ", ") + tableInsert(current_meta_output, (select(i, ...))) + end + tableInsert(current_meta_output, ")") + else + tableInsert(current_meta_output, valueOrFormatCode) + end + + tableInsert(current_meta_output, ")") +end + +-- Extra stuff used by the command line program: +metaFuncs.tryToFormatError = tryToFormatError + +---------------------------------------------------------------- + + + +for k, v in pairs(metaFuncs) do metaEnv[k] = v end + +metaEnv.__LUA = metaEnv.outputLua +metaEnv.__VAL = metaEnv.outputValue + +function metaEnv.__TOLUA(v) + return (assert(toLua(v))) +end +function metaEnv.__ISLUA(lua) + if type(lua) ~= "string" then + error("Value is not Lua code.", 2) + end + return lua +end + +local function finalizeMacro(lua) + if lua == nil then + return (_stopInterceptingOutput(2)) + elseif type(lua) ~= "string" then + errorf(2, "[Macro] Value is not Lua code. (Got %s)", type(lua)) + elseif current_meta_output[1] then + error("[Macro] Got Lua code from both value expression and outputLua(). Only one method may be used.", 2) -- It's also possible interception calls are unbalanced. + else + _stopInterceptingOutput(2) -- Returns "" because nothing was outputted. + return lua + end +end +function metaEnv.__M() + metaFuncs.startInterceptingOutput() + return finalizeMacro +end + +-- luaString = __ARG( locationTokenNumber, luaString|callback ) +-- callback = function( ) +function metaEnv.__ARG(locTokNum, v) + local lua + if type(v) == "string" then + lua = v + else + metaFuncs.startInterceptingOutput() + v() + lua = _stopInterceptingOutput(2) + end + + if current_parsingAndMeta_strictMacroArguments and not isLuaStringValidExpression(lua) then + runtimeErrorAtToken(2, current_meta_locationTokens[locTokNum], nil, "MacroArgument", "Argument result is not a valid Lua expression: %s", formatCodeForShortMessage(lua)) + end + + return lua +end + +function metaEnv.__EVAL(v) -- For symbols. + if isCallable(v) then + v = v() + end + return v +end + + + +local function getLineCountWithCode(tokens) + local lineCount = 0 + local lastLine = 0 + + for _, tok in ipairs(tokens) do + if not USELESS_TOKENS[tok.type] and tok.lineEnd > lastLine then + lineCount = lineCount+(tok.lineEnd-tok.line+1) + lastLine = tok.lineEnd + end + end + + return lineCount +end + + + +-- +-- Preprocessor expansions (symbols etc., not macros). +-- + +local function newTokenAt(tok, locTok) + tok.line = tok.line or locTok and locTok.line + tok.lineEnd = tok.lineEnd or locTok and locTok.lineEnd + tok.position = tok.position or locTok and locTok.position + tok.file = tok.file or locTok and locTok.file + return tok +end + +local function popTokens(tokenStack, lastIndexToPop) + for i = #tokenStack, lastIndexToPop, -1 do + tokenStack[i] = nil + end +end +local function popUseless(tokenStack) + for i = #tokenStack, 1, -1 do + if not USELESS_TOKENS[tokenStack[i].type] then break end + tokenStack[i] = nil + end +end + +local function advanceToken(tokens) + local tok = tokens[tokens.nextI] + tokens.nextI = tokens.nextI + 1 + return tok +end +local function advancePastUseless(tokens) + for i = tokens.nextI, #tokens do + if not USELESS_TOKENS[tokens[i].type] then break end + tokens.nextI = i + 1 + end +end + +-- outTokens = doEarlyExpansions( tokensToExpand, stats ) +local function doEarlyExpansions(tokensToExpand, stats) + -- + -- Here we expand simple things that makes it easier for + -- doLateExpansions*() to do more elaborate expansions. + -- + -- Expand expressions: + -- @file + -- @line + -- ` ... ` + -- $symbol + -- + local tokenStack = {} -- We process the last token first, and we may push new tokens onto the stack. + local outTokens = {} + + for i = #tokensToExpand, 1, -1 do + tableInsert(tokenStack, tokensToExpand[i]) + end + + while tokenStack[1] do + local tok = tokenStack[#tokenStack] + + -- Keyword. + if isToken(tok, "pp_keyword") then + local ppKeywordTok = tok + + -- @file + -- @line + if ppKeywordTok.value == "file" then + tableRemove(tokenStack) -- '@file' + tableInsert(outTokens, newTokenAt({type="string", value=ppKeywordTok.file, representation=F("%q",ppKeywordTok.file)}, ppKeywordTok)) + elseif ppKeywordTok.value == "line" then + tableRemove(tokenStack) -- '@line' + tableInsert(outTokens, newTokenAt({type="number", value=ppKeywordTok.line, representation=F(" %d ",ppKeywordTok.line)}, ppKeywordTok)) -- Is it fine for the representation to have spaces? Probably. + + else + -- Expand later. + tableInsert(outTokens, ppKeywordTok) + tableRemove(tokenStack) -- '@...' + end + + -- Backtick string. + elseif isToken(tok, "string") and tok.representation:find"^`" then + local stringTok = tok + stringTok.representation = toLua(stringTok.value)--F("%q", stringTok.value) + + tableInsert(outTokens, stringTok) + tableRemove(tokenStack) -- the string + + -- Symbol. (Should this expand later? Does it matter? Yeah, do this in the AST code instead. @Cleanup) + elseif isToken(tok, "pp_symbol") then + local ppSymbolTok = tok + + -- $symbol + tableRemove(tokenStack) -- '$symbol' + tableInsert(outTokens, newTokenAt({type="pp_entry", value="!!", representation="!!", double=true}, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="punctuation", value="(", representation="(" }, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="identifier", value="__EVAL", representation="__EVAL" }, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="punctuation", value="(", representation="(" }, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="identifier", value=ppSymbolTok.value, representation=ppSymbolTok.value}, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="punctuation", value=")", representation=")" }, ppSymbolTok)) + tableInsert(outTokens, newTokenAt({type="punctuation", value=")", representation=")" }, ppSymbolTok)) + + -- Anything else. + else + tableInsert(outTokens, tok) + tableRemove(tokenStack) -- anything + end + end--while tokenStack + + return outTokens +end + +-- outTokens = doLateExpansions( tokensToExpand, stats, allowBacktickStrings, allowJitSyntax ) +local function doLateExpansions(tokensToExpand, stats, allowBacktickStrings, allowJitSyntax) + -- + -- Expand expressions: + -- @insert "name" + -- + local tokenStack = {} -- We process the last token first, and we may push new tokens onto the stack. + local outTokens = {} + + for i = #tokensToExpand, 1, -1 do + tableInsert(tokenStack, tokensToExpand[i]) + end + + while tokenStack[1] do + local tok = tokenStack[#tokenStack] + + -- Keyword. + if isToken(tok, "pp_keyword") then + local ppKeywordTok = tok + local tokNext, iNext = getNextUsableToken(tokenStack, #tokenStack-1, nil, -1) + + -- @insert "name" + if ppKeywordTok.value == "insert" and isTokenAndNotNil(tokNext, "string") and tokNext.file == ppKeywordTok.file then + local nameTok = tokNext + popTokens(tokenStack, iNext) -- the string + + local toInsertName = nameTok.value + local toInsertLua = _loadResource(toInsertName, true, nameTok, stats) + local toInsertTokens = _tokenize(toInsertLua, toInsertName, true, allowBacktickStrings, allowJitSyntax) + toInsertTokens = doEarlyExpansions(toInsertTokens, stats) + + for i = #toInsertTokens, 1, -1 do + tableInsert(tokenStack, toInsertTokens[i]) + end + + local lastTok = toInsertTokens[#toInsertTokens] + stats.processedByteCount = stats.processedByteCount + #toInsertLua + stats.lineCount = stats.lineCount + (lastTok and lastTok.line + countString(lastTok.representation, "\n", true) or 0) + stats.lineCountCode = stats.lineCountCode + getLineCountWithCode(toInsertTokens) + + -- @insert identifier ( argument1, ... ) + -- @insert identifier " ... " + -- @insert identifier { ... } + -- @insert identifier !( ... ) + -- @insert identifier !!( ... ) + elseif ppKeywordTok.value == "insert" and isTokenAndNotNil(tokNext, "identifier") and tokNext.file == ppKeywordTok.file then + local identTok = tokNext + tokNext, iNext = getNextUsableToken(tokenStack, iNext-1, nil, -1) + + if not (tokNext and ( + tokNext.type == "string" + or (tokNext.type == "punctuation" and isAny(tokNext.value, "(","{",".",":","[")) + or tokNext.type == "pp_entry" + )) then + errorAtToken(identTok, identTok.position+#identTok.representation, "Parser/Macro", "Expected '(' after macro name '%s'.", identTok.value) + end + + -- Expand later. + tableInsert(outTokens, tok) + tableRemove(tokenStack) -- '@insert' + + elseif ppKeywordTok.value == "insert" then + errorAtToken( + ppKeywordTok, (tokNext and tokNext.position or ppKeywordTok.position+#ppKeywordTok.representation), + "Parser", "Expected a string or identifier after %s.", ppKeywordTok.representation + ) + + else + errorAtToken(ppKeywordTok, nil, "Parser", "Internal error. (%s)", ppKeywordTok.value) + end + + -- Anything else. + else + tableInsert(outTokens, tok) + tableRemove(tokenStack) -- anything + end + end--while tokenStack + + return outTokens +end + +-- outTokens = doExpansions( params, tokensToExpand, stats ) +local function doExpansions(params, tokens, stats) + tokens = doEarlyExpansions(tokens, stats) + tokens = doLateExpansions (tokens, stats, params.backtickStrings, params.jitSyntax) -- Resources. + return tokens +end + + + +-- +-- Metaprogram generation. +-- + +local function AstSequence(locTok, tokens) return { + type = "sequence", + locationToken = locTok, + nodes = tokens or {}, +} end +local function AstLua(locTok, tokens) return { -- plain Lua + type = "lua", + locationToken = locTok, + tokens = tokens or {}, +} end +local function AstMetaprogram(locTok, tokens) return { -- `!(statements)` or `!statements` + type = "metaprogram", + locationToken = locTok, + originIsLine = false, + tokens = tokens or {}, +} end +local function AstExpressionCode(locTok, tokens) return { -- `!!(expression)` + type = "expressionCode", + locationToken = locTok, + tokens = tokens or {}, +} end +local function AstExpressionValue(locTok, tokens) return { -- `!(expression)` + type = "expressionValue", + locationToken = locTok, + tokens = tokens or {}, +} end +local function AstDualCode(locTok, valueTokens) return { -- `!!declaration` or `!!assignment` + type = "dualCode", + locationToken = locTok, + isDeclaration = false, + names = {}, + valueTokens = valueTokens or {}, +} end +-- local function AstSymbol(locTok) return { -- `$name` +-- type = "symbol", +-- locationToken = locTok, +-- name = "", +-- } end +local function AstMacro(locTok, calleeTokens) return { -- `@@callee(arguments)` or `@@callee{}` or `@@callee""` + type = "macro", + locationToken = locTok, + calleeTokens = calleeTokens or {}, + arguments = {}, -- []MacroArgument +} end +local function MacroArgument(locTok, nodes) return { + locationToken = locTok, + isComplex = false, + nodes = nodes or {}, +} end + +local astParseMetaBlockOrLine + +local function astParseMetaBlock(tokens) + local ppEntryTokIndex = tokens.nextI + local ppEntryTok = tokens[ppEntryTokIndex] + tokens.nextI = tokens.nextI + 2 -- '!(' or '!!(' + + local outTokens = {} + local depthStack = {} + + while true do + local tok = tokens[tokens.nextI] + + if not tok then + if depthStack[1] then + tok = depthStack[#depthStack].startToken + errorAtToken(tok, nil, "Parser/MetaBlock", "Could not find matching bracket before EOF. (Preprocessor line starts %s)", getRelativeLocationText(ppEntryTok, tok)) + end + break + end + + -- End of meta block. + if not depthStack[1] and isToken(tok, "punctuation", ")") then + tokens.nextI = tokens.nextI + 1 -- after ')' + break + + -- Nested metaprogram (not supported). + elseif tok.type:find"^pp_" then + errorAtToken(tok, nil, "Parser/MetaBlock", "Preprocessor token inside metaprogram (starting %s).", getRelativeLocationText(ppEntryTok, tok)) + + -- Continuation of meta block. + else + if isToken(tok, "punctuation", "(") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]")"}) + elseif isToken(tok, "punctuation", "[") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"]"}) + elseif isToken(tok, "punctuation", "{") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"}"}) + + elseif + isToken(tok, "punctuation", ")") or + isToken(tok, "punctuation", "]") or + isToken(tok, "punctuation", "}") + then + if not depthStack[1] then + errorAtToken(tok, nil, "Parser/MetaBlock", "Unexpected '%s'. (Preprocessor line starts %s)", tok.value, getRelativeLocationText(ppEntryTok, tok)) + elseif not isToken(tok, unpack(depthStack[#depthStack])) then + local startTok = depthStack[#depthStack].startToken + errorAtToken( + tok, nil, "Parser/MetaBlock", "Expected '%s' (to close '%s' %s) but got '%s'. (Preprocessor line starts %s)", + depthStack[#depthStack][2], startTok.value, getRelativeLocationText(startTok, tok), tok.value, getRelativeLocationText(ppEntryTok, tok) + ) + end + tableRemove(depthStack) + end + + tableInsert(outTokens, tok) + tokens.nextI = tokens.nextI + 1 -- after anything + end + end + + local lua = _concatTokens(outTokens, nil, false, nil, nil) + local chunk, err = loadLuaString("return 0,"..lua.."\n,0", "@", nil) + local isExpression = (chunk ~= nil) + + if not isExpression and ppEntryTok.double then + errorAtToken(tokens[ppEntryTokIndex+1], nil, "Parser/MetaBlock", "Invalid expression in preprocessor block.") + -- err = err:gsub("^:%d+: ", "") + -- errorAtToken(tokens[ppEntryTokIndex+1], nil, "Parser/MetaBlock", "Invalid expression in preprocessor block. (%s)", err) + elseif isExpression and not isLuaStringValidExpression(lua) then + if #lua > 100 then + lua = lua:sub(1, 50) .. "..." .. lua:sub(-50) + end + errorAtToken(tokens[ppEntryTokIndex+1], nil, "Parser/MetaBlock", "Ambiguous expression '%s'. (Comma-separated list?)", formatCodeForShortMessage(lua)) + end + + local astOutNode = ((ppEntryTok.double and AstExpressionCode) or (isExpression and AstExpressionValue or AstMetaprogram))(ppEntryTok, outTokens) + return astOutNode +end + +local function astParseMetaLine(tokens) + local ppEntryTok = tokens[tokens.nextI] + tokens.nextI = tokens.nextI + 1 -- '!' or '!!' + + local isDual = ppEntryTok.double + local astOutNode = (isDual and AstDualCode or AstMetaprogram)(ppEntryTok) + + if astOutNode.type == "metaprogram" then + astOutNode.originIsLine = true + end + + if isDual then + -- We expect the statement to look like any of these: + -- !!local x, y = ... + -- !!x, y = ... + local tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + if isTokenAndNotNil(tokNext, "keyword", "local") then + astOutNode.isDeclaration = true + + tokens.nextI = iNext + 1 -- after 'local' + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + end + + local usedNames = {} + + while true do + if not isTokenAndNotNil(tokNext, "identifier") then + local tok = tokNext or tokens[#tokens] + errorAtToken( + tok, nil, "Parser/DualCodeLine", "Expected %sidentifier. (Preprocessor line starts %s)", + (astOutNode.names[1] and "" or "'local' or "), + getRelativeLocationText(ppEntryTok, tok) + ) + elseif usedNames[tokNext.value] then + errorAtToken( + tokNext, nil, "Parser/DualCodeLine", "Duplicate name '%s' in %s. (Preprocessor line starts %s)", + tokNext.value, + (astOutNode.isDeclaration and "declaration" or "assignment"), + getRelativeLocationText(ppEntryTok, tokNext) + ) + end + tableInsert(astOutNode.names, tokNext.value) + usedNames[tokNext.value] = tokNext + tokens.nextI = iNext + 1 -- after the identifier + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + if not isTokenAndNotNil(tokNext, "punctuation", ",") then break end + tokens.nextI = iNext + 1 -- after ',' + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + end + + if not isTokenAndNotNil(tokNext, "punctuation", "=") then + local tok = tokNext or tokens[#tokens] + errorAtToken( + tok, nil, "Parser/DualCodeLine", "Expected '=' in %s. (Preprocessor line starts %s)", + (astOutNode.isDeclaration and "declaration" or "assignment"), + getRelativeLocationText(ppEntryTok, tok) + ) + end + tokens.nextI = iNext + 1 -- after '=' + end + + -- Find end of metaprogram line. + local outTokens = isDual and astOutNode.valueTokens or astOutNode.tokens + local depthStack = {} + + while true do + local tok = tokens[tokens.nextI] + + if not tok then + if depthStack[1] then + tok = depthStack[#depthStack].startToken + errorAtToken(tok, nil, "Parser/MetaLine", "Could not find matching bracket before EOF. (Preprocessor line starts %s)", getRelativeLocationText(ppEntryTok, tok)) + end + break + end + + -- End of meta line. + if + not depthStack[1] and ( + (tok.type == "whitespace" and tok.value:find("\n", 1, true)) or + (tok.type == "comment" and not tok.long) + ) + then + tableInsert(outTokens, tok) + tokens.nextI = tokens.nextI + 1 -- after the whitespace or comment + break + + -- Nested metaprogram (not supported). + elseif tok.type:find"^pp_" then + errorAtToken(tok, nil, "Parser/MetaLine", "Preprocessor token inside metaprogram (starting %s).", getRelativeLocationText(ppEntryTok, tok)) + + -- Continuation of meta line. + else + if isToken(tok, "punctuation", "(") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]")"}) + elseif isToken(tok, "punctuation", "[") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"]"}) + elseif isToken(tok, "punctuation", "{") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"}"}) + + elseif + isToken(tok, "punctuation", ")") or + isToken(tok, "punctuation", "]") or + isToken(tok, "punctuation", "}") + then + if not depthStack[1] then + errorAtToken(tok, nil, "Parser/MetaLine", "Unexpected '%s'. (Preprocessor line starts %s)", tok.value, getRelativeLocationText(ppEntryTok, tok)) + elseif not isToken(tok, unpack(depthStack[#depthStack])) then + local startTok = depthStack[#depthStack].startToken + errorAtToken( + tok, nil, "Parser/MetaLine", "Expected '%s' (to close '%s' %s) but got '%s'. (Preprocessor line starts %s)", + depthStack[#depthStack][2], startTok.value, getRelativeLocationText(startTok, tok), tok.value, getRelativeLocationText(ppEntryTok, tok) + ) + end + tableRemove(depthStack) + end + + tableInsert(outTokens, tok) + tokens.nextI = tokens.nextI + 1 -- after anything + end + end + + return astOutNode +end + +--[[local]] function astParseMetaBlockOrLine(tokens) + return isTokenAndNotNil(tokens[tokens.nextI+1], "punctuation", "(") + and astParseMetaBlock(tokens) + or astParseMetaLine (tokens) +end + +local function astParseMacro(params, tokens) + local macroStartTok = tokens[tokens.nextI] + tokens.nextI = tokens.nextI + 1 -- after '@insert' + + local astMacro = AstMacro(macroStartTok) + + -- + -- Callee. + -- + + -- Add 'ident' for start of (or whole) callee. + local tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + if not isTokenAndNotNil(tokNext, "identifier") then + printErrorTraceback("Internal error.") + errorAtToken(tokNext, nil, "Parser/Macro", "Internal error. (%s)", (tokNext and tokNext.type or "?")) + end + tokens.nextI = iNext + 1 -- after the identifier + tableInsert(astMacro.calleeTokens, tokNext) + local initialCalleeIdentTok = tokNext + + -- Add macro prefix and suffix. (Note: We only edit the initial identifier in the callee if there are more.) + initialCalleeIdentTok.value = current_parsingAndMeta_macroPrefix .. initialCalleeIdentTok.value .. current_parsingAndMeta_macroSuffix + initialCalleeIdentTok.representation = initialCalleeIdentTok.value + + -- Maybe add '.field[expr]:method' for rest of callee. + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + while tokNext do + if isToken(tokNext, "punctuation", ".") or isToken(tokNext, "punctuation", ":") then + local punctTok = tokNext + tokens.nextI = iNext + 1 -- after '.' or ':' + tableInsert(astMacro.calleeTokens, tokNext) + + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + if not tokNext then + errorAfterToken(punctTok, "Parser/Macro", "Expected an identifier after '%s'.", punctTok.value) + end + tokens.nextI = iNext + 1 -- after the identifier + tableInsert(astMacro.calleeTokens, tokNext) + + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + if punctTok.value == ":" then break end + + elseif isToken(tokNext, "punctuation", "[") then + local punctTok = tokNext + tokens.nextI = iNext + 1 -- after '[' + tableInsert(astMacro.calleeTokens, tokNext) + + local bracketBalance = 1 + + while true do + tokNext = advanceToken(tokens) -- anything + if not tokNext then + errorAtToken(punctTok, nil, "Parser/Macro", "Could not find matching bracket before EOF. (Macro starts %s)", getRelativeLocationText(macroStartTok, punctTok)) + end + tableInsert(astMacro.calleeTokens, tokNext) + + if isToken(tokNext, "punctuation", "[") then + bracketBalance = bracketBalance + 1 + elseif isToken(tokNext, "punctuation", "]") then + bracketBalance = bracketBalance - 1 + if bracketBalance == 0 then break end + elseif tokNext.type:find"^pp_" then + errorAtToken(tokNext, nil, "Parser/Macro", "Preprocessor token inside metaprogram/macro name expression (starting %s).", getRelativeLocationText(macroStartTok, tokNext)) + end + end + + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + -- @UX: Validate that the contents form an expression. + + else + break + end + end + + -- + -- Arguments. + -- + + -- @insert identifier " ... " + if isTokenAndNotNil(tokNext, "string") then + tableInsert(astMacro.arguments, MacroArgument(tokNext, {AstLua(tokNext, {tokNext})})) -- The one and only argument for this macro variant. + tokens.nextI = iNext + 1 -- after the string + + -- @insert identifier { ... } -- Same as: @insert identifier ( { ... } ) + elseif isTokenAndNotNil(tokNext, "punctuation", "{") then + local macroArg = MacroArgument(tokNext) -- The one and only argument for this macro variant. + astMacro.arguments[1] = macroArg + + local astLuaInCurrentArg = AstLua(tokNext, {tokNext}) + tableInsert(macroArg.nodes, astLuaInCurrentArg) + + tokens.nextI = iNext + 1 -- after '{' + + -- + -- (Similar code as `@insert identifier()` below.) + -- + + -- Collect tokens for the table arg. + -- We're looking for the closing '}'. + local bracketDepth = 1 -- @Incomplete: Track all brackets! + + while true do + local tok = tokens[tokens.nextI] + + if not tok then + errorAtToken(macroArg.locationToken, nil, "Parser/MacroArgument", "Could not find end of table constructor before EOF.") + + -- Preprocessor block in macro. + elseif tok.type == "pp_entry" then + tableInsert(macroArg.nodes, astParseMetaBlockOrLine(tokens)) + astLuaInCurrentArg = nil + + -- Nested macro. + elseif isToken(tok, "pp_keyword", "insert") then + tableInsert(macroArg.nodes, astParseMacro(params, tokens)) + astLuaInCurrentArg = nil + + -- Other preprocessor code in macro. (Not sure we ever get here.) + elseif tok.type:find"^pp_" then + errorAtToken(tok, nil, "Parser/MacroArgument", "Unsupported preprocessor code. (Macro starts %s)", getRelativeLocationText(macroStartTok, tok)) + + -- End of table and argument. + elseif bracketDepth == 1 and isToken(tok, "punctuation", "}") then + if not astLuaInCurrentArg then + astLuaInCurrentArg = AstLua(tok) + tableInsert(macroArg.nodes, astLuaInCurrentArg) + end + tableInsert(astLuaInCurrentArg.tokens, tok) + advanceToken(tokens) -- '}' + break + + -- Normal token. + else + if isToken(tok, "punctuation", "{") then + bracketDepth = bracketDepth + 1 + elseif isToken(tok, "punctuation", "}") then + bracketDepth = bracketDepth - 1 + end + + if not astLuaInCurrentArg then + astLuaInCurrentArg = AstLua(tok) + tableInsert(macroArg.nodes, astLuaInCurrentArg) + end + tableInsert(astLuaInCurrentArg.tokens, tok) + advanceToken(tokens) -- anything + end + end + + -- @insert identifier ( argument1, ... ) + elseif isTokenAndNotNil(tokNext, "punctuation", "(") then + -- Apply the same 'ambiguous syntax' rule as Lua. (Will comments mess this check up? @Check) + if isTokenAndNotNil(tokens[iNext-1], "whitespace") and tokens[iNext-1].value:find("\n", 1, true) then + errorAtToken(tokNext, nil, "Parser/Macro", "Ambiguous syntax near '(' - part of macro, or new statement?") + end + + local parensStartTok = tokNext + tokens.nextI = iNext + 1 -- after '(' + tokNext, iNext = getNextUsableToken(tokens, tokens.nextI, nil, 1) + + if isTokenAndNotNil(tokNext, "punctuation", ")") then + tokens.nextI = iNext + 1 -- after ')' + + else + for argNum = 1, 1/0 do + -- Collect tokens for this arg. + -- We're looking for the next comma at depth 0 or closing ')'. + local macroArg = MacroArgument(tokens[tokens.nextI]) + astMacro.arguments[argNum] = macroArg + + advancePastUseless(tokens) -- Trim leading useless tokens. + + local astLuaInCurrentArg = nil + local depthStack = {} + + while true do + local tok = tokens[tokens.nextI] + + if not tok then + errorAtToken(parensStartTok, nil, "Parser/Macro", "Could not find end of argument list before EOF.") + + -- Preprocessor block in macro. + elseif tok.type == "pp_entry" then + tableInsert(macroArg.nodes, astParseMetaBlockOrLine(tokens)) + astLuaInCurrentArg = nil + + -- Nested macro. + elseif isToken(tok, "pp_keyword", "insert") then + tableInsert(macroArg.nodes, astParseMacro(params, tokens)) + astLuaInCurrentArg = nil + + -- Other preprocessor code in macro. (Not sure we ever get here.) + elseif tok.type:find"^pp_" then + errorAtToken(tok, nil, "Parser/MacroArgument", "Unsupported preprocessor code. (Macro starts %s)", getRelativeLocationText(macroStartTok, tok)) + + -- End of argument. + elseif not depthStack[1] and (isToken(tok, "punctuation", ",") or isToken(tok, "punctuation", ")")) then + break + + -- Normal token. + else + if isToken(tok, "punctuation", "(") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]")"}) + elseif isToken(tok, "punctuation", "[") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"]"}) + elseif isToken(tok, "punctuation", "{") then + tableInsert(depthStack, {startToken=tok, --[[1]]"punctuation", --[[2]]"}"}) + elseif isToken(tok, "keyword", "function") or isToken(tok, "keyword", "if") or isToken(tok, "keyword", "do") then + tableInsert(depthStack, {startToken=tok, --[[1]]"keyword", --[[2]]"end"}) + elseif isToken(tok, "keyword", "repeat") then + tableInsert(depthStack, {startToken=tok, --[[1]]"keyword", --[[2]]"until"}) + + elseif + isToken(tok, "punctuation", ")") or + isToken(tok, "punctuation", "]") or + isToken(tok, "punctuation", "}") or + isToken(tok, "keyword", "end") or + isToken(tok, "keyword", "until") + then + if not depthStack[1] then + errorAtToken(tok, nil, "Parser/MacroArgument", "Unexpected '%s'.", tok.value) + elseif not isToken(tok, unpack(depthStack[#depthStack])) then + local startTok = depthStack[#depthStack].startToken + errorAtToken( + tok, nil, "Parser/MacroArgument", "Expected '%s' (to close '%s' %s) but got '%s'.", + depthStack[#depthStack][2], startTok.value, getRelativeLocationText(startTok, tok), tok.value + ) + end + tableRemove(depthStack) + end + + if not astLuaInCurrentArg then + astLuaInCurrentArg = AstLua(tok) + tableInsert(macroArg.nodes, astLuaInCurrentArg) + end + tableInsert(astLuaInCurrentArg.tokens, tok) + advanceToken(tokens) -- anything + end + end + + if astLuaInCurrentArg then + -- Trim trailing useless tokens. + popUseless(astLuaInCurrentArg.tokens) + if not astLuaInCurrentArg.tokens[1] then + assert(tableRemove(macroArg.nodes) == astLuaInCurrentArg) + end + end + + if not macroArg.nodes[1] and current_parsingAndMeta_strictMacroArguments then + -- There were no useful tokens for the argument! + errorAtToken(macroArg.locationToken, nil, "Parser/MacroArgument", "Expected argument #%d.", argNum) + end + + -- Do next argument or finish arguments. + if isTokenAndNotNil(tokens[tokens.nextI], "punctuation", ")") then + tokens.nextI = tokens.nextI + 1 -- after ')' + break + end + + assert(isToken(advanceToken(tokens), "punctuation", ",")) -- The loop above should have continued otherwise! + end--for argNum + end + + -- @insert identifier !( ... ) -- Same as: @insert identifier ( !( ... ) ) + -- @insert identifier !!( ... ) -- Same as: @insert identifier ( !!( ... ) ) + elseif isTokenAndNotNil(tokNext, "pp_entry") then + tokens.nextI = iNext -- until '!' or '!!' + + if not isTokenAndNotNil(tokens[tokens.nextI+1], "punctuation", "(") then + errorAfterToken(tokNext, "Parser/Macro", "Expected '(' after '%s'.", tokNext.value) + end + + astMacro.arguments[1] = MacroArgument(tokNext, {astParseMetaBlock(tokens)}) -- The one and only argument for this macro variant. + + else + errorAfterToken(astMacro.calleeTokens[#astMacro.calleeTokens], "Parser/Macro", "Expected '(' after macro name.") + end + + return astMacro +end + +local function astParse(params, tokens) + -- @Robustness: Make sure everywhere that key tokens came from the same source file. + local astSequence = AstSequence(tokens[1]) + tokens.nextI = 1 + + while true do + local tok = tokens[tokens.nextI] + if not tok then break end + + if isToken(tok, "pp_entry") then + tableInsert(astSequence.nodes, astParseMetaBlockOrLine(tokens)) + + elseif isToken(tok, "pp_keyword", "insert") then + local astMacro = astParseMacro(params, tokens) + tableInsert(astSequence.nodes, astMacro) + + -- elseif isToken(tok, "pp_symbol") then -- We currently expand these in doEarlyExpansions(). + -- errorAtToken(tok, nil, "Parser", "Internal error: @Incomplete: Handle symbols.") + + else + local astLua = AstLua(tok) + tableInsert(astSequence.nodes, astLua) + + while true do + tableInsert(astLua.tokens, tok) + advanceToken(tokens) + + tok = tokens[tokens.nextI] + if not tok then break end + if tok.type:find"^pp_" then break end + end + end + end + + return astSequence +end + + + +-- lineNumber, lineNumberMeta = astNodeToMetaprogram( buffer, ast, lineNumber, lineNumberMeta, asMacroArgumentExpression ) +local function astNodeToMetaprogram(buffer, ast, ln, lnMeta, asMacroArgExpr) + if current_parsingAndMeta_addLineNumbers and not asMacroArgExpr then + lnMeta = maybeOutputLineNumber(buffer, ast.locationToken, lnMeta) + end + + -- + -- lua -> __LUA"lua" + -- + if ast.type == "lua" then + local lua = _concatTokens(ast.tokens, ln, current_parsingAndMeta_addLineNumbers, nil, nil) + ln = ast.tokens[#ast.tokens].line + + if not asMacroArgExpr then tableInsert(buffer, "__LUA") end + + if current_parsingAndMeta_isDebug then + if not asMacroArgExpr then tableInsert(buffer, "(") end + tableInsert(buffer, (F("%q", lua):gsub("\n", "n"))) + if not asMacroArgExpr then tableInsert(buffer, ")\n") end + else + tableInsert(buffer, F("%q", lua)) + if not asMacroArgExpr then tableInsert(buffer, "\n") end + end + + -- + -- !(expression) -> __VAL(expression) + -- + elseif ast.type == "expressionValue" then + if asMacroArgExpr + then tableInsert(buffer, "__TOLUA(") + else tableInsert(buffer, "__VAL((") end + + for _, tok in ipairs(ast.tokens) do + tableInsert(buffer, tok.representation) + end + + if asMacroArgExpr + then tableInsert(buffer, ")") + else tableInsert(buffer, "))\n") end + + -- + -- !!(expression) -> __LUA(expression) + -- + elseif ast.type == "expressionCode" then + if asMacroArgExpr + then tableInsert(buffer, "__ISLUA(") + else tableInsert(buffer, "__LUA((") end + + for _, tok in ipairs(ast.tokens) do + tableInsert(buffer, tok.representation) + end + + if asMacroArgExpr + then tableInsert(buffer, ")") + else tableInsert(buffer, "))\n") end + + -- + -- !(statements) -> statements + -- !statements -> statements + -- + elseif ast.type == "metaprogram" then + if asMacroArgExpr then internalError(ast.type) end + + if ast.originIsLine then + for i = 1, #ast.tokens-1 do + tableInsert(buffer, ast.tokens[i].representation) + end + + local lastTok = ast.tokens[#ast.tokens] + if lastTok.type == "whitespace" then + if current_parsingAndMeta_isDebug + then tableInsert(buffer, (F("\n__LUA(%q)\n", lastTok.value):gsub("\\\n", "\\n"))) -- Note: "\\\n" does not match "\n". + else tableInsert(buffer, (F("\n__LUA%q\n" , lastTok.value):gsub("\\\n", "\\n"))) end + else--if type == comment + tableInsert(buffer, lastTok.representation) + if current_parsingAndMeta_isDebug + then tableInsert(buffer, F('__LUA("\\n")\n')) + else tableInsert(buffer, F("__LUA'\\n'\n" )) end + end + + else + for _, tok in ipairs(ast.tokens) do + tableInsert(buffer, tok.representation) + end + tableInsert(buffer, "\n") + end + + -- + -- @@callee(argument1, ...) -> __LUA(__M(callee(__ARG(1,), ...))) + -- OR -> __LUA(__M(callee(__ARG(1,function()end), ...))) + -- + -- The code handling each argument will be different depending on the complexity of the argument. + -- + elseif ast.type == "macro" then + if not asMacroArgExpr then tableInsert(buffer, "__LUA(") end + + tableInsert(buffer, "__M()(") + for _, tok in ipairs(ast.calleeTokens) do + tableInsert(buffer, tok.representation) + end + tableInsert(buffer, "(") + + for argNum, macroArg in ipairs(ast.arguments) do + local argIsComplex = false -- If any part of the argument cannot be an expression then it's complex. + + for _, astInArg in ipairs(macroArg.nodes) do + if astInArg.type == "metaprogram" or astInArg.type == "dualCode" then + argIsComplex = true + break + end + end + + if argNum > 1 then + tableInsert(buffer, ",") + if current_parsingAndMeta_isDebug then tableInsert(buffer, " ") end + end + + local locTokNum = #current_meta_locationTokens + 1 + current_meta_locationTokens[locTokNum] = macroArg.nodes[1] and macroArg.nodes[1].locationToken or macroArg.locationToken or internalError() + + tableInsert(buffer, "__ARG(") + tableInsert(buffer, tostring(locTokNum)) + tableInsert(buffer, ",") + + if argIsComplex then + tableInsert(buffer, "function()\n") + for nodeNumInArg, astInArg in ipairs(macroArg.nodes) do + ln, lnMeta = astNodeToMetaprogram(buffer, astInArg, ln, lnMeta, false) + end + tableInsert(buffer, "end") + + elseif macroArg.nodes[1] then + for nodeNumInArg, astInArg in ipairs(macroArg.nodes) do + if nodeNumInArg > 1 then tableInsert(buffer, "..") end + ln, lnMeta = astNodeToMetaprogram(buffer, astInArg, ln, lnMeta, true) + end + + else + tableInsert(buffer, '""') + end + + tableInsert(buffer, ")") + end + + tableInsert(buffer, "))") + + if not asMacroArgExpr then tableInsert(buffer, ")\n") end + + -- + -- !!local names = values -> local names = values ; __LUA"local names = "__VAL(name1)__LUA", "__VAL(name2)... + -- !! names = values -> names = values ; __LUA"names = "__VAL(name1)__LUA", "__VAL(name2)... + -- + elseif ast.type == "dualCode" then + if asMacroArgExpr then internalError(ast.type) end + + -- Metaprogram. + if ast.isDeclaration then tableInsert(buffer, "local ") end + tableInsert(buffer, table.concat(ast.names, ", ")) + tableInsert(buffer, ' = ') + for _, tok in ipairs(ast.valueTokens) do + tableInsert(buffer, tok.representation) + end + + -- Final program. + tableInsert(buffer, '__LUA') + if current_parsingAndMeta_isDebug then tableInsert(buffer, '(') end + tableInsert(buffer, '"') -- string start + if current_parsingAndMeta_addLineNumbers then + ln = maybeOutputLineNumber(buffer, ast.locationToken, ln) + end + if ast.isDeclaration then tableInsert(buffer, "local ") end + tableInsert(buffer, table.concat(ast.names, ", ")) + tableInsert(buffer, ' = "') -- string end + if current_parsingAndMeta_isDebug then tableInsert(buffer, '); ') end + + for i, name in ipairs(ast.names) do + if i == 1 then -- void + elseif current_parsingAndMeta_isDebug then tableInsert(buffer, '; __LUA(", "); ') + else tableInsert(buffer, '__LUA", "' ) end + tableInsert(buffer, "__VAL(") + tableInsert(buffer, name) + tableInsert(buffer, ")") + end + + -- Use trailing semicolon if the user does. + for i = #ast.valueTokens, 1, -1 do + if isToken(ast.valueTokens[i], "punctuation", ";") then + if current_parsingAndMeta_isDebug + then tableInsert(buffer, '; __LUA(";")') + else tableInsert(buffer, '__LUA";"' ) end + break + elseif not isToken(ast.valueTokens[i], "whitespace") then + break + end + end + + if current_parsingAndMeta_isDebug + then tableInsert(buffer, '; __LUA("\\n")\n') + else tableInsert(buffer, '__LUA"\\n"\n' ) end + + -- + -- ... + -- + elseif ast.type == "sequence" then + for _, astChild in ipairs(ast.nodes) do + ln, lnMeta = astNodeToMetaprogram(buffer, astChild, ln, lnMeta, false) + end + + -- elseif ast.type == "symbol" then + -- errorAtToken(ast.locationToken, nil, nil, "AstSymbol") + + else + printErrorTraceback("Internal error.") + errorAtToken(ast.locationToken, nil, "Parsing", "Internal error. (%s, %s)", ast.type, tostring(asMacroArgExpr)) + end + + return ln, lnMeta +end + +local function astToLua(ast) + local buffer = {} + astNodeToMetaprogram(buffer, ast, 0, 0, false) + return table.concat(buffer) +end + + + +local function _processFileOrString(params, isFile) + if isFile then + if not params.pathIn then error("Missing 'pathIn' in params.", 2) end + if not params.pathOut then error("Missing 'pathOut' in params.", 2) end + + if params.pathOut == params.pathIn and params.pathOut ~= "-" then + error("'pathIn' and 'pathOut' are the same in params.", 2) + end + + if (params.pathMeta or "-") == "-" then -- Should it be possible to output the metaprogram to stdout? + -- void + elseif params.pathMeta == params.pathIn then + error("'pathIn' and 'pathMeta' are the same in params.", 2) + elseif params.pathMeta == params.pathOut then + error("'pathOut' and 'pathMeta' are the same in params.", 2) + end + + else + if not params.code then error("Missing 'code' in params.", 2) end + end + + -- Read input. + local luaUnprocessed, virtualPathIn + + if isFile then + virtualPathIn = params.pathIn + local err + + if virtualPathIn == "-" then + luaUnprocessed, err = io.stdin:read"*a" + else + luaUnprocessed, err = readFile(virtualPathIn, true) + end + + if not luaUnprocessed then + errorf("Could not read file '%s'. (%s)", virtualPathIn, err) + end + + current_anytime_pathIn = params.pathIn + current_anytime_pathOut = params.pathOut + + else + virtualPathIn = "" + luaUnprocessed = params.code + end + + current_anytime_fastStrings = params.fastStrings + current_parsing_insertCount = 0 + current_parsingAndMeta_resourceCache = {[virtualPathIn]=luaUnprocessed} -- The contents of files, unless params.onInsert() is specified in which case it's user defined. + current_parsingAndMeta_onInsert = params.onInsert + current_parsingAndMeta_addLineNumbers = params.addLineNumbers + current_parsingAndMeta_macroPrefix = params.macroPrefix or "" + current_parsingAndMeta_macroSuffix = params.macroSuffix or "" + current_parsingAndMeta_strictMacroArguments = params.strictMacroArguments ~= false + current_meta_locationTokens = {} + + local specialFirstLine, rest = luaUnprocessed:match"^(#[^\r\n]*\r?\n?)(.*)$" + if specialFirstLine then + specialFirstLine = specialFirstLine:gsub("\r", "") -- Normalize line breaks. (Assume the input is either "\n" or "\r\n".) + luaUnprocessed = rest + end + + -- Ensure there's a newline at the end of the code, otherwise there will be problems down the line. + if not (luaUnprocessed == "" or luaUnprocessed:find"\n%s*$") then + luaUnprocessed = luaUnprocessed .. "\n" + end + + local tokens = _tokenize(luaUnprocessed, virtualPathIn, true, params.backtickStrings, params.jitSyntax) + -- printTokens(tokens) -- DEBUG + + -- Gather info. + local lastTok = tokens[#tokens] + + local stats = { + processedByteCount = #luaUnprocessed, + lineCount = (specialFirstLine and 1 or 0) + (lastTok and lastTok.line + countString(lastTok.representation, "\n", true) or 0), + lineCountCode = getLineCountWithCode(tokens), + tokenCount = 0, -- Set later. + hasPreprocessorCode = false, + hasMetaprogram = false, + insertedNames = {}, + } + + for _, tok in ipairs(tokens) do + -- @Volatile: Make sure to update this when syntax is changed! + if isToken(tok, "pp_entry") or isToken(tok, "pp_keyword", "insert") or isToken(tok, "pp_symbol") then + stats.hasPreprocessorCode = true + stats.hasMetaprogram = true + break + elseif isToken(tok, "pp_keyword") or (isToken(tok, "string") and tok.representation:find"^`") then + stats.hasPreprocessorCode = true + -- Keep going as there may be metaprogram. + end + end + + -- Generate and run metaprogram. + ---------------------------------------------------------------- + + local shouldProcess = stats.hasPreprocessorCode or params.addLineNumbers + + if shouldProcess then + tokens = doExpansions(params, tokens, stats) + end + stats.tokenCount = #tokens + + current_meta_maxLogLevel = params.logLevel or "trace" + if not LOG_LEVELS[current_meta_maxLogLevel] then + errorf(2, "Invalid 'logLevel' value in params. (%s)", tostring(current_meta_maxLogLevel)) + end + + local lua + + if shouldProcess then + local luaMeta = astToLua(astParse(params, tokens)) + --[[ DEBUG :PrintCode + print("=META===============================") + print(luaMeta) + print("====================================") + --]] + + -- Run metaprogram. + current_meta_pathForErrorMessages = params.pathMeta or "" + current_meta_output = {} + current_meta_outputStack = {current_meta_output} + current_meta_canOutputNil = params.canOutputNil ~= false + current_meta_releaseMode = params.release + + if params.pathMeta then + local file, err = io.open(params.pathMeta, "wb") + if not file then errorf("Count not open '%s' for writing. (%s)", params.pathMeta, err) end + + file:write(luaMeta) + file:close() + end + + if params.onBeforeMeta then params.onBeforeMeta(luaMeta) end + + local main_chunk, err = loadLuaString(luaMeta, "@"..current_meta_pathForErrorMessages, metaEnv) + if not main_chunk then + local ln, _err = err:match"^.-:(%d+): (.*)" + errorOnLine(current_meta_pathForErrorMessages, (tonumber(ln) or 0), nil, "%s", (_err or err)) + end + + current_anytime_isRunningMeta = true + main_chunk() -- Note: Our caller should clean up current_meta_pathForErrorMessages etc. on error. + current_anytime_isRunningMeta = false + + if not current_parsingAndMeta_isDebug and params.pathMeta then + os.remove(params.pathMeta) + end + + if current_meta_outputStack[2] then + error("Called startInterceptingOutput() more times than stopInterceptingOutput().") + end + + lua = table.concat(current_meta_output) + --[[ DEBUG :PrintCode + print("=OUTPUT=============================") + print(lua) + print("====================================") + --]] + + current_meta_pathForErrorMessages = "" + current_meta_output = nil + current_meta_outputStack = nil + current_meta_canOutputNil = true + current_meta_releaseMode = false + + else + -- @Copypaste from above. + if not current_parsingAndMeta_isDebug and params.pathMeta then + os.remove(params.pathMeta) + end + + lua = luaUnprocessed + end + + current_meta_maxLogLevel = "trace" + current_meta_locationTokens = nil + + if params.onAfterMeta then + local luaModified = params.onAfterMeta(lua) + + if type(luaModified) == "string" then + lua = luaModified + elseif luaModified ~= nil then + errorf("onAfterMeta() did not return a string. (Got %s)", type(luaModified)) + end + end + + -- Write output file. + ---------------------------------------------------------------- + + local pathOut = isFile and params.pathOut or "" + + if isFile then + if pathOut == "-" then + io.stdout:write(specialFirstLine or "") + io.stdout:write(lua) + + else + local file, err = io.open(pathOut, "wb") + if not file then errorf("Count not open '%s' for writing. (%s)", pathOut, err) end + + file:write(specialFirstLine or "") + file:write(lua) + file:close() + end + end + + -- Check if the output is valid Lua. + if params.validate ~= false then + local luaToCheck = lua:gsub("^#![^\n]*", "") + local chunk, err = loadLuaString(luaToCheck, "@"..pathOut, nil) + + if not chunk then + local ln, _err = err:match"^.-:(%d+): (.*)" + errorOnLine(pathOut, (tonumber(ln) or 0), nil, "Output is invalid Lua. (%s)", (_err or err)) + end + end + + -- :ProcessInfo + local info = { + path = isFile and params.pathIn or "", + outputPath = isFile and params.pathOut or "", + processedByteCount = stats.processedByteCount, + lineCount = stats.lineCount, + linesOfCode = stats.lineCountCode, + tokenCount = stats.tokenCount, + hasPreprocessorCode = stats.hasPreprocessorCode, + hasMetaprogram = stats.hasMetaprogram, + insertedFiles = stats.insertedNames, + } + + if params.onDone then params.onDone(info) end + + current_anytime_pathIn = "" + current_anytime_pathOut = "" + current_anytime_fastStrings = false + current_parsingAndMeta_resourceCache = nil + current_parsingAndMeta_onInsert = nil + current_parsingAndMeta_addLineNumbers = false + current_parsingAndMeta_macroPrefix = "" + current_parsingAndMeta_macroSuffix = "" + current_parsingAndMeta_strictMacroArguments = true + + ---------------------------------------------------------------- + + if isFile then + return info + else + if specialFirstLine then + lua = specialFirstLine .. lua + end + return lua, info + end +end + +local function processFileOrString(params, isFile) + if current_parsingAndMeta_isProcessing then + error("Cannot process recursively.", 3) -- Note: We don't return failure in this case - it's a critical error! + end + + -- local startTime = os.clock() -- :DebugMeasureTime @Incomplete: Add processing time to returned info. + local returnValues = nil + + current_parsingAndMeta_isProcessing = true + current_parsingAndMeta_isDebug = params.debug + + local xpcallOk, xpcallErr = xpcall( + function() + returnValues = pack(_processFileOrString(params, isFile)) + end, + + function(err) + if type(err) == "string" and err:find("\0", 1, true) then + printError(tryToFormatError(cleanError(err))) + else + printErrorTraceback(err, 2) -- The level should be at error(). + end + + if params.onError then + local cbOk, cbErr = pcall(params.onError, err) + if not cbOk then + printfError("Additional error in params.onError()...\n%s", tryToFormatError(cbErr)) + end + end + + return err + end + ) + + current_parsingAndMeta_isProcessing = false + current_parsingAndMeta_isDebug = false + + -- Cleanup in case an error happened. + current_anytime_isRunningMeta = false + current_anytime_pathIn = "" + current_anytime_pathOut = "" + current_anytime_fastStrings = false + current_parsing_insertCount = 0 + current_parsingAndMeta_onInsert = nil + current_parsingAndMeta_resourceCache = nil + current_parsingAndMeta_addLineNumbers = false + current_parsingAndMeta_macroPrefix = "" + current_parsingAndMeta_macroSuffix = "" + current_parsingAndMeta_strictMacroArguments = true + current_meta_pathForErrorMessages = "" + current_meta_output = nil + current_meta_outputStack = nil + current_meta_canOutputNil = true + current_meta_releaseMode = false + current_meta_maxLogLevel = "trace" + current_meta_locationTokens = nil + + -- print("time", os.clock()-startTime) -- :DebugMeasureTime + if xpcallOk then + return unpack(returnValues, 1, returnValues.n) + else + return nil, cleanError(xpcallErr or "Unknown processing error.") + end +end + +local function processFile(params) + local returnValues = pack(processFileOrString(params, true)) + return unpack(returnValues, 1, returnValues.n) +end + +local function processString(params) + local returnValues = pack(processFileOrString(params, false)) + return unpack(returnValues, 1, returnValues.n) +end + + + +-- :ExportTable +local pp = { + + -- Processing functions. + ---------------------------------------------------------------- + + -- processFile() + -- Process a Lua file. Returns nil and a message on error. + -- + -- info = processFile( params ) + -- info: Table with various information. (See 'ProcessInfo' for more info.) + -- + -- params: Table with these fields: + -- pathIn = pathToInputFile -- [Required] Specify "-" to use stdin. + -- pathOut = pathToOutputFile -- [Required] Specify "-" to use stdout. (Note that if stdout is used then anything you print() in the metaprogram will end up there.) + -- pathMeta = pathForMetaprogram -- [Optional] You can inspect this temporary output file if an error occurs in the metaprogram. + -- + -- debug = boolean -- [Optional] Debug mode. The metaprogram file is formatted more nicely and does not get deleted automatically. + -- addLineNumbers = boolean -- [Optional] Add comments with line numbers to the output. + -- + -- backtickStrings = boolean -- [Optional] Enable the backtick (`) to be used as string literal delimiters. Backtick strings don't interpret any escape sequences and can't contain other backticks. (Default: false) + -- jitSyntax = boolean -- [Optional] Allow LuaJIT-specific syntax. (Default: false) + -- canOutputNil = boolean -- [Optional] Allow !(expression) and outputValue() to output nil. (Default: true) + -- fastStrings = boolean -- [Optional] Force fast serialization of string values. (Non-ASCII characters will look ugly.) (Default: false) + -- validate = boolean -- [Optional] Validate output. (Default: true) + -- strictMacroArguments = boolean -- [Optional] Check that macro arguments are valid Lua expressions. (Default: true) + -- + -- macroPrefix = prefix -- [Optional] String to prepend to macro names. (Default: "") + -- macroSuffix = suffix -- [Optional] String to append to macro names. (Default: "") + -- + -- release = boolean -- [Optional] Enable release mode. Currently only disables the @@ASSERT() macro when true. (Default: false) + -- logLevel = levelName -- [Optional] Maximum log level for the @@LOG() macro. Can be "off", "error", "warning", "info", "debug" or "trace". (Default: "trace", which enables all logging) + -- + -- onInsert = function( name ) -- [Optional] Called for each @insert"name" instruction. It's expected to return a Lua code string. By default 'name' is a path to a file to be inserted. + -- onBeforeMeta = function( luaString ) -- [Optional] Called before the metaprogram runs, if a metaprogram is generated. luaString contains the metaprogram. + -- onAfterMeta = function( luaString ) -- [Optional] Here you can modify and return the Lua code before it's written to 'pathOut'. + -- onError = function( error ) -- [Optional] You can use this to get traceback information. 'error' is the same value as what is returned from processFile(). + -- + processFile = processFile, + + -- processString() + -- Process Lua code. Returns nil and a message on error. + -- + -- luaString, info = processString( params ) + -- info: Table with various information. (See 'ProcessInfo' for more info.) + -- + -- params: Table with these fields: + -- code = luaString -- [Required] + -- pathMeta = pathForMetaprogram -- [Optional] You can inspect this temporary output file if an error occurs in the metaprogram. + -- + -- debug = boolean -- [Optional] Debug mode. The metaprogram file is formatted more nicely and does not get deleted automatically. + -- addLineNumbers = boolean -- [Optional] Add comments with line numbers to the output. + -- + -- backtickStrings = boolean -- [Optional] Enable the backtick (`) to be used as string literal delimiters. Backtick strings don't interpret any escape sequences and can't contain other backticks. (Default: false) + -- jitSyntax = boolean -- [Optional] Allow LuaJIT-specific syntax. (Default: false) + -- canOutputNil = boolean -- [Optional] Allow !(expression) and outputValue() to output nil. (Default: true) + -- fastStrings = boolean -- [Optional] Force fast serialization of string values. (Non-ASCII characters will look ugly.) (Default: false) + -- validate = boolean -- [Optional] Validate output. (Default: true) + -- strictMacroArguments = boolean -- [Optional] Check that macro arguments are valid Lua expressions. (Default: true) + -- + -- macroPrefix = prefix -- [Optional] String to prepend to macro names. (Default: "") + -- macroSuffix = suffix -- [Optional] String to append to macro names. (Default: "") + -- + -- release = boolean -- [Optional] Enable release mode. Currently only disables the @@ASSERT() macro when true. (Default: false) + -- logLevel = levelName -- [Optional] Maximum log level for the @@LOG() macro. Can be "off", "error", "warning", "info", "debug" or "trace". (Default: "trace", which enables all logging) + -- + -- onInsert = function( name ) -- [Optional] Called for each @insert"name" instruction. It's expected to return a Lua code string. By default 'name' is a path to a file to be inserted. + -- onBeforeMeta = function( luaString ) -- [Optional] Called before the metaprogram runs, if a metaprogram is generated. luaString contains the metaprogram. + -- onError = function( error ) -- [Optional] You can use this to get traceback information. 'error' is the same value as the second returned value from processString(). + -- + processString = processString, + + -- Values. + ---------------------------------------------------------------- + + VERSION = PP_VERSION, -- The version of LuaPreprocess. + metaEnvironment = metaEnv, -- The environment used for metaprograms. +} + +-- Include all functions from the metaprogram environment. +for k, v in pairs(metaFuncs) do pp[k] = v end + +return pp + + + +--[[!=========================================================== + +Copyright © 2018-2022 Marcus 'ReFreezed' Thunström + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. + +==============================================================]] + diff --git a/lib/tiny.lua b/lib/tiny.lua new file mode 100644 index 0000000..edaf1f1 --- /dev/null +++ b/lib/tiny.lua @@ -0,0 +1,935 @@ +--[[ +Copyright (c) 2016 Calvin Rose + +Permission is hereby granted, free of charge, to any person obtaining a copy of +this software and associated documentation files (the "Software"), to deal in +the Software without restriction, including without limitation the rights to +use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of +the Software, and to permit persons to whom the Software is furnished to do so, +subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS +FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR +COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER +IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN +CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. +]] + +---@class World + +---@class System +---@field world World field points to the World that the System belongs to. Useful for adding and removing Entities from the world dynamically via the System. +---@field active boolean flag for whether or not the System is updated automatically. Inactive Systems should be updated manually or not at all via system:update(dt). Defaults to true. +---@field entities table[] is an ordered list of Entities in the System. This list can be used to quickly iterate through all Entities in a System. +---@field interval number is an optional field that makes Systems update at certain intervals using buffered time, regardless of World update frequency. For example, to make a System update once a second, set the System's interval to 1. +---@field index number is the System's index in the World. Lower indexed Systems are processed before higher indices. The index is a read only field; to set the index, use tiny.setSystemIndex(world, system). +---@field indices table field is a table of Entity keys to their indices in the entities list. Most Systems can ignore this. +---@field modified boolean indicator for if the System has been modified in the last update. If so, the onModify callback will be called on the System in the next update, if it has one. This is usually managed by tiny-ecs, so users should mostly ignore this, too. + + +--- @module tiny-ecs +-- @author Calvin Rose +-- @license MIT +-- @copyright 2016 +local tiny = {} + +-- Local versions of standard lua functions +local tinsert = table.insert +local tremove = table.remove +local tsort = table.sort +local setmetatable = setmetatable +local type = type +local select = select + +-- Local versions of the library functions +local tiny_manageEntities +local tiny_manageSystems +local tiny_addEntity +local tiny_addSystem +local tiny_add +local tiny_removeEntity +local tiny_removeSystem + +--- Filter functions. +-- A Filter is a function that selects which Entities apply to a System. +-- Filters take two parameters, the System and the Entity, and return a boolean +-- value indicating if the Entity should be processed by the System. A truthy +-- value includes the entity, while a falsey (nil or false) value excludes the +-- entity. +-- +-- Filters must be added to Systems by setting the `filter` field of the System. +-- Filter's returned by tiny-ecs's Filter functions are immutable and can be +-- used by multiple Systems. +-- +-- local f1 = tiny.requireAll("position", "velocity", "size") +-- local f2 = tiny.requireAny("position", "velocity", "size") +-- +-- local e1 = { +-- position = {2, 3}, +-- velocity = {3, 3}, +-- size = {4, 4} +-- } +-- +-- local entity2 = { +-- position = {4, 5}, +-- size = {4, 4} +-- } +-- +-- local e3 = { +-- position = {2, 3}, +-- velocity = {3, 3} +-- } +-- +-- print(f1(nil, e1), f1(nil, e2), f1(nil, e3)) -- prints true, false, false +-- print(f2(nil, e1), f2(nil, e2), f2(nil, e3)) -- prints true, true, true +-- +-- Filters can also be passed as arguments to other Filter constructors. This is +-- a powerful way to create complex, custom Filters that select a very specific +-- set of Entities. +-- +-- -- Selects Entities with an "image" Component, but not Entities with a +-- -- "Player" or "Enemy" Component. +-- filter = tiny.requireAll("image", tiny.rejectAny("Player", "Enemy")) +-- +-- @section Filter + +-- A helper function to compile filters. +local filterJoin + +-- A helper function to filters from string +local filterBuildString + + +local function filterJoinRaw(invert, joining_op, ...) + local _args = {...} + + return function(system, e) + local acc + local args = _args + if joining_op == 'or' then + acc = false + for i = 1, #args do + local v = args[i] + if type(v) == "string" then + acc = acc or (e[v] ~= nil) + elseif type(v) == "function" then + acc = acc or v(system, e) + else + error 'Filter token must be a string or a filter function.' + end + end + else + acc = true + for i = 1, #args do + local v = args[i] + if type(v) == "string" then + acc = acc and (e[v] ~= nil) + elseif type(v) == "function" then + acc = acc and v(system, e) + else + error 'Filter token must be a string or a filter function.' + end + end + end + + -- computes a simple xor + if invert then + return not acc + else + return acc + end + end +end + +do + + function filterJoin(...) + local state, value = pcall(filterJoinRaw, ...) + if state then return value else return nil, value end + end + + local function buildPart(str) + local accum = {} + local subParts = {} + str = str:gsub('%b()', function(p) + subParts[#subParts + 1] = buildPart(p:sub(2, -2)) + return ('\255%d'):format(#subParts) + end) + for invert, part, sep in str:gmatch('(%!?)([^%|%&%!]+)([%|%&]?)') do + if part:match('^\255%d+$') then + local partIndex = tonumber(part:match(part:sub(2))) + accum[#accum + 1] = ('%s(%s)') + :format(invert == '' and '' or 'not', subParts[partIndex]) + else + accum[#accum + 1] = ("(e[%s] %s nil)") + :format(make_safe(part), invert == '' and '~=' or '==') + end + if sep ~= '' then + accum[#accum + 1] = (sep == '|' and ' or ' or ' and ') + end + end + return table.concat(accum) + end + + function filterBuildString(str) + local source = ("return function(_, e) return %s end") + :format(buildPart(str)) + local loader, err = loadstring(source) + if err then + error(err) + end + return loader() + end + +end + +--- Makes a Filter that selects Entities with all specified Components and +-- Filters. +function tiny.requireAll(...) + return filterJoin(false, 'and', ...) +end + +--- Makes a Filter that selects Entities with at least one of the specified +-- Components and Filters. +function tiny.requireAny(...) + return filterJoin(false, 'or', ...) +end + +--- Makes a Filter that rejects Entities with all specified Components and +-- Filters, and selects all other Entities. +function tiny.rejectAll(...) + return filterJoin(true, 'and', ...) +end + +--- Makes a Filter that rejects Entities with at least one of the specified +-- Components and Filters, and selects all other Entities. +function tiny.rejectAny(...) + return filterJoin(true, 'or', ...) +end + +--- Makes a Filter from a string. Syntax of `pattern` is as follows. +-- +-- * Tokens are alphanumeric strings including underscores. +-- * Tokens can be separated by |, &, or surrounded by parentheses. +-- * Tokens can be prefixed with !, and are then inverted. +-- +-- Examples are best: +-- 'a|b|c' - Matches entities with an 'a' OR 'b' OR 'c'. +-- 'a&!b&c' - Matches entities with an 'a' AND NOT 'b' AND 'c'. +-- 'a|(b&c&d)|e - Matches 'a' OR ('b' AND 'c' AND 'd') OR 'e' +-- @param pattern +function tiny.filter(pattern) + local state, value = pcall(filterBuildString, pattern) + if state then return value else return nil, value end +end + +--- System functions. +-- A System is a wrapper around function callbacks for manipulating Entities. +-- Systems are implemented as tables that contain at least one method; +-- an update function that takes parameters like so: +-- +-- * `function system:update(dt)`. +-- +-- There are also a few other optional callbacks: +-- +-- * `function system:filter(entity)` - Returns true if this System should +-- include this Entity, otherwise should return false. If this isn't specified, +-- no Entities are included in the System. +-- * `function system:onAdd(entity)` - Called when an Entity is added to the +-- System. +-- * `function system:onRemove(entity)` - Called when an Entity is removed +-- from the System. +-- * `function system:onModify(dt)` - Called when the System is modified by +-- adding or removing Entities from the System. +-- * `function system:onAddToWorld(world)` - Called when the System is added +-- to the World, before any entities are added to the system. +-- * `function system:onRemoveFromWorld(world)` - Called when the System is +-- removed from the world, after all Entities are removed from the System. +-- * `function system:preWrap(dt)` - Called on each system before update is +-- called on any system. +-- * `function system:postWrap(dt)` - Called on each system in reverse order +-- after update is called on each system. The idea behind `preWrap` and +-- `postWrap` is to allow for systems that modify the behavior of other systems. +-- Say there is a DrawingSystem, which draws sprites to the screen, and a +-- PostProcessingSystem, that adds some blur and bloom effects. In the preWrap +-- method of the PostProcessingSystem, the System could set the drawing target +-- for the DrawingSystem to a special buffer instead the screen. In the postWrap +-- method, the PostProcessingSystem could then modify the buffer and render it +-- to the screen. In this setup, the PostProcessingSystem would be added to the +-- World after the drawingSystem (A similar but less flexible behavior could +-- be accomplished with a single custom update function in the DrawingSystem). +-- +-- For Filters, it is convenient to use `tiny.requireAll` or `tiny.requireAny`, +-- but one can write their own filters as well. Set the Filter of a System like +-- so: +-- system.filter = tiny.requireAll("a", "b", "c") +-- or +-- function system:filter(entity) +-- return entity.myRequiredComponentName ~= nil +-- end +-- +-- All Systems also have a few important fields that are initialized when the +-- system is added to the World. A few are important, and few should be less +-- commonly used. +-- +-- * The `world` field points to the World that the System belongs to. Useful +-- for adding and removing Entities from the world dynamically via the System. +-- * The `active` flag is whether or not the System is updated automatically. +-- Inactive Systems should be updated manually or not at all via +-- `system:update(dt)`. Defaults to true. +-- * The `entities` field is an ordered list of Entities in the System. This +-- list can be used to quickly iterate through all Entities in a System. +-- * The `interval` field is an optional field that makes Systems update at +-- certain intervals using buffered time, regardless of World update frequency. +-- For example, to make a System update once a second, set the System's interval +-- to 1. +-- * The `index` field is the System's index in the World. Lower indexed +-- Systems are processed before higher indices. The `index` is a read only +-- field; to set the `index`, use `tiny.setSystemIndex(world, system)`. +-- * The `indices` field is a table of Entity keys to their indices in the +-- `entities` list. Most Systems can ignore this. +-- * The `modified` flag is an indicator if the System has been modified in +-- the last update. If so, the `onModify` callback will be called on the System +-- in the next update, if it has one. This is usually managed by tiny-ecs, so +-- users should mostly ignore this, too. +-- +-- There is another option to (hopefully) increase performance in systems that +-- have items added to or removed from them often, and have lots of entities in +-- them. Setting the `nocache` field of the system might improve performance. +-- It is still experimental. There are some restriction to systems without +-- caching, however. +-- +-- * There is no `entities` table. +-- * Callbacks such onAdd, onRemove, and onModify will never be called +-- * Noncached systems cannot be sorted (There is no entities list to sort). +-- +-- @section System + +-- Use an empty table as a key for identifying Systems. Any table that contains +-- this key is considered a System rather than an Entity. +local systemTableKey = { "SYSTEM_TABLE_KEY" } +tiny.SKIP_PROCESS = { "SKIP_PROCESS_KEY" } + +-- Checks if a table is a System. +local function isSystem(table) + return table[systemTableKey] +end + +-- Update function for all Processing Systems. +local function processingSystemUpdate(system, dt) + local preProcess = system.preProcess + local process = system.process + local postProcess = system.postProcess + + local shouldSkipSystemProcess + if preProcess then + shouldSkipSystemProcess = preProcess(system, dt) + end + + if process and shouldSkipSystemProcess ~= tiny.SKIP_PROCESS then + if system.nocache then + local entities = system.world.entities + local filter = system.filter + if filter then + for i = 1, #entities do + local entity = entities[i] + if filter(system, entity) then + process(system, entity, dt) + end + end + end + else + local entities = system.entities + for i = 1, #entities do + process(system, entities[i], dt) + end + end + end + + if postProcess and shouldSkipSystemProcess ~= tiny.SKIP_PROCESS then + postProcess(system, dt) + end +end + +-- Sorts Systems by a function system.sortDelegate(entity1, entity2) on modify. +local function sortedSystemOnModify(system) + local entities = system.entities + local indices = system.indices + local sortDelegate = system.sortDelegate + if not sortDelegate then + local compare = system.compare + sortDelegate = function(e1, e2) + return compare(system, e1, e2) + end + system.sortDelegate = sortDelegate + end + tsort(entities, sortDelegate) + for i = 1, #entities do + indices[entities[i]] = i + end +end + +--- Creates a new System or System class from the supplied table. If `table` is +-- nil, creates a new table. +function tiny.system(table) + table = table or {} + table[systemTableKey] = true + return table +end + +--- Creates a new Processing System or Processing System class. Processing +-- Systems process each entity individual, and are usually what is needed. +-- Processing Systems have three extra callbacks besides those inheritted from +-- vanilla Systems. +-- +-- function system:preProcess(dt) -- Called before iteration. +-- function system:process(entity, dt) -- Process each entity. +-- function system:postProcess(dt) -- Called after iteration. +-- +-- Processing Systems have their own `update` method, so don't implement a +-- a custom `update` callback for Processing Systems. +-- @see system +function tiny.processingSystem(table) + table = table or {} + table[systemTableKey] = true + table.update = processingSystemUpdate + return table +end + +--- Creates a new Sorted System or Sorted System class. Sorted Systems sort +-- their Entities according to a user-defined method, `system:compare(e1, e2)`, +-- which should return true if `e1` should come before `e2` and false otherwise. +-- Sorted Systems also override the default System's `onModify` callback, so be +-- careful if defining a custom callback. However, for processing the sorted +-- entities, consider `tiny.sortedProcessingSystem(table)`. +-- @see system +function tiny.sortedSystem(table) + table = table or {} + table[systemTableKey] = true + table.onModify = sortedSystemOnModify + return table +end + +--- Creates a new Sorted Processing System or Sorted Processing System class. +-- Sorted Processing Systems have both the aspects of Processing Systems and +-- Sorted Systems. +-- @see system +-- @see processingSystem +-- @see sortedSystem +function tiny.sortedProcessingSystem(table) + table = table or {} + table[systemTableKey] = true + table.update = processingSystemUpdate + table.onModify = sortedSystemOnModify + return table +end + +--- World functions. +-- A World is a container that manages Entities and Systems. Typically, a +-- program uses one World at a time. +-- +-- For all World functions except `tiny.world(...)`, object-oriented syntax can +-- be used instead of the documented syntax. For example, +-- `tiny.add(world, e1, e2, e3)` is the same as `world:add(e1, e2, e3)`. +-- @section World + +-- Forward declaration +local worldMetaTable + +--- Creates a new World. +-- Can optionally add default Systems and Entities. Returns the new World along +-- with default Entities and Systems. +---@return World +function tiny.world(...) + local ret = setmetatable({ + + -- List of Entities to remove + entitiesToRemove = {}, + + -- List of Entities to change + entitiesToChange = {}, + + -- List of Entities to add + systemsToAdd = {}, + + -- List of Entities to remove + systemsToRemove = {}, + + -- Set of Entities + entities = {}, + + -- List of Systems + systems = {} + + }, worldMetaTable) + + tiny_add(ret, ...) + tiny_manageSystems(ret) + tiny_manageEntities(ret) + + return ret, ... +end + +--- Adds an Entity to the world. +-- Also call this on Entities that have changed Components such that they +-- match different Filters. Returns the Entity. +-- TODO: Track entity age when debugging? +-- TODO: Track debugName field when debugging? +function tiny.addEntity(world, entity) + local e2c = world.entitiesToChange + e2c[#e2c + 1] = entity + return entity +end +tiny_addEntity = tiny.addEntity + +if tinyTrackEntityAges then + local wrapped = tiny.addEntity + function tiny.addEntity(world, entity) + local added = wrapped(world, entity) + added[ENTITY_INIT_MS] = getCurrentTimeMilliseconds() + return added + end + tiny_addEntity = tiny.addEntity +end + +if tinyWarnWhenNonDataOnEntities then + local wrapped = tiny.addEntity + function tiny.addEntity(world, entity) + local added = wrapped(world, entity) + local nonDataType = checkForNonData(added) + if nonDataType then + print("Detected non-data type '" .. nonDataType .. "' on entity") + end + return added + end + tiny_addEntity = tiny.addEntity +end + +--- Adds a System to the world. Returns the System. +function tiny.addSystem(world, system) + if tinyLogSystemChanges then + print("addSystem '" .. (system.name or "unnamed") .. "'") + end + if system.world ~= nil then + error("System " .. system.name .. " already belongs to a World.") + end + local s2a = world.systemsToAdd + s2a[#s2a + 1] = system + system.world = world + return system +end +tiny_addSystem = tiny.addSystem + +--- Shortcut for adding multiple Entities and Systems to the World. Returns all +-- added Entities and Systems. +function tiny.add(world, ...) + for i = 1, select("#", ...) do + local obj = select(i, ...) + if obj then + if isSystem(obj) then + tiny_addSystem(world, obj) + else -- Assume obj is an Entity + tiny_addEntity(world, obj) + end + end + end + return ... +end +tiny_add = tiny.add + +--- Removes an Entity from the World. Returns the Entity. +function tiny.removeEntity(world, entity) + local e2r = world.entitiesToRemove + e2r[#e2r + 1] = entity + return entity +end +tiny_removeEntity = tiny.removeEntity + +--- Removes a System from the world. Returns the System. +function tiny.removeSystem(world, system) + if tinyLogSystemChanges then + print("removeSystem '" .. (system.name or "unnamed") .. "'") + end + if system.world ~= world then + error("System " .. system.name .. " does not belong to this World.") + end + local s2r = world.systemsToRemove + s2r[#s2r + 1] = system + return system +end +tiny_removeSystem = tiny.removeSystem + +--- Shortcut for removing multiple Entities and Systems from the World. Returns +-- all removed Systems and Entities +function tiny.remove(world, ...) + for i = 1, select("#", ...) do + local obj = select(i, ...) + if obj then + if isSystem(obj) then + tiny_removeSystem(world, obj) + else -- Assume obj is an Entity + tiny_removeEntity(world, obj) + end + end + end + return ... +end + +-- Adds and removes Systems that have been marked from the World. +function tiny_manageSystems(world) + local s2a, s2r = world.systemsToAdd, world.systemsToRemove + + -- Early exit + if #s2a == 0 and #s2r == 0 then + return + end + + world.systemsToAdd = {} + world.systemsToRemove = {} + + local worldEntityList = world.entities + local systems = world.systems + + -- Remove Systems + for i = 1, #s2r do + local system = s2r[i] + local index = system.index + local onRemove = system.onRemove + if onRemove and not system.nocache then + local entityList = system.entities + for j = 1, #entityList do + onRemove(system, entityList[j]) + end + end + tremove(systems, index) + for j = index, #systems do + systems[j].index = j + end + local onRemoveFromWorld = system.onRemoveFromWorld + if onRemoveFromWorld then + onRemoveFromWorld(system, world) + end + s2r[i] = nil + + -- Clean up System + if tinyLogSystemChanges then + print("Cleaning up system '" .. (system.name or "unnamed") .. "'") + end + system.world = nil + system.entities = nil + system.indices = nil + system.index = nil + end + + -- Add Systems + for i = 1, #s2a do + local system = s2a[i] + if systems[system.index or 0] ~= system then + if not system.nocache then + system.entities = {} + system.indices = {} + end + if system.active == nil then + system.active = true + end + system.modified = true + system.world = world + local index = #systems + 1 + system.index = index + systems[index] = system + local onAddToWorld = system.onAddToWorld + if onAddToWorld then + onAddToWorld(system, world) + end + + -- Try to add Entities + if not system.nocache then + local entityList = system.entities + local entityIndices = system.indices + local onAdd = system.onAdd + local filter = system.filter + if filter then + for j = 1, #worldEntityList do + local entity = worldEntityList[j] + if filter(system, entity) then + local entityIndex = #entityList + 1 + entityList[entityIndex] = entity + entityIndices[entity] = entityIndex + if onAdd then + onAdd(system, entity) + end + end + end + end + end + end + s2a[i] = nil + end +end + +-- Adds, removes, and changes Entities that have been marked. +function tiny_manageEntities(world) + + local e2r = world.entitiesToRemove + local e2c = world.entitiesToChange + + -- Early exit + if #e2r == 0 and #e2c == 0 then + return + end + + world.entitiesToChange = {} + world.entitiesToRemove = {} + + local entities = world.entities + local systems = world.systems + + -- Change Entities + for i = 1, #e2c do + local entity = e2c[i] + -- Add if needed + if not entities[entity] then + local index = #entities + 1 + entities[entity] = index + entities[index] = entity + end + for j = 1, #systems do + local system = systems[j] + if not system.nocache then + local ses = system.entities + local seis = system.indices + local index = seis[entity] + local filter = system.filter + if filter and filter(system, entity) then + if not index then + system.modified = true + index = #ses + 1 + ses[index] = entity + seis[entity] = index + local onAdd = system.onAdd + if onAdd then + onAdd(system, entity) + end + end + elseif index then + system.modified = true + local tmpEntity = ses[#ses] + ses[index] = tmpEntity + seis[tmpEntity] = index + seis[entity] = nil + ses[#ses] = nil + local onRemove = system.onRemove + if onRemove then + onRemove(system, entity) + end + end + end + end + e2c[i] = nil + end + + -- Remove Entities + for i = 1, #e2r do + local entity = e2r[i] + e2r[i] = nil + local listIndex = entities[entity] + if listIndex then + -- Remove Entity from world state + local lastEntity = entities[#entities] + entities[lastEntity] = listIndex + entities[entity] = nil + entities[listIndex] = lastEntity + entities[#entities] = nil + -- Remove from cached systems + for j = 1, #systems do + local system = systems[j] + if not system.nocache then + local ses = system.entities + local seis = system.indices + local index = seis[entity] + if index then + system.modified = true + local tmpEntity = ses[#ses] + ses[index] = tmpEntity + seis[tmpEntity] = index + seis[entity] = nil + ses[#ses] = nil + local onRemove = system.onRemove + if onRemove then + onRemove(system, entity) + end + end + end + end + end + end +end + +--- Manages Entities and Systems marked for deletion or addition. Call this +-- before modifying Systems and Entities outside of a call to `tiny.update`. +-- Do not call this within a call to `tiny.update`. +function tiny.refresh(world) + tiny_manageSystems(world) + tiny_manageEntities(world) + local systems = world.systems + for i = #systems, 1, -1 do + local system = systems[i] + if system.active then + local onModify = system.onModify + if onModify and system.modified then + onModify(system, 0) + end + system.modified = false + end + end +end + +--- Updates the World by dt (delta time). Takes an optional parameter, `filter`, +-- which is a Filter that selects Systems from the World, and updates only those +-- Systems. If `filter` is not supplied, all Systems are updated. Put this +-- function in your main loop. +function tiny.update(world, dt, filter) + + tiny_manageSystems(world) + tiny_manageEntities(world) + + local systems = world.systems + + -- Iterate through Systems IN REVERSE ORDER + for i = #systems, 1, -1 do + local system = systems[i] + if system.active then + -- Call the modify callback on Systems that have been modified. + local onModify = system.onModify + if onModify and system.modified then + onModify(system, dt) + end + local preWrap = system.preWrap + if preWrap and + ((not filter) or filter(world, system)) then + preWrap(system, dt) + end + end + end + + local tinyLogSystemUpdateTime = tinyLogSystemUpdateTime + -- Iterate through Systems IN ORDER + for i = 1, #systems do + local system = systems[i] + if system.active and ((not filter) or filter(world, system)) then + -- Update Systems that have an update method (most Systems) + local update = system.update + if update then + local currentMs = tinyLogSystemUpdateTime and getCurrentTimeMilliseconds() + local interval = system.interval + if interval then + local bufferedTime = (system.bufferedTime or 0) + dt + while bufferedTime >= interval do + bufferedTime = bufferedTime - interval + update(system, interval) + end + system.bufferedTime = bufferedTime + else + update(system, dt) + end + if tinyLogSystemUpdateTime then + local endTimeMs = getCurrentTimeMilliseconds() + print(tostring(endTimeMs - currentMs) .. "ms taken to update system '" .. system.name .. "'") + end + end + + system.modified = false + end + end + if tinyLogSystemUpdateTime then + print("") + end + + -- Iterate through Systems IN ORDER AGAIN + for i = 1, #systems do + local system = systems[i] + local postWrap = system.postWrap + if postWrap and system.active and + ((not filter) or filter(world, system)) then + postWrap(system, dt) + end + end + +end + +--- Removes all Entities from the World. +function tiny.clearEntities(world) + local el = world.entities + for i = 1, #el do + tiny_removeEntity(world, el[i]) + end +end + +--- Removes all Systems from the World. +function tiny.clearSystems(world) + local systems = world.systems + for i = #systems, 1, -1 do + tiny_removeSystem(world, systems[i]) + end +end + +--- Gets number of Entities in the World. +function tiny.getEntityCount(world) + return #world.entities +end + +--- Gets number of Systems in World. +function tiny.getSystemCount(world) + return #world.systems +end + +--- Sets the index of a System in the World, and returns the old index. Changes +-- the order in which they Systems processed, because lower indexed Systems are +-- processed first. Returns the old system.index. +function tiny.setSystemIndex(world, system, index) + tiny_manageSystems(world) + local oldIndex = system.index + local systems = world.systems + + if index < 0 then + index = tiny.getSystemCount(world) + 1 + index + end + + tremove(systems, oldIndex) + tinsert(systems, index, system) + + for i = oldIndex, index, index >= oldIndex and 1 or -1 do + systems[i].index = i + end + + return oldIndex +end + +-- Construct world metatable. +worldMetaTable = { + __index = { + add = tiny.add, + addEntity = tiny.addEntity, + addSystem = tiny.addSystem, + remove = tiny.remove, + removeEntity = tiny.removeEntity, + removeSystem = tiny.removeSystem, + refresh = tiny.refresh, + update = tiny.update, + clearEntities = tiny.clearEntities, + clearSystems = tiny.clearSystems, + getEntityCount = tiny.getEntityCount, + getSystemCount = tiny.getSystemCount, + setSystemIndex = tiny.setSystemIndex + }, + __tostring = function() + return "" + end +} + +_G.tiny = tiny +return tiny diff --git a/main.lua b/main.lua new file mode 100644 index 0000000..3616e6b --- /dev/null +++ b/main.lua @@ -0,0 +1,39 @@ +require("tiny-debug") +tiny = require("lib/tiny") +require("utils") +require("tiny-tools") + +World = tiny.world() + +require("generated/filter-types") +require("generated/assets") +require("generated/all-systems") + +local scenarios = { + default = function() + -- TODO: Add default entities + end, + textTestScenario = function() + World:addEntity({ + position = { x = 0, y = 600 }, + drawAsText = { + text = "Hello, world!", + style = TextStyle.Inverted, + }, + velocity = { x = 240, y = -500 }, + mass = 1, + decayAfterSeconds = 10, + }) + end, +} + +scenarios.textTestScenario() + +function love.load() + love.graphics.setBackgroundColor(1, 1, 1) + love.graphics.setFont(EtBt7001Z0xa(32)) +end + +function love.draw() + World:update(love.timer.getDelta()) +end diff --git a/systems/camera-pan.lua b/systems/camera-pan.lua new file mode 100644 index 0000000..8f38509 --- /dev/null +++ b/systems/camera-pan.lua @@ -0,0 +1,55 @@ +Camera = { + pan = { + x = 0, + y = 0, + }, +} + +expireBelowScreenSystem = filteredSystem("expireBelowScreen", { position = T.XyPair, expireBelowScreenBy = T.number }) + +local focusPriority = {} + +cameraPanSystem = filteredSystem("cameraPan", { focusPriority = T.number, position = T.XyPair }, function(e, _) + if e.focusPriority >= focusPriority.priority then + focusPriority.position = e.position + end +end) + +function cameraPanSystem.preProcess() + focusPriority.priority = 0 + focusPriority.position = { x = 0, y = 0 } +end + +function cameraPanSystem:postProcess() + Camera.pan.x = math.max(0, focusPriority.position.x - 200) + Camera.pan.y = math.min(0, focusPriority.position.y - 120) + -- TODO: set draw offset + + for _, entity in pairs(expireBelowScreenSystem.entities) do + if entity.position.y - (Camera.pan.y + 240) > entity.expireBelowScreenBy then + self.world:removeEntity(entity) + end + end +end + +local cameraTopIsh, cameraBottomIsh + +local enableNearCameraY = filteredSystem( + "enableNearCameraY", + { enableNearCameraY = Arr(T.Entity) }, + function(e, _, system) + if e.position.y > cameraTopIsh and e.position.y < cameraBottomIsh then + for _, enable in ipairs(e.enableNearCameraY) do + enable.velocity = e.velocity + system.world:addEntity(enable) + end + system.world:removeEntity(e) + end + end +) + +local within = 1000 +function enableNearCameraY:preProcess() + cameraTopIsh = Camera.pan.y - within + cameraBottomIsh = Camera.pan.y + 240 + within +end diff --git a/systems/collision-detection.lua b/systems/collision-detection.lua new file mode 100644 index 0000000..1d2f7a4 --- /dev/null +++ b/systems/collision-detection.lua @@ -0,0 +1,39 @@ +collidingEntities = filteredSystem("collidingEntitites", { + velocity = T.XyPair, + position = T.XyPair, + size = T.XyPair, + canCollideWith = T.BitMask, + isSolid = Maybe(T.bool), +}) + +filteredSystem( + "collisionDetection", + { position = T.XyPair, size = T.XyPair, canBeCollidedBy = T.BitMask, isSolid = Maybe(T.bool) }, + -- Here, the entity, e, refers to some entity that a moving object may be colliding *into* + function(e, _, system) + for _, collider in pairs(collidingEntities.entities) do + if + (e ~= collider) + and collider.canCollideWith + and e.canBeCollidedBy + and bit.band(collider.canCollideWith, e.canBeCollidedBy) ~= 0 + then + local colliderTop = collider.position.y + local colliderBottom = collider.position.y + collider.size.y + local entityTop = e.position.y + local entityBottom = entityTop + e.size.y + + local withinY = (entityTop > colliderTop and entityTop < colliderBottom) + or (entityBottom > colliderTop and entityBottom < colliderBottom) + + if + withinY + and collider.position.x < e.position.x + e.size.x + and collider.position.x + collider.size.x > e.position.x + then + system.world:addEntity({ collisionBetween = { e, collider } }) + end + end + end + end +) diff --git a/systems/collision-resolution.lua b/systems/collision-resolution.lua new file mode 100644 index 0000000..4a54df7 --- /dev/null +++ b/systems/collision-resolution.lua @@ -0,0 +1,4 @@ +filteredSystem("collisionResolution", { collisionBetween = T.Collision }, function(e, _, system) + local collidedInto, collider = e.collisionBetween[1], e.collisionBetween[2] + system.world:removeEntity(e) +end) diff --git a/systems/decay.lua b/systems/decay.lua new file mode 100644 index 0000000..1314221 --- /dev/null +++ b/systems/decay.lua @@ -0,0 +1,6 @@ +filteredSystem("decay", { decayAfterSeconds = T.number }, function(e, dt, system) + e.decayAfterSeconds = e.decayAfterSeconds - dt + if e.decayAfterSeconds <= 0 then + system.world:removeEntity(e) + end +end) \ No newline at end of file diff --git a/systems/draw.lua b/systems/draw.lua new file mode 100644 index 0000000..601c9a3 --- /dev/null +++ b/systems/draw.lua @@ -0,0 +1,42 @@ +local gfx = love.graphics + +filteredSystem("drawRectangles", { position = T.XyPair, drawAsRectangle = { size = T.XyPair } }, function(e, _, _) + gfx.fillRect(e.position.x, e.position.y, e.drawAsRectangle.size.x, e.drawAsRectangle.size.y) +end) + +filteredSystem("drawSprites", { position = T.XyPair, drawAsSprite = T.pd_image }, function(e) + if e.position.y < Camera.pan.y - 240 or e.position.y > Camera.pan.y + 480 then + return + end + e.drawAsSprite:draw(e.position.x, e.position.y) +end) + +local margin = 8 + +filteredSystem( + "drawText", + { position = T.XyPair, drawAsText = { text = T.str, style = Maybe(T.str), font = Maybe(T.pd_font) } }, + function(e) + local font = gfx.getFont() -- e.drawAsText.font or AshevilleSans14Bold + local textHeight = font:getHeight() + local textWidth = font:getWidth(e.drawAsText.text) + + local bgLeftEdge = e.position.x - margin - textWidth / 2 + local bgTopEdge = e.position.y - 2 + local bgWidth, bgHeight = textWidth + (margin * 2), textHeight + 2 + + if e.drawAsText.style == TextStyle.Inverted then + gfx.setColor(0, 0, 0) + gfx.rectangle("fill", bgLeftEdge, bgTopEdge, textWidth + margin, textHeight + 2) + gfx.setColor(1, 1, 1) + elseif e.drawAsText.style == TextStyle.Bordered then + gfx.setColor(1, 1, 1) + gfx.rectangle("fill", bgLeftEdge, bgTopEdge, bgWidth, bgHeight) + + gfx.setColor(0, 0, 0) + gfx.drawRect("line", bgLeftEdge, bgTopEdge, bgWidth, bgHeight) + end + + gfx.print(e.drawAsText.text, bgLeftEdge + margin, bgTopEdge + margin) + end +) diff --git a/systems/gravity.lua b/systems/gravity.lua new file mode 100644 index 0000000..fbd1879 --- /dev/null +++ b/systems/gravity.lua @@ -0,0 +1,17 @@ +local min = math.min + +World:addEntity({ gravity = -300 }) + +local gravities = filteredSystem("gravities", { gravity = T.number }) + +filteredSystem("changeGravity", { changeGravityTo = T.number }, function(e, _, _) + for _, ge in pairs(gravities.entities) do + ge.gravity = e.changeGravityTo + end +end) + +filteredSystem("fall", { velocity = T.XyPair, mass = T.number }, function(e, dt) + for _, ge in pairs(gravities.entities) do + e.velocity.y = min(400, e.velocity.y - (ge.gravity * dt * e.mass) - (0.5 * dt * dt)) + end +end) diff --git a/systems/input.lua b/systems/input.lua new file mode 100644 index 0000000..1ae747f --- /dev/null +++ b/systems/input.lua @@ -0,0 +1,13 @@ +---@type ButtonState +local buttonState = {} + +buttonInputSystem = filteredSystem("buttonInput", { canReceiveButtons = T.marker }, function(e, _, system) + e.buttonState = buttonState + system.world:addEntity(e) +end) + +function buttonInputSystem:preProcess() + if #self.entities == 0 then + return + end +end \ No newline at end of file diff --git a/systems/velocity.lua b/systems/velocity.lua new file mode 100644 index 0000000..53b1298 --- /dev/null +++ b/systems/velocity.lua @@ -0,0 +1,16 @@ +local sqrt = math.sqrt + +filteredSystem("velocity", { position = T.XyPair, velocity = T.XyPair }, function(e, dt, system) + if sqrt((e.velocity.x * e.velocity.x) + (e.velocity.y * e.velocity.y)) < 2 then + -- velocity = nil + else + e.position.x = e.position.x + (e.velocity.x * dt) + e.position.y = e.position.y + (e.velocity.y * dt) + end +end) + +filteredSystem("drag", { velocity = T.XyPair, drag = T.number }, function(e, dt, system) + local currentDrag = e.drag * dt + e.velocity.x = e.velocity.x - (e.velocity.x * currentDrag * dt) + e.velocity.y = e.velocity.y - (e.velocity.y * currentDrag * dt) +end) \ No newline at end of file diff --git a/tiny-debug.lua b/tiny-debug.lua new file mode 100644 index 0000000..793663a --- /dev/null +++ b/tiny-debug.lua @@ -0,0 +1,42 @@ +tinyTrackEntityAges = false +tinyLogSystemUpdateTime = false +tinyLogSystemChanges = false +tinyWarnWhenNonDataOnEntities = false + +getCurrentTimeMilliseconds = function() + return love.timer.getTime() * 1000 +end + +ENTITY_INIT_MS = { "ENTITY_INIT_MS" } +if tinyTrackEntityAges then + function tinyGetEntityAgeMs(entity) + return entity[ENTITY_INIT_MS] + end +end + +if tinyWarnWhenNonDataOnEntities then + function checkForNonData(e, nested, tableCache) + nested = nested or false + tableCache = tableCache or {} + + local valType = type(e) + if valType == "table" then + if tableCache[e] then + return + end + tableCache[e] = true + for k, v in pairs(e) do + local keyWarning = checkForNonData(k, true, tableCache) + if keyWarning then + return keyWarning + end + local valueWarning = checkForNonData(v, true, tableCache) + if valueWarning then + return valueWarning + end + end + elseif valType == "function" or valType == "thread" or valType == "userdata" then + return valType + end + end +end \ No newline at end of file diff --git a/tiny-tools.lua b/tiny-tools.lua new file mode 100644 index 0000000..10259c8 --- /dev/null +++ b/tiny-tools.lua @@ -0,0 +1,34 @@ +---@generic T +---@param shape T | fun() +---@param process fun(entity: T, dt: number, system: System) | nil +---@return System | { entities: T[] } +function filteredSystem(name, shape, process) + assert(type(name) == "string") + assert(type(shape) == "table" or type(shape) == "function") + assert(process == nil or type(process) == "function") + + local system = tiny.processingSystem() + system.name = name + if type(shape) == "table" then + local keys = {} + for key, value in pairs(shape) do + local isTable = type(value) == "table" + local isMaybe = isTable and value.maybe ~= nil + + if not isMaybe then + -- ^ Don't require any Maybe types + keys[#keys + 1] = key + end + end + system.filter = tiny.requireAll(unpack(keys)) + elseif type(shape) == "function" then + system.filter = shape + end + if not process then + return World:addSystem(system) + end + function system:process(e, dt) + process(e, dt, self) + end + return World:addSystem(system) +end diff --git a/tiny-types.lua b/tiny-types.lua new file mode 100644 index 0000000..d81e914 --- /dev/null +++ b/tiny-types.lua @@ -0,0 +1,31 @@ +---@meta + +---@class World +World = {} + +function World:add(...) end + +function World:addEntity(entity) end + +function World:addSystem(system) end + +function World:remove(...) end + +function World:removeEntity(entity) end + +function World:removeSystem(system) end + +function World:refresh() end + +---@param dt number +function World:update(dt) end + +function World:clearEntities() end + +function World:clearSystems() end + +function World:getEntityCount() end + +function World:getSystemCount() end + +function World:setSystemIndex() end diff --git a/utils.lua b/utils.lua new file mode 100644 index 0000000..7f55fcf --- /dev/null +++ b/utils.lua @@ -0,0 +1,74 @@ +Utils = {} + +--- Returns up to `n` random values from the given array. Will return fewer if `n > #fromArr` +---@generic T +---@param fromArr T[] +---@param n number +---@return T[] +function Utils.getNDifferentValues(fromArr, n) + assert(n >= 0, "n must be a non-negative integer") + if n > #fromArr then + n = #fromArr + end + local found = 0 + local indexes = {} + while found < n do + local randomIndex = math.random(#fromArr) + if not indexes[randomIndex] then + found = found + 1 + indexes[randomIndex] = true + end + end + + local randoms = {} + for i in pairs(indexes) do + randoms[#randoms + 1] = fromArr[i] + end + return randoms +end + +--- Track the number of instances of a given element, instead of needing multiple copies. +---@class CountSet +---@field private data table +---@field private elementCount number +CountSet = {} + +function CountSet.new() + return setmetatable({ data = {}, elementCount = 0 }, { __index = CountSet }) +end + +function CountSet:add(element) + local existing = self.data[element] + if existing then + self.data[element] = existing + 1 + else + self.data[element] = 1 + end + self.elementCount = self.elementCount + 1 +end + +function CountSet:balancedRandomPop() + if self.elementCount == 0 then + return + end + local toPop = math.random(self.elementCount) + for element, count in pairs(self.data) do + toPop = toPop - count + if toPop <= 0 then + local newCount = count - 1 + if newCount == 0 then + self.data[element] = nil + else + self.data[element] = newCount + end + self.elementCount = self.elementCount - 1 + return element + end + end +end + +function CountSet:iterRandom() + return function() + return self:balancedRandomPop() + end +end