mirror of
https://github.com/luau-lang/luau.git
synced 2025-04-04 02:40:53 +01:00
Merge branch 'master' into merge
This commit is contained in:
commit
47f7cbe5a5
56 changed files with 836 additions and 234 deletions
22
.github/workflows/build.yml
vendored
22
.github/workflows/build.yml
vendored
|
@ -66,6 +66,8 @@ jobs:
|
|||
|
||||
coverage:
|
||||
runs-on: ubuntu-latest
|
||||
env:
|
||||
NODE_COVERALLS_DEBUG: 1
|
||||
steps:
|
||||
- uses: actions/checkout@v1
|
||||
- name: install
|
||||
|
@ -79,7 +81,27 @@ jobs:
|
|||
with:
|
||||
path-to-lcov: ./coverage.info
|
||||
github-token: ${{ secrets.GITHUB_TOKEN }}
|
||||
continue-on-error: true
|
||||
- uses: actions/upload-artifact@v2
|
||||
with:
|
||||
name: coverage
|
||||
path: coverage
|
||||
|
||||
web:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v1
|
||||
- uses: actions/checkout@v2
|
||||
with:
|
||||
repository: emscripten-core/emsdk
|
||||
path: emsdk
|
||||
- name: emsdk install
|
||||
run: |
|
||||
cd emsdk
|
||||
./emsdk install latest
|
||||
./emsdk activate latest
|
||||
- name: make
|
||||
run: |
|
||||
source emsdk/emsdk_env.sh
|
||||
emcmake cmake . -DLUAU_BUILD_WEB=ON -DCMAKE_BUILD_TYPE=Release
|
||||
make -j2 Luau.Web
|
||||
|
|
23
.github/workflows/release.yml
vendored
23
.github/workflows/release.yml
vendored
|
@ -33,3 +33,26 @@ jobs:
|
|||
with:
|
||||
name: luau-${{matrix.os}}
|
||||
path: Release\luau*.exe
|
||||
|
||||
web:
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/checkout@v1
|
||||
- uses: actions/checkout@v2
|
||||
with:
|
||||
repository: emscripten-core/emsdk
|
||||
path: emsdk
|
||||
- name: emsdk install
|
||||
run: |
|
||||
cd emsdk
|
||||
./emsdk install latest
|
||||
./emsdk activate latest
|
||||
- name: make
|
||||
run: |
|
||||
source emsdk/emsdk_env.sh
|
||||
emcmake cmake . -DLUAU_BUILD_WEB=ON -DCMAKE_BUILD_TYPE=Release
|
||||
make -j2 Luau.Web
|
||||
- uses: actions/upload-artifact@v2
|
||||
with:
|
||||
name: Luau.Web.js
|
||||
path: Luau.Web.js
|
||||
|
|
39
CLI/Repl.cpp
39
CLI/Repl.cpp
|
@ -198,11 +198,6 @@ static std::string runCode(lua_State* L, const std::string& source)
|
|||
error += "\nstack backtrace:\n";
|
||||
error += lua_debugtrace(T);
|
||||
|
||||
#ifdef __EMSCRIPTEN__
|
||||
// nicer formatting for errors in web repl
|
||||
error = "Error:" + error;
|
||||
#endif
|
||||
|
||||
fprintf(stdout, "%s", error.c_str());
|
||||
}
|
||||
|
||||
|
@ -210,39 +205,6 @@ static std::string runCode(lua_State* L, const std::string& source)
|
|||
return std::string();
|
||||
}
|
||||
|
||||
#ifdef __EMSCRIPTEN__
|
||||
extern "C"
|
||||
{
|
||||
const char* executeScript(const char* source)
|
||||
{
|
||||
// setup flags
|
||||
for (Luau::FValue<bool>* flag = Luau::FValue<bool>::list; flag; flag = flag->next)
|
||||
if (strncmp(flag->name, "Luau", 4) == 0)
|
||||
flag->value = true;
|
||||
|
||||
// create new state
|
||||
std::unique_ptr<lua_State, void (*)(lua_State*)> globalState(luaL_newstate(), lua_close);
|
||||
lua_State* L = globalState.get();
|
||||
|
||||
// setup state
|
||||
setupState(L);
|
||||
|
||||
// sandbox thread
|
||||
luaL_sandboxthread(L);
|
||||
|
||||
// static string for caching result (prevents dangling ptr on function exit)
|
||||
static std::string result;
|
||||
|
||||
// run code + collect error
|
||||
result = runCode(L, source);
|
||||
|
||||
return result.empty() ? NULL : result.c_str();
|
||||
}
|
||||
}
|
||||
#endif
|
||||
|
||||
// Excluded from emscripten compilation to avoid -Wunused-function errors.
|
||||
#ifndef __EMSCRIPTEN__
|
||||
static void completeIndexer(lua_State* L, const char* editBuffer, size_t start, std::vector<std::string>& completions)
|
||||
{
|
||||
std::string_view lookup = editBuffer + start;
|
||||
|
@ -564,5 +526,4 @@ int main(int argc, char** argv)
|
|||
return failed;
|
||||
}
|
||||
}
|
||||
#endif
|
||||
|
||||
|
|
106
CLI/Web.cpp
Normal file
106
CLI/Web.cpp
Normal file
|
@ -0,0 +1,106 @@
|
|||
// This file is part of the Luau programming language and is licensed under MIT License; see LICENSE.txt for details
|
||||
#include "lua.h"
|
||||
#include "lualib.h"
|
||||
#include "luacode.h"
|
||||
|
||||
#include "Luau/Common.h"
|
||||
|
||||
#include <string>
|
||||
|
||||
#include <string.h>
|
||||
|
||||
static void setupState(lua_State* L)
|
||||
{
|
||||
luaL_openlibs(L);
|
||||
|
||||
luaL_sandbox(L);
|
||||
}
|
||||
|
||||
static std::string runCode(lua_State* L, const std::string& source)
|
||||
{
|
||||
size_t bytecodeSize = 0;
|
||||
char* bytecode = luau_compile(source.data(), source.length(), nullptr, &bytecodeSize);
|
||||
int result = luau_load(L, "=stdin", bytecode, bytecodeSize, 0);
|
||||
free(bytecode);
|
||||
|
||||
if (result != 0)
|
||||
{
|
||||
size_t len;
|
||||
const char* msg = lua_tolstring(L, -1, &len);
|
||||
|
||||
std::string error(msg, len);
|
||||
lua_pop(L, 1);
|
||||
|
||||
return error;
|
||||
}
|
||||
|
||||
lua_State* T = lua_newthread(L);
|
||||
|
||||
lua_pushvalue(L, -2);
|
||||
lua_remove(L, -3);
|
||||
lua_xmove(L, T, 1);
|
||||
|
||||
int status = lua_resume(T, NULL, 0);
|
||||
|
||||
if (status == 0)
|
||||
{
|
||||
int n = lua_gettop(T);
|
||||
|
||||
if (n)
|
||||
{
|
||||
luaL_checkstack(T, LUA_MINSTACK, "too many results to print");
|
||||
lua_getglobal(T, "print");
|
||||
lua_insert(T, 1);
|
||||
lua_pcall(T, n, 0, 0);
|
||||
}
|
||||
}
|
||||
else
|
||||
{
|
||||
std::string error;
|
||||
|
||||
if (status == LUA_YIELD)
|
||||
{
|
||||
error = "thread yielded unexpectedly";
|
||||
}
|
||||
else if (const char* str = lua_tostring(T, -1))
|
||||
{
|
||||
error = str;
|
||||
}
|
||||
|
||||
error += "\nstack backtrace:\n";
|
||||
error += lua_debugtrace(T);
|
||||
|
||||
error = "Error:" + error;
|
||||
|
||||
fprintf(stdout, "%s", error.c_str());
|
||||
}
|
||||
|
||||
lua_pop(L, 1);
|
||||
return std::string();
|
||||
}
|
||||
|
||||
extern "C" const char* executeScript(const char* source)
|
||||
{
|
||||
// setup flags
|
||||
for (Luau::FValue<bool>* flag = Luau::FValue<bool>::list; flag; flag = flag->next)
|
||||
if (strncmp(flag->name, "Luau", 4) == 0)
|
||||
flag->value = true;
|
||||
|
||||
// create new state
|
||||
std::unique_ptr<lua_State, void (*)(lua_State*)> globalState(luaL_newstate(), lua_close);
|
||||
lua_State* L = globalState.get();
|
||||
|
||||
// setup state
|
||||
setupState(L);
|
||||
|
||||
// sandbox thread
|
||||
luaL_sandboxthread(L);
|
||||
|
||||
// static string for caching result (prevents dangling ptr on function exit)
|
||||
static std::string result;
|
||||
|
||||
// run code + collect error
|
||||
result = runCode(L, source);
|
||||
|
||||
return result.empty() ? NULL : result.c_str();
|
||||
}
|
|
@ -9,6 +9,7 @@ project(Luau LANGUAGES CXX)
|
|||
|
||||
option(LUAU_BUILD_CLI "Build CLI" ON)
|
||||
option(LUAU_BUILD_TESTS "Build tests" ON)
|
||||
option(LUAU_BUILD_WEB "Build Web module" OFF)
|
||||
option(LUAU_WERROR "Warnings as errors" OFF)
|
||||
|
||||
add_library(Luau.Ast STATIC)
|
||||
|
@ -18,26 +19,22 @@ add_library(Luau.VM STATIC)
|
|||
|
||||
if(LUAU_BUILD_CLI)
|
||||
add_executable(Luau.Repl.CLI)
|
||||
if(NOT EMSCRIPTEN)
|
||||
add_executable(Luau.Analyze.CLI)
|
||||
else()
|
||||
# add -fexceptions for emscripten to allow exceptions to be caught in C++
|
||||
set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -fexceptions")
|
||||
endif()
|
||||
add_executable(Luau.Analyze.CLI)
|
||||
|
||||
# This also adds target `name` on Linux/macOS and `name.exe` on Windows
|
||||
set_target_properties(Luau.Repl.CLI PROPERTIES OUTPUT_NAME luau)
|
||||
|
||||
if(NOT EMSCRIPTEN)
|
||||
set_target_properties(Luau.Analyze.CLI PROPERTIES OUTPUT_NAME luau-analyze)
|
||||
endif()
|
||||
set_target_properties(Luau.Analyze.CLI PROPERTIES OUTPUT_NAME luau-analyze)
|
||||
endif()
|
||||
|
||||
if(LUAU_BUILD_TESTS AND NOT EMSCRIPTEN)
|
||||
if(LUAU_BUILD_TESTS)
|
||||
add_executable(Luau.UnitTest)
|
||||
add_executable(Luau.Conformance)
|
||||
endif()
|
||||
|
||||
if(LUAU_BUILD_WEB)
|
||||
add_executable(Luau.Web)
|
||||
endif()
|
||||
|
||||
include(Sources.cmake)
|
||||
|
||||
target_compile_features(Luau.Ast PUBLIC cxx_std_17)
|
||||
|
@ -72,16 +69,18 @@ if(LUAU_WERROR)
|
|||
endif()
|
||||
endif()
|
||||
|
||||
if(LUAU_BUILD_WEB)
|
||||
# add -fexceptions for emscripten to allow exceptions to be caught in C++
|
||||
list(APPEND LUAU_OPTIONS -fexceptions)
|
||||
endif()
|
||||
|
||||
target_compile_options(Luau.Ast PRIVATE ${LUAU_OPTIONS})
|
||||
target_compile_options(Luau.Analysis PRIVATE ${LUAU_OPTIONS})
|
||||
target_compile_options(Luau.VM PRIVATE ${LUAU_OPTIONS})
|
||||
|
||||
if(LUAU_BUILD_CLI)
|
||||
target_compile_options(Luau.Repl.CLI PRIVATE ${LUAU_OPTIONS})
|
||||
|
||||
if(NOT EMSCRIPTEN)
|
||||
target_compile_options(Luau.Analyze.CLI PRIVATE ${LUAU_OPTIONS})
|
||||
endif()
|
||||
target_compile_options(Luau.Analyze.CLI PRIVATE ${LUAU_OPTIONS})
|
||||
|
||||
target_include_directories(Luau.Repl.CLI PRIVATE extern)
|
||||
target_link_libraries(Luau.Repl.CLI PRIVATE Luau.Compiler Luau.VM)
|
||||
|
@ -93,20 +92,10 @@ if(LUAU_BUILD_CLI)
|
|||
endif()
|
||||
endif()
|
||||
|
||||
if(NOT EMSCRIPTEN)
|
||||
target_link_libraries(Luau.Analyze.CLI PRIVATE Luau.Analysis)
|
||||
endif()
|
||||
|
||||
if(EMSCRIPTEN)
|
||||
# declare exported functions to emscripten
|
||||
target_link_options(Luau.Repl.CLI PRIVATE -sEXPORTED_FUNCTIONS=['_executeScript'] -sEXPORTED_RUNTIME_METHODS=['ccall','cwrap'] -fexceptions)
|
||||
|
||||
# custom output directory for wasm + js file
|
||||
set_target_properties(Luau.Repl.CLI PROPERTIES RUNTIME_OUTPUT_DIRECTORY ${CMAKE_SOURCE_DIR}/docs/assets/luau)
|
||||
endif()
|
||||
target_link_libraries(Luau.Analyze.CLI PRIVATE Luau.Analysis)
|
||||
endif()
|
||||
|
||||
if(LUAU_BUILD_TESTS AND NOT EMSCRIPTEN)
|
||||
if(LUAU_BUILD_TESTS)
|
||||
target_compile_options(Luau.UnitTest PRIVATE ${LUAU_OPTIONS})
|
||||
target_include_directories(Luau.UnitTest PRIVATE extern)
|
||||
target_link_libraries(Luau.UnitTest PRIVATE Luau.Analysis Luau.Compiler)
|
||||
|
@ -115,3 +104,17 @@ if(LUAU_BUILD_TESTS AND NOT EMSCRIPTEN)
|
|||
target_include_directories(Luau.Conformance PRIVATE extern)
|
||||
target_link_libraries(Luau.Conformance PRIVATE Luau.Analysis Luau.Compiler Luau.VM)
|
||||
endif()
|
||||
|
||||
if(LUAU_BUILD_WEB)
|
||||
target_compile_options(Luau.Web PRIVATE ${LUAU_OPTIONS})
|
||||
target_link_libraries(Luau.Web PRIVATE Luau.Compiler Luau.VM)
|
||||
|
||||
# declare exported functions to emscripten
|
||||
target_link_options(Luau.Web PRIVATE -sEXPORTED_FUNCTIONS=['_executeScript'] -sEXPORTED_RUNTIME_METHODS=['ccall','cwrap'])
|
||||
|
||||
# add -fexceptions for emscripten to allow exceptions to be caught in C++
|
||||
target_link_options(Luau.Web PRIVATE -fexceptions)
|
||||
|
||||
# the output is a single .js file with an embedded wasm blob
|
||||
target_link_options(Luau.Web PRIVATE -sSINGLE_FILE=1)
|
||||
endif()
|
||||
|
|
|
@ -40,8 +40,13 @@ make config=release luau luau-analyze
|
|||
To integrate Luau into your CMake application projects, at the minimum you'll need to depend on `Luau.Compiler` and `Luau.VM` projects. From there you need to create a new Luau state (using Lua 5.x API such as `lua_newstate`), compile source to bytecode and load it into the VM like this:
|
||||
|
||||
```cpp
|
||||
std::string bytecode = Luau::compile(source); // needs Luau/Compiler.h include
|
||||
if (luau_load(L, chunkname, bytecode.data(), bytecode.size()) == 0)
|
||||
// needs lua.h and luacode.h
|
||||
size_t bytecodeSize = 0;
|
||||
char* bytecode = luau_compile(source, strlen(source), NULL, &bytecodeSize);
|
||||
int result = luau_load(L, chunkname, bytecode, bytecodeSize, 0);
|
||||
free(bytecode);
|
||||
|
||||
if (result == 0)
|
||||
return 1; /* return chunk main function */
|
||||
```
|
||||
|
||||
|
|
|
@ -224,3 +224,9 @@ if(TARGET Luau.Conformance)
|
|||
tests/Conformance.test.cpp
|
||||
tests/main.cpp)
|
||||
endif()
|
||||
|
||||
if(TARGET Luau.Web)
|
||||
# Luau.Web Sources
|
||||
target_sources(Luau.Web PRIVATE
|
||||
CLI/Web.cpp)
|
||||
endif()
|
||||
|
|
|
@ -21,6 +21,7 @@
|
|||
#define LUA_ENVIRONINDEX (-10001)
|
||||
#define LUA_GLOBALSINDEX (-10002)
|
||||
#define lua_upvalueindex(i) (LUA_GLOBALSINDEX - (i))
|
||||
#define lua_ispseudo(i) ((i) <= LUA_REGISTRYINDEX)
|
||||
|
||||
/* thread status; 0 is OK */
|
||||
enum lua_Status
|
||||
|
@ -108,6 +109,7 @@ LUA_API int lua_isthreadreset(lua_State* L);
|
|||
/*
|
||||
** basic stack manipulation
|
||||
*/
|
||||
LUA_API int lua_absindex(lua_State* L, int idx);
|
||||
LUA_API int lua_gettop(lua_State* L);
|
||||
LUA_API void lua_settop(lua_State* L, int idx);
|
||||
LUA_API void lua_pushvalue(lua_State* L, int idx);
|
||||
|
@ -159,7 +161,11 @@ LUA_API void lua_pushnil(lua_State* L);
|
|||
LUA_API void lua_pushnumber(lua_State* L, double n);
|
||||
LUA_API void lua_pushinteger(lua_State* L, int n);
|
||||
LUA_API void lua_pushunsigned(lua_State* L, unsigned n);
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
LUA_API void lua_pushvector(lua_State* L, float x, float y, float z, float w);
|
||||
#else
|
||||
LUA_API void lua_pushvector(lua_State* L, float x, float y, float z);
|
||||
#endif
|
||||
LUA_API void lua_pushlstring(lua_State* L, const char* s, size_t l);
|
||||
LUA_API void lua_pushstring(lua_State* L, const char* s);
|
||||
LUA_API const char* lua_pushvfstring(lua_State* L, const char* fmt, va_list argp);
|
||||
|
@ -227,6 +233,7 @@ enum lua_GCOp
|
|||
LUA_GCRESTART,
|
||||
LUA_GCCOLLECT,
|
||||
LUA_GCCOUNT,
|
||||
LUA_GCCOUNTB,
|
||||
LUA_GCISRUNNING,
|
||||
|
||||
// garbage collection is handled by 'assists' that perform some amount of GC work matching pace of allocation
|
||||
|
@ -289,6 +296,7 @@ LUA_API void lua_unref(lua_State* L, int ref);
|
|||
#define lua_islightuserdata(L, n) (lua_type(L, (n)) == LUA_TLIGHTUSERDATA)
|
||||
#define lua_isnil(L, n) (lua_type(L, (n)) == LUA_TNIL)
|
||||
#define lua_isboolean(L, n) (lua_type(L, (n)) == LUA_TBOOLEAN)
|
||||
#define lua_isvector(L, n) (lua_type(L, (n)) == LUA_TVECTOR)
|
||||
#define lua_isthread(L, n) (lua_type(L, (n)) == LUA_TTHREAD)
|
||||
#define lua_isnone(L, n) (lua_type(L, (n)) == LUA_TNONE)
|
||||
#define lua_isnoneornil(L, n) (lua_type(L, (n)) <= LUA_TNIL)
|
||||
|
|
|
@ -34,7 +34,10 @@
|
|||
#endif
|
||||
|
||||
/* Can be used to reconfigure visibility/exports for public APIs */
|
||||
#ifndef LUA_API
|
||||
#define LUA_API extern
|
||||
#endif
|
||||
|
||||
#define LUALIB_API LUA_API
|
||||
|
||||
/* Can be used to reconfigure visibility for internal APIs */
|
||||
|
@ -47,10 +50,14 @@
|
|||
#endif
|
||||
|
||||
/* Can be used to reconfigure internal error handling to use longjmp instead of C++ EH */
|
||||
#ifndef LUA_USE_LONGJMP
|
||||
#define LUA_USE_LONGJMP 0
|
||||
#endif
|
||||
|
||||
/* LUA_IDSIZE gives the maximum size for the description of the source */
|
||||
#ifndef LUA_IDSIZE
|
||||
#define LUA_IDSIZE 256
|
||||
#endif
|
||||
|
||||
/*
|
||||
@@ LUAI_GCGOAL defines the desired top heap size in relation to the live heap
|
||||
|
@ -59,7 +66,9 @@
|
|||
** mean larger GC pauses which mean slower collection.) You can also change
|
||||
** this value dynamically.
|
||||
*/
|
||||
#ifndef LUAI_GCGOAL
|
||||
#define LUAI_GCGOAL 200 /* 200% (allow heap to double compared to live heap size) */
|
||||
#endif
|
||||
|
||||
/*
|
||||
@@ LUAI_GCSTEPMUL / LUAI_GCSTEPSIZE define the default speed of garbage collection
|
||||
|
@ -69,38 +78,63 @@
|
|||
** CHANGE it if you want to change the granularity of the garbage
|
||||
** collection.
|
||||
*/
|
||||
#ifndef LUAI_GCSTEPMUL
|
||||
#define LUAI_GCSTEPMUL 200 /* GC runs 'twice the speed' of memory allocation */
|
||||
#endif
|
||||
|
||||
#ifndef LUAI_GCSTEPSIZE
|
||||
#define LUAI_GCSTEPSIZE 1 /* GC runs every KB of memory allocation */
|
||||
#endif
|
||||
|
||||
/* LUA_MINSTACK is the guaranteed number of Lua stack slots available to a C function */
|
||||
#ifndef LUA_MINSTACK
|
||||
#define LUA_MINSTACK 20
|
||||
#endif
|
||||
|
||||
/* LUAI_MAXCSTACK limits the number of Lua stack slots that a C function can use */
|
||||
#ifndef LUAI_MAXCSTACK
|
||||
#define LUAI_MAXCSTACK 8000
|
||||
#endif
|
||||
|
||||
/* LUAI_MAXCALLS limits the number of nested calls */
|
||||
#ifndef LUAI_MAXCALLS
|
||||
#define LUAI_MAXCALLS 20000
|
||||
#endif
|
||||
|
||||
/* LUAI_MAXCCALLS is the maximum depth for nested C calls; this limit depends on native stack size */
|
||||
#ifndef LUAI_MAXCCALLS
|
||||
#define LUAI_MAXCCALLS 200
|
||||
#endif
|
||||
|
||||
/* buffer size used for on-stack string operations; this limit depends on native stack size */
|
||||
#ifndef LUA_BUFFERSIZE
|
||||
#define LUA_BUFFERSIZE 512
|
||||
#endif
|
||||
|
||||
/* number of valid Lua userdata tags */
|
||||
#ifndef LUA_UTAG_LIMIT
|
||||
#define LUA_UTAG_LIMIT 128
|
||||
#endif
|
||||
|
||||
/* upper bound for number of size classes used by page allocator */
|
||||
#ifndef LUA_SIZECLASSES
|
||||
#define LUA_SIZECLASSES 32
|
||||
#endif
|
||||
|
||||
/* available number of separate memory categories */
|
||||
#ifndef LUA_MEMORY_CATEGORIES
|
||||
#define LUA_MEMORY_CATEGORIES 256
|
||||
#endif
|
||||
|
||||
/* minimum size for the string table (must be power of 2) */
|
||||
#ifndef LUA_MINSTRTABSIZE
|
||||
#define LUA_MINSTRTABSIZE 32
|
||||
#endif
|
||||
|
||||
/* maximum number of captures supported by pattern matching */
|
||||
#ifndef LUA_MAXCAPTURES
|
||||
#define LUA_MAXCAPTURES 32
|
||||
#endif
|
||||
|
||||
/* }================================================================== */
|
||||
|
||||
|
@ -122,3 +156,7 @@
|
|||
void* s; \
|
||||
long l; \
|
||||
}
|
||||
|
||||
#define LUA_VECTOR_SIZE 3 /* must be 3 or 4 */
|
||||
|
||||
#define LUA_EXTRA_SIZE LUA_VECTOR_SIZE - 2
|
||||
|
|
|
@ -25,11 +25,17 @@ LUALIB_API const char* luaL_optlstring(lua_State* L, int numArg, const char* def
|
|||
LUALIB_API double luaL_checknumber(lua_State* L, int numArg);
|
||||
LUALIB_API double luaL_optnumber(lua_State* L, int nArg, double def);
|
||||
|
||||
LUALIB_API int luaL_checkboolean(lua_State* L, int narg);
|
||||
LUALIB_API int luaL_optboolean(lua_State* L, int narg, int def);
|
||||
|
||||
LUALIB_API int luaL_checkinteger(lua_State* L, int numArg);
|
||||
LUALIB_API int luaL_optinteger(lua_State* L, int nArg, int def);
|
||||
LUALIB_API unsigned luaL_checkunsigned(lua_State* L, int numArg);
|
||||
LUALIB_API unsigned luaL_optunsigned(lua_State* L, int numArg, unsigned def);
|
||||
|
||||
LUALIB_API const float* luaL_checkvector(lua_State* L, int narg);
|
||||
LUALIB_API const float* luaL_optvector(lua_State* L, int narg, const float* def);
|
||||
|
||||
LUALIB_API void luaL_checkstack(lua_State* L, int sz, const char* msg);
|
||||
LUALIB_API void luaL_checktype(lua_State* L, int narg, int t);
|
||||
LUALIB_API void luaL_checkany(lua_State* L, int narg);
|
||||
|
|
|
@ -170,6 +170,12 @@ lua_State* lua_mainthread(lua_State* L)
|
|||
** basic stack manipulation
|
||||
*/
|
||||
|
||||
int lua_absindex(lua_State* L, int idx)
|
||||
{
|
||||
api_check(L, (idx > 0 && idx <= L->top - L->base) || (idx < 0 && -idx <= L->top - L->base) || lua_ispseudo(idx));
|
||||
return idx > 0 || lua_ispseudo(idx) ? idx : cast_int(L->top - L->base) + idx + 1;
|
||||
}
|
||||
|
||||
int lua_gettop(lua_State* L)
|
||||
{
|
||||
return cast_int(L->top - L->base);
|
||||
|
@ -550,12 +556,21 @@ void lua_pushunsigned(lua_State* L, unsigned u)
|
|||
return;
|
||||
}
|
||||
|
||||
void lua_pushvector(lua_State* L, float x, float y, float z)
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
void lua_pushvector(lua_State* L, float x, float y, float z, float w)
|
||||
{
|
||||
setvvalue(L->top, x, y, z);
|
||||
setvvalue(L->top, x, y, z, w);
|
||||
api_incr_top(L);
|
||||
return;
|
||||
}
|
||||
#else
|
||||
void lua_pushvector(lua_State* L, float x, float y, float z)
|
||||
{
|
||||
setvvalue(L->top, x, y, z, 0.0f);
|
||||
api_incr_top(L);
|
||||
return;
|
||||
}
|
||||
#endif
|
||||
|
||||
void lua_pushlstring(lua_State* L, const char* s, size_t len)
|
||||
{
|
||||
|
@ -1030,6 +1045,11 @@ int lua_gc(lua_State* L, int what, int data)
|
|||
res = cast_int(g->totalbytes >> 10);
|
||||
break;
|
||||
}
|
||||
case LUA_GCCOUNTB:
|
||||
{
|
||||
res = cast_int(g->totalbytes & 1023);
|
||||
break;
|
||||
}
|
||||
case LUA_GCISRUNNING:
|
||||
{
|
||||
res = (g->GCthreshold != SIZE_MAX);
|
||||
|
|
|
@ -30,7 +30,7 @@ static const char* currfuncname(lua_State* L)
|
|||
return debugname;
|
||||
}
|
||||
|
||||
LUALIB_API l_noret luaL_argerrorL(lua_State* L, int narg, const char* extramsg)
|
||||
l_noret luaL_argerrorL(lua_State* L, int narg, const char* extramsg)
|
||||
{
|
||||
const char* fname = currfuncname(L);
|
||||
|
||||
|
@ -40,7 +40,7 @@ LUALIB_API l_noret luaL_argerrorL(lua_State* L, int narg, const char* extramsg)
|
|||
luaL_error(L, "invalid argument #%d (%s)", narg, extramsg);
|
||||
}
|
||||
|
||||
LUALIB_API l_noret luaL_typeerrorL(lua_State* L, int narg, const char* tname)
|
||||
l_noret luaL_typeerrorL(lua_State* L, int narg, const char* tname)
|
||||
{
|
||||
const char* fname = currfuncname(L);
|
||||
const TValue* obj = luaA_toobject(L, narg);
|
||||
|
@ -66,7 +66,7 @@ static l_noret tag_error(lua_State* L, int narg, int tag)
|
|||
luaL_typeerrorL(L, narg, lua_typename(L, tag));
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_where(lua_State* L, int level)
|
||||
void luaL_where(lua_State* L, int level)
|
||||
{
|
||||
lua_Debug ar;
|
||||
if (lua_getinfo(L, level, "sl", &ar) && ar.currentline > 0)
|
||||
|
@ -77,7 +77,7 @@ LUALIB_API void luaL_where(lua_State* L, int level)
|
|||
lua_pushliteral(L, ""); /* else, no information available... */
|
||||
}
|
||||
|
||||
LUALIB_API l_noret luaL_errorL(lua_State* L, const char* fmt, ...)
|
||||
l_noret luaL_errorL(lua_State* L, const char* fmt, ...)
|
||||
{
|
||||
va_list argp;
|
||||
va_start(argp, fmt);
|
||||
|
@ -90,7 +90,7 @@ LUALIB_API l_noret luaL_errorL(lua_State* L, const char* fmt, ...)
|
|||
|
||||
/* }====================================================== */
|
||||
|
||||
LUALIB_API int luaL_checkoption(lua_State* L, int narg, const char* def, const char* const lst[])
|
||||
int luaL_checkoption(lua_State* L, int narg, const char* def, const char* const lst[])
|
||||
{
|
||||
const char* name = (def) ? luaL_optstring(L, narg, def) : luaL_checkstring(L, narg);
|
||||
int i;
|
||||
|
@ -101,7 +101,7 @@ LUALIB_API int luaL_checkoption(lua_State* L, int narg, const char* def, const c
|
|||
luaL_argerrorL(L, narg, msg);
|
||||
}
|
||||
|
||||
LUALIB_API int luaL_newmetatable(lua_State* L, const char* tname)
|
||||
int luaL_newmetatable(lua_State* L, const char* tname)
|
||||
{
|
||||
lua_getfield(L, LUA_REGISTRYINDEX, tname); /* get registry.name */
|
||||
if (!lua_isnil(L, -1)) /* name already in use? */
|
||||
|
@ -113,7 +113,7 @@ LUALIB_API int luaL_newmetatable(lua_State* L, const char* tname)
|
|||
return 1;
|
||||
}
|
||||
|
||||
LUALIB_API void* luaL_checkudata(lua_State* L, int ud, const char* tname)
|
||||
void* luaL_checkudata(lua_State* L, int ud, const char* tname)
|
||||
{
|
||||
void* p = lua_touserdata(L, ud);
|
||||
if (p != NULL)
|
||||
|
@ -131,25 +131,25 @@ LUALIB_API void* luaL_checkudata(lua_State* L, int ud, const char* tname)
|
|||
luaL_typeerrorL(L, ud, tname); /* else error */
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_checkstack(lua_State* L, int space, const char* mes)
|
||||
void luaL_checkstack(lua_State* L, int space, const char* mes)
|
||||
{
|
||||
if (!lua_checkstack(L, space))
|
||||
luaL_error(L, "stack overflow (%s)", mes);
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_checktype(lua_State* L, int narg, int t)
|
||||
void luaL_checktype(lua_State* L, int narg, int t)
|
||||
{
|
||||
if (lua_type(L, narg) != t)
|
||||
tag_error(L, narg, t);
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_checkany(lua_State* L, int narg)
|
||||
void luaL_checkany(lua_State* L, int narg)
|
||||
{
|
||||
if (lua_type(L, narg) == LUA_TNONE)
|
||||
luaL_error(L, "missing argument #%d", narg);
|
||||
}
|
||||
|
||||
LUALIB_API const char* luaL_checklstring(lua_State* L, int narg, size_t* len)
|
||||
const char* luaL_checklstring(lua_State* L, int narg, size_t* len)
|
||||
{
|
||||
const char* s = lua_tolstring(L, narg, len);
|
||||
if (!s)
|
||||
|
@ -157,7 +157,7 @@ LUALIB_API const char* luaL_checklstring(lua_State* L, int narg, size_t* len)
|
|||
return s;
|
||||
}
|
||||
|
||||
LUALIB_API const char* luaL_optlstring(lua_State* L, int narg, const char* def, size_t* len)
|
||||
const char* luaL_optlstring(lua_State* L, int narg, const char* def, size_t* len)
|
||||
{
|
||||
if (lua_isnoneornil(L, narg))
|
||||
{
|
||||
|
@ -169,7 +169,7 @@ LUALIB_API const char* luaL_optlstring(lua_State* L, int narg, const char* def,
|
|||
return luaL_checklstring(L, narg, len);
|
||||
}
|
||||
|
||||
LUALIB_API double luaL_checknumber(lua_State* L, int narg)
|
||||
double luaL_checknumber(lua_State* L, int narg)
|
||||
{
|
||||
int isnum;
|
||||
double d = lua_tonumberx(L, narg, &isnum);
|
||||
|
@ -178,12 +178,28 @@ LUALIB_API double luaL_checknumber(lua_State* L, int narg)
|
|||
return d;
|
||||
}
|
||||
|
||||
LUALIB_API double luaL_optnumber(lua_State* L, int narg, double def)
|
||||
double luaL_optnumber(lua_State* L, int narg, double def)
|
||||
{
|
||||
return luaL_opt(L, luaL_checknumber, narg, def);
|
||||
}
|
||||
|
||||
LUALIB_API int luaL_checkinteger(lua_State* L, int narg)
|
||||
int luaL_checkboolean(lua_State* L, int narg)
|
||||
{
|
||||
// This checks specifically for boolean values, ignoring
|
||||
// all other truthy/falsy values. If the desired result
|
||||
// is true if value is present then lua_toboolean should
|
||||
// directly be used instead.
|
||||
if (!lua_isboolean(L, narg))
|
||||
tag_error(L, narg, LUA_TBOOLEAN);
|
||||
return lua_toboolean(L, narg);
|
||||
}
|
||||
|
||||
int luaL_optboolean(lua_State* L, int narg, int def)
|
||||
{
|
||||
return luaL_opt(L, luaL_checkboolean, narg, def);
|
||||
}
|
||||
|
||||
int luaL_checkinteger(lua_State* L, int narg)
|
||||
{
|
||||
int isnum;
|
||||
int d = lua_tointegerx(L, narg, &isnum);
|
||||
|
@ -192,12 +208,12 @@ LUALIB_API int luaL_checkinteger(lua_State* L, int narg)
|
|||
return d;
|
||||
}
|
||||
|
||||
LUALIB_API int luaL_optinteger(lua_State* L, int narg, int def)
|
||||
int luaL_optinteger(lua_State* L, int narg, int def)
|
||||
{
|
||||
return luaL_opt(L, luaL_checkinteger, narg, def);
|
||||
}
|
||||
|
||||
LUALIB_API unsigned luaL_checkunsigned(lua_State* L, int narg)
|
||||
unsigned luaL_checkunsigned(lua_State* L, int narg)
|
||||
{
|
||||
int isnum;
|
||||
unsigned d = lua_tounsignedx(L, narg, &isnum);
|
||||
|
@ -206,12 +222,25 @@ LUALIB_API unsigned luaL_checkunsigned(lua_State* L, int narg)
|
|||
return d;
|
||||
}
|
||||
|
||||
LUALIB_API unsigned luaL_optunsigned(lua_State* L, int narg, unsigned def)
|
||||
unsigned luaL_optunsigned(lua_State* L, int narg, unsigned def)
|
||||
{
|
||||
return luaL_opt(L, luaL_checkunsigned, narg, def);
|
||||
}
|
||||
|
||||
LUALIB_API int luaL_getmetafield(lua_State* L, int obj, const char* event)
|
||||
const float* luaL_checkvector(lua_State* L, int narg)
|
||||
{
|
||||
const float* v = lua_tovector(L, narg);
|
||||
if (!v)
|
||||
tag_error(L, narg, LUA_TVECTOR);
|
||||
return v;
|
||||
}
|
||||
|
||||
const float* luaL_optvector(lua_State* L, int narg, const float* def)
|
||||
{
|
||||
return luaL_opt(L, luaL_checkvector, narg, def);
|
||||
}
|
||||
|
||||
int luaL_getmetafield(lua_State* L, int obj, const char* event)
|
||||
{
|
||||
if (!lua_getmetatable(L, obj)) /* no metatable? */
|
||||
return 0;
|
||||
|
@ -229,7 +258,7 @@ LUALIB_API int luaL_getmetafield(lua_State* L, int obj, const char* event)
|
|||
}
|
||||
}
|
||||
|
||||
LUALIB_API int luaL_callmeta(lua_State* L, int obj, const char* event)
|
||||
int luaL_callmeta(lua_State* L, int obj, const char* event)
|
||||
{
|
||||
obj = abs_index(L, obj);
|
||||
if (!luaL_getmetafield(L, obj, event)) /* no metafield? */
|
||||
|
@ -247,7 +276,7 @@ static int libsize(const luaL_Reg* l)
|
|||
return size;
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_register(lua_State* L, const char* libname, const luaL_Reg* l)
|
||||
void luaL_register(lua_State* L, const char* libname, const luaL_Reg* l)
|
||||
{
|
||||
if (libname)
|
||||
{
|
||||
|
@ -273,7 +302,7 @@ LUALIB_API void luaL_register(lua_State* L, const char* libname, const luaL_Reg*
|
|||
}
|
||||
}
|
||||
|
||||
LUALIB_API const char* luaL_findtable(lua_State* L, int idx, const char* fname, int szhint)
|
||||
const char* luaL_findtable(lua_State* L, int idx, const char* fname, int szhint)
|
||||
{
|
||||
const char* e;
|
||||
lua_pushvalue(L, idx);
|
||||
|
@ -324,7 +353,7 @@ static size_t getnextbuffersize(lua_State* L, size_t currentsize, size_t desired
|
|||
return newsize;
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_buffinit(lua_State* L, luaL_Buffer* B)
|
||||
void luaL_buffinit(lua_State* L, luaL_Buffer* B)
|
||||
{
|
||||
// start with an internal buffer
|
||||
B->p = B->buffer;
|
||||
|
@ -334,14 +363,14 @@ LUALIB_API void luaL_buffinit(lua_State* L, luaL_Buffer* B)
|
|||
B->storage = nullptr;
|
||||
}
|
||||
|
||||
LUALIB_API char* luaL_buffinitsize(lua_State* L, luaL_Buffer* B, size_t size)
|
||||
char* luaL_buffinitsize(lua_State* L, luaL_Buffer* B, size_t size)
|
||||
{
|
||||
luaL_buffinit(L, B);
|
||||
luaL_reservebuffer(B, size, -1);
|
||||
return B->p;
|
||||
}
|
||||
|
||||
LUALIB_API char* luaL_extendbuffer(luaL_Buffer* B, size_t additionalsize, int boxloc)
|
||||
char* luaL_extendbuffer(luaL_Buffer* B, size_t additionalsize, int boxloc)
|
||||
{
|
||||
lua_State* L = B->L;
|
||||
|
||||
|
@ -372,13 +401,13 @@ LUALIB_API char* luaL_extendbuffer(luaL_Buffer* B, size_t additionalsize, int bo
|
|||
return B->p;
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_reservebuffer(luaL_Buffer* B, size_t size, int boxloc)
|
||||
void luaL_reservebuffer(luaL_Buffer* B, size_t size, int boxloc)
|
||||
{
|
||||
if (size_t(B->end - B->p) < size)
|
||||
luaL_extendbuffer(B, size - (B->end - B->p), boxloc);
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_addlstring(luaL_Buffer* B, const char* s, size_t len)
|
||||
void luaL_addlstring(luaL_Buffer* B, const char* s, size_t len)
|
||||
{
|
||||
if (size_t(B->end - B->p) < len)
|
||||
luaL_extendbuffer(B, len - (B->end - B->p), -1);
|
||||
|
@ -387,7 +416,7 @@ LUALIB_API void luaL_addlstring(luaL_Buffer* B, const char* s, size_t len)
|
|||
B->p += len;
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_addvalue(luaL_Buffer* B)
|
||||
void luaL_addvalue(luaL_Buffer* B)
|
||||
{
|
||||
lua_State* L = B->L;
|
||||
|
||||
|
@ -404,7 +433,7 @@ LUALIB_API void luaL_addvalue(luaL_Buffer* B)
|
|||
}
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_pushresult(luaL_Buffer* B)
|
||||
void luaL_pushresult(luaL_Buffer* B)
|
||||
{
|
||||
lua_State* L = B->L;
|
||||
|
||||
|
@ -428,7 +457,7 @@ LUALIB_API void luaL_pushresult(luaL_Buffer* B)
|
|||
}
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_pushresultsize(luaL_Buffer* B, size_t size)
|
||||
void luaL_pushresultsize(luaL_Buffer* B, size_t size)
|
||||
{
|
||||
B->p += size;
|
||||
luaL_pushresult(B);
|
||||
|
@ -436,7 +465,7 @@ LUALIB_API void luaL_pushresultsize(luaL_Buffer* B, size_t size)
|
|||
|
||||
/* }====================================================== */
|
||||
|
||||
LUALIB_API const char* luaL_tolstring(lua_State* L, int idx, size_t* len)
|
||||
const char* luaL_tolstring(lua_State* L, int idx, size_t* len)
|
||||
{
|
||||
if (luaL_callmeta(L, idx, "__tostring")) /* is there a metafield? */
|
||||
{
|
||||
|
@ -462,7 +491,11 @@ LUALIB_API const char* luaL_tolstring(lua_State* L, int idx, size_t* len)
|
|||
case LUA_TVECTOR:
|
||||
{
|
||||
const float* v = lua_tovector(L, idx);
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
lua_pushfstring(L, LUA_NUMBER_FMT ", " LUA_NUMBER_FMT ", " LUA_NUMBER_FMT ", " LUA_NUMBER_FMT, v[0], v[1], v[2], v[3]);
|
||||
#else
|
||||
lua_pushfstring(L, LUA_NUMBER_FMT ", " LUA_NUMBER_FMT ", " LUA_NUMBER_FMT, v[0], v[1], v[2]);
|
||||
#endif
|
||||
break;
|
||||
}
|
||||
default:
|
||||
|
|
|
@ -441,7 +441,7 @@ static void auxopen(lua_State* L, const char* name, lua_CFunction f, lua_CFuncti
|
|||
lua_setfield(L, -2, name);
|
||||
}
|
||||
|
||||
LUALIB_API int luaopen_base(lua_State* L)
|
||||
int luaopen_base(lua_State* L)
|
||||
{
|
||||
/* set global _G */
|
||||
lua_pushvalue(L, LUA_GLOBALSINDEX);
|
||||
|
|
|
@ -236,7 +236,7 @@ static const luaL_Reg bitlib[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_bit32(lua_State* L)
|
||||
int luaopen_bit32(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_BITLIBNAME, bitlib);
|
||||
|
||||
|
|
|
@ -1018,13 +1018,23 @@ static int luauF_tunpack(lua_State* L, StkId res, TValue* arg0, int nresults, St
|
|||
|
||||
static int luauF_vector(lua_State* L, StkId res, TValue* arg0, int nresults, StkId args, int nparams)
|
||||
{
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
if (nparams >= 4 && nresults <= 1 && ttisnumber(arg0) && ttisnumber(args) && ttisnumber(args + 1) && ttisnumber(args + 2))
|
||||
#else
|
||||
if (nparams >= 3 && nresults <= 1 && ttisnumber(arg0) && ttisnumber(args) && ttisnumber(args + 1))
|
||||
#endif
|
||||
{
|
||||
double x = nvalue(arg0);
|
||||
double y = nvalue(args);
|
||||
double z = nvalue(args + 1);
|
||||
|
||||
setvvalue(res, float(x), float(y), float(z));
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
double w = nvalue(args + 2);
|
||||
setvvalue(res, float(x), float(y), float(z), float(w));
|
||||
#else
|
||||
setvvalue(res, float(x), float(y), float(z), 0.0f);
|
||||
#endif
|
||||
|
||||
return 1;
|
||||
}
|
||||
|
||||
|
|
|
@ -272,7 +272,7 @@ static const luaL_Reg co_funcs[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_coroutine(lua_State* L)
|
||||
int luaopen_coroutine(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_COLIBNAME, co_funcs);
|
||||
|
||||
|
|
|
@ -160,7 +160,7 @@ static const luaL_Reg dblib[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_debug(lua_State* L)
|
||||
int luaopen_debug(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_DBLIBNAME, dblib);
|
||||
return 1;
|
||||
|
|
|
@ -17,7 +17,7 @@ static const luaL_Reg lualibs[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API void luaL_openlibs(lua_State* L)
|
||||
void luaL_openlibs(lua_State* L)
|
||||
{
|
||||
const luaL_Reg* lib = lualibs;
|
||||
for (; lib->func; lib++)
|
||||
|
@ -28,7 +28,7 @@ LUALIB_API void luaL_openlibs(lua_State* L)
|
|||
}
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_sandbox(lua_State* L)
|
||||
void luaL_sandbox(lua_State* L)
|
||||
{
|
||||
// set all libraries to read-only
|
||||
lua_pushnil(L);
|
||||
|
@ -44,14 +44,14 @@ LUALIB_API void luaL_sandbox(lua_State* L)
|
|||
lua_pushliteral(L, "");
|
||||
lua_getmetatable(L, -1);
|
||||
lua_setreadonly(L, -1, true);
|
||||
lua_pop(L, 1);
|
||||
lua_pop(L, 2);
|
||||
|
||||
// set globals to readonly and activate safeenv since the env is immutable
|
||||
lua_setreadonly(L, LUA_GLOBALSINDEX, true);
|
||||
lua_setsafeenv(L, LUA_GLOBALSINDEX, true);
|
||||
}
|
||||
|
||||
LUALIB_API void luaL_sandboxthread(lua_State* L)
|
||||
void luaL_sandboxthread(lua_State* L)
|
||||
{
|
||||
// create new global table that proxies reads to original table
|
||||
lua_newtable(L);
|
||||
|
@ -81,7 +81,7 @@ static void* l_alloc(lua_State* L, void* ud, void* ptr, size_t osize, size_t nsi
|
|||
return realloc(ptr, nsize);
|
||||
}
|
||||
|
||||
LUALIB_API lua_State* luaL_newstate(void)
|
||||
lua_State* luaL_newstate(void)
|
||||
{
|
||||
return lua_newstate(l_alloc, NULL);
|
||||
}
|
||||
|
|
|
@ -385,8 +385,7 @@ static int math_sign(lua_State* L)
|
|||
|
||||
static int math_round(lua_State* L)
|
||||
{
|
||||
double v = luaL_checknumber(L, 1);
|
||||
lua_pushnumber(L, round(v));
|
||||
lua_pushnumber(L, round(luaL_checknumber(L, 1)));
|
||||
return 1;
|
||||
}
|
||||
|
||||
|
@ -429,7 +428,7 @@ static const luaL_Reg mathlib[] = {
|
|||
/*
|
||||
** Open math library
|
||||
*/
|
||||
LUALIB_API int luaopen_math(lua_State* L)
|
||||
int luaopen_math(lua_State* L)
|
||||
{
|
||||
uint64_t seed = uintptr_t(L);
|
||||
seed ^= time(NULL);
|
||||
|
|
|
@ -33,11 +33,17 @@
|
|||
#define ABISWITCH(x64, ms32, gcc32) (sizeof(void*) == 8 ? x64 : ms32)
|
||||
#endif
|
||||
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
static_assert(sizeof(TValue) == ABISWITCH(24, 24, 24), "size mismatch for value");
|
||||
static_assert(sizeof(LuaNode) == ABISWITCH(48, 48, 48), "size mismatch for table entry");
|
||||
#else
|
||||
static_assert(sizeof(TValue) == ABISWITCH(16, 16, 16), "size mismatch for value");
|
||||
static_assert(sizeof(LuaNode) == ABISWITCH(32, 32, 32), "size mismatch for table entry");
|
||||
#endif
|
||||
|
||||
static_assert(offsetof(TString, data) == ABISWITCH(24, 20, 20), "size mismatch for string header");
|
||||
static_assert(offsetof(Udata, data) == ABISWITCH(24, 16, 16), "size mismatch for userdata header");
|
||||
static_assert(sizeof(Table) == ABISWITCH(56, 36, 36), "size mismatch for table header");
|
||||
static_assert(sizeof(LuaNode) == ABISWITCH(32, 32, 32), "size mismatch for table entry");
|
||||
|
||||
const size_t kSizeClasses = LUA_SIZECLASSES;
|
||||
const size_t kMaxSmallSize = 512;
|
||||
|
|
|
@ -18,12 +18,20 @@
|
|||
|
||||
inline bool luai_veceq(const float* a, const float* b)
|
||||
{
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
return a[0] == b[0] && a[1] == b[1] && a[2] == b[2] && a[3] == b[3];
|
||||
#else
|
||||
return a[0] == b[0] && a[1] == b[1] && a[2] == b[2];
|
||||
#endif
|
||||
}
|
||||
|
||||
inline bool luai_vecisnan(const float* a)
|
||||
{
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
return a[0] != a[0] || a[1] != a[1] || a[2] != a[2] || a[3] != a[3];
|
||||
#else
|
||||
return a[0] != a[0] || a[1] != a[1] || a[2] != a[2];
|
||||
#endif
|
||||
}
|
||||
|
||||
LUAU_FASTMATH_BEGIN
|
||||
|
|
|
@ -15,7 +15,7 @@
|
|||
|
||||
|
||||
|
||||
const TValue luaO_nilobject_ = {{NULL}, LUA_TNIL};
|
||||
const TValue luaO_nilobject_ = {{NULL}, {0}, LUA_TNIL};
|
||||
|
||||
int luaO_log2(unsigned int x)
|
||||
{
|
||||
|
|
|
@ -47,7 +47,7 @@ typedef union
|
|||
typedef struct lua_TValue
|
||||
{
|
||||
Value value;
|
||||
int extra;
|
||||
int extra[LUA_EXTRA_SIZE];
|
||||
int tt;
|
||||
} TValue;
|
||||
|
||||
|
@ -105,7 +105,19 @@ typedef struct lua_TValue
|
|||
i_o->tt = LUA_TNUMBER; \
|
||||
}
|
||||
|
||||
#define setvvalue(obj, x, y, z) \
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
#define setvvalue(obj, x, y, z, w) \
|
||||
{ \
|
||||
TValue* i_o = (obj); \
|
||||
float* i_v = i_o->value.v; \
|
||||
i_v[0] = (x); \
|
||||
i_v[1] = (y); \
|
||||
i_v[2] = (z); \
|
||||
i_v[3] = (w); \
|
||||
i_o->tt = LUA_TVECTOR; \
|
||||
}
|
||||
#else
|
||||
#define setvvalue(obj, x, y, z, w) \
|
||||
{ \
|
||||
TValue* i_o = (obj); \
|
||||
float* i_v = i_o->value.v; \
|
||||
|
@ -114,6 +126,7 @@ typedef struct lua_TValue
|
|||
i_v[2] = (z); \
|
||||
i_o->tt = LUA_TVECTOR; \
|
||||
}
|
||||
#endif
|
||||
|
||||
#define setpvalue(obj, x) \
|
||||
{ \
|
||||
|
@ -364,7 +377,7 @@ typedef struct Closure
|
|||
typedef struct TKey
|
||||
{
|
||||
::Value value;
|
||||
int extra;
|
||||
int extra[LUA_EXTRA_SIZE];
|
||||
unsigned tt : 4;
|
||||
int next : 28; /* for chaining */
|
||||
} TKey;
|
||||
|
@ -381,7 +394,7 @@ typedef struct LuaNode
|
|||
LuaNode* n_ = (node); \
|
||||
const TValue* i_o = (obj); \
|
||||
n_->key.value = i_o->value; \
|
||||
n_->key.extra = i_o->extra; \
|
||||
memcpy(n_->key.extra, i_o->extra, sizeof(n_->key.extra)); \
|
||||
n_->key.tt = i_o->tt; \
|
||||
checkliveness(L->global, i_o); \
|
||||
}
|
||||
|
@ -392,7 +405,7 @@ typedef struct LuaNode
|
|||
TValue* i_o = (obj); \
|
||||
const LuaNode* n_ = (node); \
|
||||
i_o->value = n_->key.value; \
|
||||
i_o->extra = n_->key.extra; \
|
||||
memcpy(i_o->extra, n_->key.extra, sizeof(i_o->extra)); \
|
||||
i_o->tt = n_->key.tt; \
|
||||
checkliveness(L->global, i_o); \
|
||||
}
|
||||
|
|
|
@ -186,7 +186,7 @@ static const luaL_Reg syslib[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_os(lua_State* L)
|
||||
int luaopen_os(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_OSLIBNAME, syslib);
|
||||
return 1;
|
||||
|
|
|
@ -1657,7 +1657,7 @@ static void createmetatable(lua_State* L)
|
|||
/*
|
||||
** Open string library
|
||||
*/
|
||||
LUALIB_API int luaopen_string(lua_State* L)
|
||||
int luaopen_string(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_STRLIBNAME, strlib);
|
||||
createmetatable(L);
|
||||
|
|
|
@ -31,18 +31,19 @@ LUAU_FASTFLAGVARIABLE(LuauArrayBoundary, false)
|
|||
#define MAXSIZE (1 << MAXBITS)
|
||||
|
||||
static_assert(offsetof(LuaNode, val) == 0, "Unexpected Node memory layout, pointer cast in gval2slot is incorrect");
|
||||
|
||||
// TKey is bitpacked for memory efficiency so we need to validate bit counts for worst case
|
||||
static_assert(TKey{{NULL}, 0, LUA_TDEADKEY, 0}.tt == LUA_TDEADKEY, "not enough bits for tt");
|
||||
static_assert(TKey{{NULL}, 0, LUA_TNIL, MAXSIZE - 1}.next == MAXSIZE - 1, "not enough bits for next");
|
||||
static_assert(TKey{{NULL}, 0, LUA_TNIL, -(MAXSIZE - 1)}.next == -(MAXSIZE - 1), "not enough bits for next");
|
||||
static_assert(TKey{{NULL}, {0}, LUA_TDEADKEY, 0}.tt == LUA_TDEADKEY, "not enough bits for tt");
|
||||
static_assert(TKey{{NULL}, {0}, LUA_TNIL, MAXSIZE - 1}.next == MAXSIZE - 1, "not enough bits for next");
|
||||
static_assert(TKey{{NULL}, {0}, LUA_TNIL, -(MAXSIZE - 1)}.next == -(MAXSIZE - 1), "not enough bits for next");
|
||||
|
||||
// reset cache of absent metamethods, cache is updated in luaT_gettm
|
||||
#define invalidateTMcache(t) t->flags = 0
|
||||
|
||||
// empty hash data points to dummynode so that we can always dereference it
|
||||
const LuaNode luaH_dummynode = {
|
||||
{{NULL}, 0, LUA_TNIL}, /* value */
|
||||
{{NULL}, 0, LUA_TNIL, 0} /* key */
|
||||
{{NULL}, {0}, LUA_TNIL}, /* value */
|
||||
{{NULL}, {0}, LUA_TNIL, 0} /* key */
|
||||
};
|
||||
|
||||
#define dummynode (&luaH_dummynode)
|
||||
|
@ -96,7 +97,7 @@ static LuaNode* hashnum(const Table* t, double n)
|
|||
|
||||
static LuaNode* hashvec(const Table* t, const float* v)
|
||||
{
|
||||
unsigned int i[3];
|
||||
unsigned int i[LUA_VECTOR_SIZE];
|
||||
memcpy(i, v, sizeof(i));
|
||||
|
||||
// convert -0 to 0 to make sure they hash to the same value
|
||||
|
@ -112,6 +113,12 @@ static LuaNode* hashvec(const Table* t, const float* v)
|
|||
// Optimized Spatial Hashing for Collision Detection of Deformable Objects
|
||||
unsigned int h = (i[0] * 73856093) ^ (i[1] * 19349663) ^ (i[2] * 83492791);
|
||||
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
i[3] = (i[3] == 0x8000000) ? 0 : i[3];
|
||||
i[3] ^= i[3] >> 17;
|
||||
h ^= i[3] * 39916801;
|
||||
#endif
|
||||
|
||||
return hashpow2(t, h);
|
||||
}
|
||||
|
||||
|
|
|
@ -527,7 +527,7 @@ static const luaL_Reg tab_funcs[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_table(lua_State* L)
|
||||
int luaopen_table(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_TABLIBNAME, tab_funcs);
|
||||
|
||||
|
|
|
@ -283,7 +283,7 @@ static const luaL_Reg funcs[] = {
|
|||
{NULL, NULL},
|
||||
};
|
||||
|
||||
LUALIB_API int luaopen_utf8(lua_State* L)
|
||||
int luaopen_utf8(lua_State* L)
|
||||
{
|
||||
luaL_register(L, LUA_UTF8LIBNAME, funcs);
|
||||
|
||||
|
|
|
@ -601,7 +601,13 @@ static void luau_execute(lua_State* L)
|
|||
const char* name = getstr(tsvalue(kv));
|
||||
int ic = (name[0] | ' ') - 'x';
|
||||
|
||||
if (unsigned(ic) < 3 && name[1] == '\0')
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
// 'w' is before 'x' in ascii, so ic is -1 when indexing with 'w'
|
||||
if (ic == -1)
|
||||
ic = 3;
|
||||
#endif
|
||||
|
||||
if (unsigned(ic) < LUA_VECTOR_SIZE && name[1] == '\0')
|
||||
{
|
||||
setnvalue(ra, rb->value.v[ic]);
|
||||
VM_NEXT();
|
||||
|
@ -1526,7 +1532,7 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb[0] + vc[0], vb[1] + vc[1], vb[2] + vc[2]);
|
||||
setvvalue(ra, vb[0] + vc[0], vb[1] + vc[1], vb[2] + vc[2], vb[3] + vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -1572,7 +1578,7 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb[0] - vc[0], vb[1] - vc[1], vb[2] - vc[2]);
|
||||
setvvalue(ra, vb[0] - vc[0], vb[1] - vc[1], vb[2] - vc[2], vb[3] - vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -1618,21 +1624,21 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
float vc = cast_to(float, nvalue(rc));
|
||||
setvvalue(ra, vb[0] * vc, vb[1] * vc, vb[2] * vc);
|
||||
setvvalue(ra, vb[0] * vc, vb[1] * vc, vb[2] * vc, vb[3] * vc);
|
||||
VM_NEXT();
|
||||
}
|
||||
else if (ttisvector(rb) && ttisvector(rc))
|
||||
{
|
||||
const float* vb = rb->value.v;
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb[0] * vc[0], vb[1] * vc[1], vb[2] * vc[2]);
|
||||
setvvalue(ra, vb[0] * vc[0], vb[1] * vc[1], vb[2] * vc[2], vb[3] * vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else if (ttisnumber(rb) && ttisvector(rc))
|
||||
{
|
||||
float vb = cast_to(float, nvalue(rb));
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb * vc[0], vb * vc[1], vb * vc[2]);
|
||||
setvvalue(ra, vb * vc[0], vb * vc[1], vb * vc[2], vb * vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -1679,21 +1685,21 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
float vc = cast_to(float, nvalue(rc));
|
||||
setvvalue(ra, vb[0] / vc, vb[1] / vc, vb[2] / vc);
|
||||
setvvalue(ra, vb[0] / vc, vb[1] / vc, vb[2] / vc, vb[3] / vc);
|
||||
VM_NEXT();
|
||||
}
|
||||
else if (ttisvector(rb) && ttisvector(rc))
|
||||
{
|
||||
const float* vb = rb->value.v;
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb[0] / vc[0], vb[1] / vc[1], vb[2] / vc[2]);
|
||||
setvvalue(ra, vb[0] / vc[0], vb[1] / vc[1], vb[2] / vc[2], vb[3] / vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else if (ttisnumber(rb) && ttisvector(rc))
|
||||
{
|
||||
float vb = cast_to(float, nvalue(rb));
|
||||
const float* vc = rc->value.v;
|
||||
setvvalue(ra, vb / vc[0], vb / vc[1], vb / vc[2]);
|
||||
setvvalue(ra, vb / vc[0], vb / vc[1], vb / vc[2], vb / vc[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -1826,7 +1832,7 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
float vc = cast_to(float, nvalue(kv));
|
||||
setvvalue(ra, vb[0] * vc, vb[1] * vc, vb[2] * vc);
|
||||
setvvalue(ra, vb[0] * vc, vb[1] * vc, vb[2] * vc, vb[3] * vc);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -1872,7 +1878,7 @@ static void luau_execute(lua_State* L)
|
|||
{
|
||||
const float* vb = rb->value.v;
|
||||
float vc = cast_to(float, nvalue(kv));
|
||||
setvvalue(ra, vb[0] / vc, vb[1] / vc, vb[2] / vc);
|
||||
setvvalue(ra, vb[0] / vc, vb[1] / vc, vb[2] / vc, vb[3] / vc);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
@ -2037,7 +2043,7 @@ static void luau_execute(lua_State* L)
|
|||
else if (ttisvector(rb))
|
||||
{
|
||||
const float* vb = rb->value.v;
|
||||
setvvalue(ra, -vb[0], -vb[1], -vb[2]);
|
||||
setvvalue(ra, -vb[0], -vb[1], -vb[2], -vb[3]);
|
||||
VM_NEXT();
|
||||
}
|
||||
else
|
||||
|
|
|
@ -9,6 +9,7 @@
|
|||
#include "lgc.h"
|
||||
#include "lmem.h"
|
||||
#include "lbytecode.h"
|
||||
#include "lapi.h"
|
||||
|
||||
#include <string.h>
|
||||
|
||||
|
@ -162,9 +163,8 @@ int luau_load(lua_State* L, const char* chunkname, const char* data, size_t size
|
|||
size_t GCthreshold = L->global->GCthreshold;
|
||||
L->global->GCthreshold = SIZE_MAX;
|
||||
|
||||
// env is 0 for current environment and a stack relative index otherwise
|
||||
LUAU_ASSERT(env <= 0 && L->top - L->base >= -env);
|
||||
Table* envt = (env == 0) ? hvalue(gt(L)) : hvalue(L->top + env);
|
||||
// env is 0 for current environment and a stack index otherwise
|
||||
Table* envt = (env == 0) ? hvalue(gt(L)) : hvalue(luaA_toobject(L, env));
|
||||
|
||||
TString* source = luaS_new(L, chunkname);
|
||||
|
||||
|
|
|
@ -401,19 +401,19 @@ void luaV_doarith(lua_State* L, StkId ra, const TValue* rb, const TValue* rc, TM
|
|||
switch (op)
|
||||
{
|
||||
case TM_ADD:
|
||||
setvvalue(ra, vb[0] + vc[0], vb[1] + vc[1], vb[2] + vc[2]);
|
||||
setvvalue(ra, vb[0] + vc[0], vb[1] + vc[1], vb[2] + vc[2], vb[3] + vc[3]);
|
||||
return;
|
||||
case TM_SUB:
|
||||
setvvalue(ra, vb[0] - vc[0], vb[1] - vc[1], vb[2] - vc[2]);
|
||||
setvvalue(ra, vb[0] - vc[0], vb[1] - vc[1], vb[2] - vc[2], vb[3] - vc[3]);
|
||||
return;
|
||||
case TM_MUL:
|
||||
setvvalue(ra, vb[0] * vc[0], vb[1] * vc[1], vb[2] * vc[2]);
|
||||
setvvalue(ra, vb[0] * vc[0], vb[1] * vc[1], vb[2] * vc[2], vb[3] * vc[3]);
|
||||
return;
|
||||
case TM_DIV:
|
||||
setvvalue(ra, vb[0] / vc[0], vb[1] / vc[1], vb[2] / vc[2]);
|
||||
setvvalue(ra, vb[0] / vc[0], vb[1] / vc[1], vb[2] / vc[2], vb[3] / vc[3]);
|
||||
return;
|
||||
case TM_UNM:
|
||||
setvvalue(ra, -vb[0], -vb[1], -vb[2]);
|
||||
setvvalue(ra, -vb[0], -vb[1], -vb[2], -vb[3]);
|
||||
return;
|
||||
default:
|
||||
break;
|
||||
|
@ -430,10 +430,10 @@ void luaV_doarith(lua_State* L, StkId ra, const TValue* rb, const TValue* rc, TM
|
|||
switch (op)
|
||||
{
|
||||
case TM_MUL:
|
||||
setvvalue(ra, vb[0] * nc, vb[1] * nc, vb[2] * nc);
|
||||
setvvalue(ra, vb[0] * nc, vb[1] * nc, vb[2] * nc, vb[3] * nc);
|
||||
return;
|
||||
case TM_DIV:
|
||||
setvvalue(ra, vb[0] / nc, vb[1] / nc, vb[2] / nc);
|
||||
setvvalue(ra, vb[0] / nc, vb[1] / nc, vb[2] / nc, vb[3] / nc);
|
||||
return;
|
||||
default:
|
||||
break;
|
||||
|
@ -451,10 +451,10 @@ void luaV_doarith(lua_State* L, StkId ra, const TValue* rb, const TValue* rc, TM
|
|||
switch (op)
|
||||
{
|
||||
case TM_MUL:
|
||||
setvvalue(ra, nb * vc[0], nb * vc[1], nb * vc[2]);
|
||||
setvvalue(ra, nb * vc[0], nb * vc[1], nb * vc[2], nb * vc[3]);
|
||||
return;
|
||||
case TM_DIV:
|
||||
setvvalue(ra, nb / vc[0], nb / vc[1], nb / vc[2]);
|
||||
setvvalue(ra, nb / vc[0], nb / vc[1], nb / vc[2], nb / vc[3]);
|
||||
return;
|
||||
default:
|
||||
break;
|
||||
|
|
|
@ -88,7 +88,7 @@ for i=1,N do
|
|||
local y=ymin+(j-1)*dy
|
||||
S = S + level(x,y)
|
||||
end
|
||||
-- if i % 10 == 0 then print(collectgarbage"count") end
|
||||
-- if i % 10 == 0 then print(collectgarbage("count")) end
|
||||
end
|
||||
print(S)
|
||||
|
||||
|
|
|
@ -88,7 +88,7 @@ for i=1,N do
|
|||
local y=ymin+(j-1)*dy
|
||||
S = S + level(x,y)
|
||||
end
|
||||
-- if i % 10 == 0 then print(collectgarbage"count") end
|
||||
-- if i % 10 == 0 then print(collectgarbage("count")) end
|
||||
end
|
||||
print(S)
|
||||
|
||||
|
|
|
@ -275,7 +275,7 @@ local function memory(s)
|
|||
local t=os.clock()
|
||||
--local dt=string.format("%f",t-t0)
|
||||
local dt=t-t0
|
||||
--io.stdout:write(s,"\t",dt," sec\t",t," sec\t",math.floor(collectgarbage"count"/1024),"M\n")
|
||||
--io.stdout:write(s,"\t",dt," sec\t",t," sec\t",math.floor(collectgarbage("count")/1024),"M\n")
|
||||
t0=t
|
||||
end
|
||||
|
||||
|
@ -286,7 +286,7 @@ local function do_(f,s)
|
|||
end
|
||||
|
||||
local function julia(l,a,b)
|
||||
memory"begin"
|
||||
memory("begin")
|
||||
cx=a cy=b
|
||||
root=newcell()
|
||||
exterior=newcell() exterior.color=white
|
||||
|
@ -297,14 +297,14 @@ memory"begin"
|
|||
do_(update,"update")
|
||||
repeat
|
||||
N=0 color(root,Rxmin,Rxmax,Rymin,Rymax) --print("color",N)
|
||||
until N==0 memory"color"
|
||||
until N==0 memory("color")
|
||||
repeat
|
||||
N=0 prewhite(root,Rxmin,Rxmax,Rymin,Rymax) --print("prewhite",N)
|
||||
until N==0 memory"prewhite"
|
||||
until N==0 memory("prewhite")
|
||||
do_(recolor,"recolor")
|
||||
do_(colorup,"colorup") --print("colorup",N)
|
||||
local g,b=do_(area,"area") --print("area",g,b,g+b)
|
||||
show(i) memory"output"
|
||||
show(i) memory("output")
|
||||
--print("edges",nE)
|
||||
end
|
||||
end
|
||||
|
|
|
@ -3,6 +3,8 @@ main:
|
|||
url: /news
|
||||
- title: Getting Started
|
||||
url: /getting-started
|
||||
- title: Demo
|
||||
url: /demo
|
||||
- title: GitHub
|
||||
url: https://github.com/Roblox/luau
|
||||
|
||||
|
@ -27,7 +29,3 @@ pages:
|
|||
url: /profile
|
||||
- title: Library
|
||||
url: /library
|
||||
|
||||
# Remove demo pages until solution is found
|
||||
# - title: Demo
|
||||
# url: /demo
|
||||
|
|
|
@ -47,4 +47,4 @@
|
|||
}
|
||||
}
|
||||
</script>
|
||||
<script async src="assets/luau/luau.js"></script>
|
||||
<script async src="https://github.com/Roblox/luau/releases/latest/download/Luau.Web.js"></script>
|
||||
|
|
|
@ -624,6 +624,12 @@ function coroutine.resume(co: thread, args: ...any): (boolean, ...any)
|
|||
|
||||
Resumes the coroutine and passes the arguments along to the suspension point. When the coroutine yields or finishes, returns `true` and all values returned at the suspension point. If an error is raised during coroutine resumption, this function returns `false` and the error object, similarly to `pcall`.
|
||||
|
||||
```
|
||||
function coroutine.close(co: thread): (boolean, any?)
|
||||
```
|
||||
|
||||
Closes the coroutine which puts coroutine in the dead state. The coroutine must be dead or suspended - in particular it can't be currently running. If the coroutine that's being closed was in an error state, returns `false` along with an error object; otherwise returns `true`. After closing, the coroutine can't be resumed and the coroutine stack becomes empty.
|
||||
|
||||
## bit32 library
|
||||
|
||||
All functions in the `bit32` library treat input numbers as 32-bit unsigned integers in `[0..4294967295]` range. The bit positions start at 0 where 0 corresponds to the least significant bit.
|
||||
|
@ -700,6 +706,18 @@ function bit32.rshift(n: number, i: number): number
|
|||
|
||||
Shifts `n` to the right by `i` bits (if `i` is negative, a left shift is performed instead).
|
||||
|
||||
```
|
||||
function bit32.countlz(n: number): number
|
||||
```
|
||||
|
||||
Returns the number of consecutive zero bits in the 32-bit representation of `n` starting from the left-most (most significant) bit. Returns 32 if `n` is zero.
|
||||
|
||||
```
|
||||
function bit32.countrz(n: number): number
|
||||
```
|
||||
|
||||
Returns the number of consecutive zero bits in the 32-bit representation of `n` starting from the right-most (least significant) bit. Returns 32 if `n` is zero.
|
||||
|
||||
## utf8 library
|
||||
|
||||
Strings in Luau can contain arbitrary bytes; however, in many applications strings representing text contain UTF8 encoded data by convention, that can be inspected and manipulated using `utf8` library.
|
||||
|
|
|
@ -134,6 +134,12 @@ Lua implements upvalues as garbage collected objects that can point directly at
|
|||
|
||||
Note that "immutable" in this case only refers to the variable itself - if the variable isn't assigned to it can be captured by value, even if it's a table that has its contents change.
|
||||
|
||||
## Closure caching
|
||||
|
||||
With optimized upvalue storage, creating new closures (function objects) is more efficient but still requires allocating a new object every time. This can be problematic for cases when functions are passed to algorithms like `table.sort` or functions like `pcall`, as it results in excessive allocation traffic which then leads to more work for garbage collector.
|
||||
|
||||
To make closure creation cheaper, Luau compiler implements closure caching - when multiple executions of the same function expression are guaranteed to result in the function object that is semantically identical, the compiler may cache the closure and always return the same object. This changes the function identity which may affect code that uses function objects as table keys, but preserves the calling semantics - compiler will only do this if calling the original (cached) function behaves the same way as a newly created function would. The heuristics used for this optimization are subject to change; currently, the compiler will cache closures that have no upvalues, or all upvalues are immutable (see previous section) and are declared at the module scope, as the module scope is (almost always) evaluated only once.
|
||||
|
||||
## Fast memory allocator
|
||||
|
||||
Similarly to LuaJIT, but unlike vanilla Lua, Luau implements a custom allocator that is highly specialized and tuned to the common allocation workloads we see. The allocator design is inspired by classic pool allocators as well as the excellent `mimalloc`, but through careful domain-specific tuning it beats all general purpose allocators we've tested, including `rpmalloc`, `mimalloc`, `jemalloc`, `ptmalloc` and `tcmalloc`.
|
||||
|
|
|
@ -287,6 +287,66 @@ In type annotations, this is written as `...T`:
|
|||
type F = (...number) -> ...string
|
||||
```
|
||||
|
||||
## Type packs
|
||||
|
||||
Multiple function return values as well as the function variadic parameter use a type pack to represent a list of types.
|
||||
|
||||
When a type alias is defined, generic type pack parameters can be used after the type parameters:
|
||||
|
||||
```lua
|
||||
type Signal<T, U...> = { f: (T, U...) -> (), data: T }
|
||||
```
|
||||
|
||||
> Keep in mind that `...T` is a variadic type pack (many elements of the same type `T`), while `U...` is a generic type pack that can contain zero or more types and they don't have to be the same.
|
||||
|
||||
It is also possible for a generic function to reference a generic type pack from the generics list:
|
||||
|
||||
```lua
|
||||
local function call<T, U...>(s: Signal<T, U...>, ...: U...)
|
||||
s.f(s.data, ...)
|
||||
end
|
||||
```
|
||||
|
||||
Generic types with type packs can be instantiated by providing a type pack:
|
||||
|
||||
```lua
|
||||
local signal: Signal<string, (number, number, boolean)> = --
|
||||
|
||||
call(signal, 1, 2, false)
|
||||
```
|
||||
|
||||
There are also other ways to instantiate types with generic type pack parameters:
|
||||
|
||||
```lua
|
||||
type A<T, U...> = (T) -> U...
|
||||
|
||||
type B = A<number, ...string> -- with a variadic type pack
|
||||
type C<S...> = A<number, S...> -- with a generic type pack
|
||||
type D = A<number, ()> -- with an empty type pack
|
||||
```
|
||||
|
||||
Trailing type pack argument can also be provided without parentheses by specifying variadic type arguments:
|
||||
|
||||
```lua
|
||||
type List<Head, Rest...> = (Head, Rest...) -> ()
|
||||
|
||||
type B = List<number> -- Rest... is ()
|
||||
type C = List<number, string, boolean> -- Rest is (string, boolean)
|
||||
|
||||
type Returns<T...> = () -> T...
|
||||
|
||||
-- When there are no type parameters, the list can be left empty
|
||||
type D = Returns<> -- T... is ()
|
||||
```
|
||||
|
||||
Type pack parameters are not limited to a single one, as many as required can be specified:
|
||||
|
||||
```lua
|
||||
type Callback<Args..., Rets...> = { f: (Args...) -> Rets... }
|
||||
|
||||
type A = Callback<(number, string), ...number>
|
||||
```
|
||||
|
||||
## Typing idiomatic OOP
|
||||
|
||||
One common pattern we see throughout Roblox is this OOP idiom. A downside with this pattern is that it does not automatically create a type binding for an instance of that class, so one has to write `type Account = typeof(Account.new("", 0))`.
|
||||
|
|
77
docs/_posts/2021-11-29-luau-recap-november-2021.md
Normal file
77
docs/_posts/2021-11-29-luau-recap-november-2021.md
Normal file
|
@ -0,0 +1,77 @@
|
|||
---
|
||||
layout: single
|
||||
title: "Luau Recap: November 2021"
|
||||
---
|
||||
|
||||
Luau is our new language that you can read more about at [https://luau-lang.org](https://luau-lang.org).
|
||||
|
||||
[Cross-posted to the [Roblox Developer Forum](https://devforum.roblox.com/t/luau-recap-november-2021/).]
|
||||
|
||||
## Type packs in type aliases
|
||||
|
||||
Type packs are the construct Luau uses to represent a sequence of types. We've had syntax for generic type packs for a while now, and it sees use in generic functions, but it hasn't been available in type aliases. That has changed, and it is now syntactically legal to write the following type alias:
|
||||
```lua
|
||||
type X<A...> = () -> A...
|
||||
type Y = X<number, string>
|
||||
```
|
||||
|
||||
We've also added support for explicit type packs. Previously, it was impossible to instantiate a generic with two or more type pack parameters, because it wasn't clear where the first pack ended and the second one began. We have introduced a new syntax for this use case:
|
||||
```
|
||||
type Fn<P..., R...> = (P...) -> R...
|
||||
type X = Fn<(number, string), (string, number)>
|
||||
```
|
||||
|
||||
For more information, check out [the documentation](https://luau-lang.org/typecheck#type-packs) or [the RFC](https://github.com/Roblox/luau/blob/f86d4c6995418e489a55be0100159009492778ff/rfcs/syntax-type-alias-type-packs.md) for this feature.
|
||||
|
||||
## Luau is open-source!
|
||||
|
||||
We announced this in early November but it deserves repeating: Luau is now an open-source project! You can use Luau outside of Roblox, subject to MIT License, and - importantly - we accept contributions.
|
||||
|
||||
Many changes contributed by community, both Roblox and external, have been merged since we've made Luau open source. Of note are two visible changes that shipped on Roblox platform:
|
||||
|
||||
- The type error "Expected to return X values, but Y values are returned here" actually had X and Y swapped! This is now fixed.
|
||||
- Luau compiler dutifully computed the length of the string when using `#` operator on a string literal; this is now fixed and `#"foo"` compiles to 3.
|
||||
|
||||
You might think that C++ is a scary language and you can't contribute to Luau. If so, you'd be happy to know that the contents of https://luau-lang.org, where we host our documentation, is also hosted on GitHub in the same repository (https://github.com/Roblox/luau/tree/master/docs) and that we'd love the community to contribute improvements to documentation among other changes! For example see [issues in this list](https://github.com/Roblox/luau/issues?q=is%3Aissue+is%3Aopen+label%3A%22pr+welcome%22) that start with "Documentation", but all other changes and additions to documentation are also welcome.
|
||||
|
||||
## Library improvements
|
||||
|
||||
```lua
|
||||
function bit32.countlz(n: number): number
|
||||
function bit32.countrz(n: number): number
|
||||
```
|
||||
Given a number, returns the number of preceding left or trailing right-hand bits that are `0`.
|
||||
|
||||
See [the RFC for these functions](https://github.com/Roblox/luau/blob/f86d4c6995418e489a55be0100159009492778ff/rfcs/function-bit32-countlz-countrz.md) for more information.
|
||||
|
||||
## Type checking improvements
|
||||
|
||||
We have enabled a rewrite of how Luau handles `require` tracing. This has two main effects: firstly, in strict mode, `require` statements that Luau can't resolve will trigger type errors; secondly, Luau now understands the `FindFirstAncestor` method in `require` expressions.
|
||||
|
||||
Luau now warns when the index to `table.move` is 0, as this is non-idiomatic and performs poorly. If this behavior is intentional, wrap the index in parentheses to suppress the warning.
|
||||
|
||||
Luau now provides additional context in table and class type mismatch errors.
|
||||
|
||||
## Performance improvements
|
||||
|
||||
We have enabled several changes that aim to avoid allocating a new closure object in cases where it's not necessary to. This is helpful in cases where many closures are being allocated; in our benchmark suite, the two benchmarks that allocate a large number of closures improved by 15% and 5%, respectively.
|
||||
|
||||
When checking union types, we now try possibilities whose synthetic names match. This will speed up type checking unions in cases where synthetic names are populated.
|
||||
|
||||
We have also enabled an optimization that shares state in a hot path on the type checker. This will improve type checking performance.
|
||||
|
||||
The Luau VM now attempts to cache the length of tables' array portion. This change showed a small performance improvement in benchmarks, and should speed up `#` expressions.
|
||||
|
||||
The Luau type checker now caches a specific category of table unification results. This can improve type checking performance significantly when the same set of types is used frequently.
|
||||
|
||||
When Luau is not retaining type graphs, the type checker now discards more of a module's type surface after type checking it. This improves memory usage significantly.
|
||||
|
||||
## Bug fixes
|
||||
|
||||
We've fixed a bug where on ARM systems (mobile), packing negative numbers using unsigned formats in `string.pack` would produce the wrong result.
|
||||
|
||||
We've fixed an issue with type aliases that reuse generic type names that caused them to be instantiated incorrectly.
|
||||
|
||||
We've corrected a subtle bug that could cause free types to leak into a table type when a free table is bound to that table.
|
||||
|
||||
We've fixed an issue that could cause Luau to report an infinitely recursive type error when the type was not infinitely recursive.
|
|
@ -38,7 +38,7 @@ feature_row3:
|
|||
-
|
||||
title: Analysis
|
||||
excerpt: >
|
||||
To make it easier to write correct code, Luau comes with a set of analysis tools that can surface common mistakes. These consist of a linter and a type checker, colloquially known as script analysis, and can be used from [Roblox Studio](https://developer.roblox.com/en-us/articles/The-Script-Analysis-Tool). The linting passes are [described here](lint), and the type checking user guide can [be found here](typecheck).
|
||||
To make it easier to write correct code, Luau comes with a set of analysis tools that can surface common mistakes. These consist of a linter and a type checker, colloquially known as script analysis, and are integrated into `luau-analyze` command line executable. The linting passes are [described here](lint), and the type checking user guide can [be found here](typecheck).
|
||||
|
||||
-
|
||||
title: Performance
|
||||
|
|
142
rfcs/syntax-string-interpolation.md
Normal file
142
rfcs/syntax-string-interpolation.md
Normal file
|
@ -0,0 +1,142 @@
|
|||
# String interpolation
|
||||
|
||||
## Summary
|
||||
|
||||
New string interpolation syntax.
|
||||
|
||||
## Motivation
|
||||
|
||||
The problems with `string.format` are many.
|
||||
|
||||
1. Must be exact about the types and its corresponding value.
|
||||
2. Using `%d` is the idiomatic default for most people, but this loses precision.
|
||||
* `%d` casts the number into `long long`, which has a lower max value than `double` and does not support decimals.
|
||||
* `%f` by default will format to the millionths, e.g. `5.5` is `5.500000`.
|
||||
* `%g` by default will format up to the hundred thousandths, e.g. `5.5` is `5.5` and `5.5312389` is `5.53123`. It will also convert the number to scientific notation when it encounters a number equal to or greater than 10^6.
|
||||
* To not lose too much precision, you need to use `%s`, but even so the type checker assumes you actually wanted strings.
|
||||
3. No support for `boolean`. You must use `%s` **and** call `tostring`.
|
||||
4. No support for values implementing the `__tostring` metamethod.
|
||||
5. Using `%` is in itself a dangerous operation within `string.format`.
|
||||
* `"Your health is %d% so you need to heal up."` causes a runtime error because `% so` is actually parsed as `(%s)o` and now requires a corresponding string.
|
||||
6. Having to use parentheses around string literals just to call a method of it.
|
||||
|
||||
## Design
|
||||
|
||||
To fix all of those issues, we need to do a few things.
|
||||
|
||||
1. A new string interpolation expression (fixes #5, #6)
|
||||
2. Extend `string.format` to accept values of arbitrary types (fixes #1, #2, #3, #4)
|
||||
|
||||
Because we care about backward compatibility, we need some new syntax in order to not change the meaning of existing strings. There are a few components of this new expression:
|
||||
|
||||
1. A string chunk (`` `...{ ``, `}...{`, and `` }...` ``) where `...` is a range of 0 to many characters.
|
||||
* `\` escapes `` ` ``, `{`, and itself `\`.
|
||||
* Restriction: the string interpolation literal must have at least one value to interpolate. We do not need 3 ways to express a single line string literal.
|
||||
* The pairs must be on the same line (unless a `\` escapes the newline) but expressions needn't be on the same line.
|
||||
2. An expression between the braces. This is the value that will be interpolated into the string.
|
||||
3. Formatting specification may follow after the expression, delimited by an unambiguous character.
|
||||
* Restriction: the formatting specification must be constant at parse time.
|
||||
* In the absence of an explicit formatting specification, the `%*` token will be used.
|
||||
* For now, we explicitly reject any formatting specification syntax. A future extension may be introduced to extend the syntax with an optional specification.
|
||||
|
||||
To put the above into formal EBNF grammar:
|
||||
|
||||
```
|
||||
stringinterp ::= <INTERP_BEGIN> exp {<INTERP_MID> exp} <INTERP_END>
|
||||
```
|
||||
|
||||
Which, in actual Luau code, will look like the following:
|
||||
|
||||
```
|
||||
local world = "world"
|
||||
print(`Hello {world}!`)
|
||||
--> Hello world!
|
||||
|
||||
local combo = {5, 2, 8, 9}
|
||||
print(`The lock combinations are: {table.concat(combo, ", ")}`)
|
||||
--> The lock combinations are: 5, 2, 8, 9
|
||||
|
||||
local set1 = Set.new({0, 1, 3})
|
||||
local set2 = Set.new({0, 5, 4})
|
||||
print(`{set1} ∪ {set2} = {Set.union(set1, set2)}`)
|
||||
--> {0, 1, 3} ∪ {0, 5, 4} = {0, 1, 3, 4, 5}
|
||||
|
||||
-- For illustrative purposes. These are illegal specifically because they don't interpolate anything.
|
||||
print(`Some example escaping the braces \{like so}`)
|
||||
print(`backslash \ that escapes the space is not a part of the string...`)
|
||||
print(`backslash \\ will escape the second backslash...`)
|
||||
print(`Some text that also includes \`...`)
|
||||
--> Some example escaping the braces {like so}
|
||||
--> backslash that escapes the space is not a part of the string...
|
||||
--> backslash \ will escape the second backslash...
|
||||
--> Some text that also includes `...
|
||||
```
|
||||
|
||||
As for how newlines are handled, they are handled the same as other string literals. Any text between the `{}` delimiters are not considered part of the string, hence newlines are OK. The main thing is that one opening pair will scan until either a closing pair is encountered, or an unescaped newline.
|
||||
|
||||
```
|
||||
local name = "Luau"
|
||||
|
||||
print(`Welcome to {
|
||||
name
|
||||
}!`)
|
||||
--> Welcome to Luau!
|
||||
|
||||
print(`Welcome to \
|
||||
{name}!`)
|
||||
--> Welcome to
|
||||
-- Luau!
|
||||
```
|
||||
|
||||
This expression will not be allowed to come after a `prefixexp`. I believe this is fully additive, so a future RFC may allow this. So for now, we explicitly reject the following:
|
||||
|
||||
```
|
||||
local name = "world"
|
||||
print`Hello {name}`
|
||||
```
|
||||
|
||||
Since the string interpolation expression is going to be lowered into a `string.format` call, we'll also need to extend `string.format`. The bare minimum to support the lowering is to add a new token whose definition is to perform a `tostring` call. `%*` is currently an invalid token, so this is a backward compatible extension. This RFC shall define `%*` to have the same behavior as if `tostring` was called.
|
||||
|
||||
```lua
|
||||
print(string.format("%* %*", 1, 2))
|
||||
--> 1 2
|
||||
```
|
||||
|
||||
The offset must always be within bound of the numbers of values passed to `string.format`.
|
||||
|
||||
```lua
|
||||
local function return_one_thing() return "hi" end
|
||||
local function return_two_nils() return nil, nil end
|
||||
|
||||
print(string.format("%*", return_one_thing()))
|
||||
--> "hi"
|
||||
|
||||
print(string.format("%*", Set.new({1, 2, 3})))
|
||||
--> {1, 2, 3}
|
||||
|
||||
print(string.format("%* %*", return_two_nils()))
|
||||
--> nil nil
|
||||
|
||||
print(string.format("%* %* %*", return_two_nils()))
|
||||
--> error: value #3 is missing, got 2
|
||||
```
|
||||
|
||||
## Drawbacks
|
||||
|
||||
If we want to use backticks for other purposes, it may introduce some potential ambiguity. One option to solve that is to only ever produce string interpolation tokens from the context of an expression. This is messy but doable because the parser and the lexer are already implemented to work in tandem. The other option is to pick a different delimiter syntax to keep backticks available for use in the future.
|
||||
|
||||
If we were to naively compile the expression into a `string.format` call, then implementation details would be observable if you write `` `Your health is {hp}% so you need to heal up.` ``. When lowering the expression, we would need to implicitly insert a `%` character anytime one shows up in a string interpolation token. Otherwise attempting to run this will produce a runtime error where the `%s` token is missing its corresponding string value.
|
||||
|
||||
## Alternatives
|
||||
|
||||
Rather than coming up with a new syntax (which doesn't help issue #5 and #6) and extending `string.format` to accept an extra token, we could just make `%s` call `tostring` and be done. However, doing so would cause programs to be more lenient and the type checker would have no way to infer strings from a `string.format` call. To preserve that, we would need a different token anyway.
|
||||
|
||||
Language | Syntax | Conclusion
|
||||
----------:|:----------------------|:-----------
|
||||
Python | `f'Hello {name}'` | Rejected because it's ambiguous with function call syntax.
|
||||
Swift | `"Hello \(name)"` | Rejected because it changes the meaning of existing strings.
|
||||
Ruby | `"Hello #{name}"` | Rejected because it changes the meaning of existing strings.
|
||||
JavaScript | `` `Hello ${name}` `` | Viable option as long as we don't intend to use backticks for other purposes.
|
||||
C# | `$"Hello {name}"` | Viable option and guarantees no ambiguities with future syntax.
|
||||
|
||||
This leaves us with only two syntax that already exists in other programming languages. The current proposal are for backticks, so the only backward compatible alternative are `$""` literals. We don't necessarily need to use `$` symbol here, but if we were to choose a different symbol, `#` cannot be used. I picked backticks because it doesn't require us to add a stack of closing delimiters in the lexer to make sure each nested string interpolation literals are correctly closed with its opening pair. You only have to count them.
|
|
@ -1,5 +1,7 @@
|
|||
# Type alias type packs
|
||||
|
||||
**Status**: Implemented
|
||||
|
||||
## Summary
|
||||
|
||||
Provide semantics for referencing type packs inside the body of a type alias declaration
|
||||
|
|
|
@ -67,44 +67,42 @@ static int lua_vector(lua_State* L)
|
|||
double y = luaL_checknumber(L, 2);
|
||||
double z = luaL_checknumber(L, 3);
|
||||
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
double w = luaL_optnumber(L, 4, 0.0);
|
||||
lua_pushvector(L, float(x), float(y), float(z), float(w));
|
||||
#else
|
||||
lua_pushvector(L, float(x), float(y), float(z));
|
||||
#endif
|
||||
return 1;
|
||||
}
|
||||
|
||||
static int lua_vector_dot(lua_State* L)
|
||||
{
|
||||
const float* a = lua_tovector(L, 1);
|
||||
const float* b = lua_tovector(L, 2);
|
||||
const float* a = luaL_checkvector(L, 1);
|
||||
const float* b = luaL_checkvector(L, 2);
|
||||
|
||||
if (a && b)
|
||||
{
|
||||
lua_pushnumber(L, a[0] * b[0] + a[1] * b[1] + a[2] * b[2]);
|
||||
return 1;
|
||||
}
|
||||
|
||||
throw std::runtime_error("invalid arguments to vector:Dot");
|
||||
lua_pushnumber(L, a[0] * b[0] + a[1] * b[1] + a[2] * b[2]);
|
||||
return 1;
|
||||
}
|
||||
|
||||
static int lua_vector_index(lua_State* L)
|
||||
{
|
||||
const float* v = luaL_checkvector(L, 1);
|
||||
const char* name = luaL_checkstring(L, 2);
|
||||
|
||||
if (const float* v = lua_tovector(L, 1))
|
||||
if (strcmp(name, "Magnitude") == 0)
|
||||
{
|
||||
if (strcmp(name, "Magnitude") == 0)
|
||||
{
|
||||
lua_pushnumber(L, sqrtf(v[0] * v[0] + v[1] * v[1] + v[2] * v[2]));
|
||||
return 1;
|
||||
}
|
||||
|
||||
if (strcmp(name, "Dot") == 0)
|
||||
{
|
||||
lua_pushcfunction(L, lua_vector_dot, "Dot");
|
||||
return 1;
|
||||
}
|
||||
lua_pushnumber(L, sqrtf(v[0] * v[0] + v[1] * v[1] + v[2] * v[2]));
|
||||
return 1;
|
||||
}
|
||||
|
||||
throw std::runtime_error(Luau::format("%s is not a valid member of vector", name));
|
||||
if (strcmp(name, "Dot") == 0)
|
||||
{
|
||||
lua_pushcfunction(L, lua_vector_dot, "Dot");
|
||||
return 1;
|
||||
}
|
||||
|
||||
luaL_error(L, "%s is not a valid member of vector", name);
|
||||
}
|
||||
|
||||
static int lua_vector_namecall(lua_State* L)
|
||||
|
@ -115,7 +113,7 @@ static int lua_vector_namecall(lua_State* L)
|
|||
return lua_vector_dot(L);
|
||||
}
|
||||
|
||||
throw std::runtime_error(Luau::format("%s is not a valid method of vector", luaL_checkstring(L, 1)));
|
||||
luaL_error(L, "%s is not a valid method of vector", luaL_checkstring(L, 1));
|
||||
}
|
||||
|
||||
int lua_silence(lua_State* L)
|
||||
|
@ -373,11 +371,17 @@ TEST_CASE("Pack")
|
|||
|
||||
TEST_CASE("Vector")
|
||||
{
|
||||
ScopedFastFlag sff{"LuauIfElseExpressionBaseSupport", true};
|
||||
|
||||
runConformance("vector.lua", [](lua_State* L) {
|
||||
lua_pushcfunction(L, lua_vector, "vector");
|
||||
lua_setglobal(L, "vector");
|
||||
|
||||
#if LUA_VECTOR_SIZE == 4
|
||||
lua_pushvector(L, 0.0f, 0.0f, 0.0f, 0.0f);
|
||||
#else
|
||||
lua_pushvector(L, 0.0f, 0.0f, 0.0f);
|
||||
#endif
|
||||
luaL_newmetatable(L, "vector");
|
||||
|
||||
lua_pushstring(L, "__index");
|
||||
|
@ -524,7 +528,7 @@ TEST_CASE("Debugger")
|
|||
L,
|
||||
[](lua_State* L) -> int {
|
||||
int line = luaL_checkinteger(L, 1);
|
||||
bool enabled = lua_isboolean(L, 2) ? lua_toboolean(L, 2) : true;
|
||||
bool enabled = luaL_optboolean(L, 2, true);
|
||||
|
||||
lua_Debug ar = {};
|
||||
lua_getinfo(L, 1, "f", &ar);
|
||||
|
|
|
@ -876,4 +876,4 @@ assert(concat(typeof(5), typeof(nil), typeof({}), typeof(newproxy())) == "number
|
|||
|
||||
testgetfenv() -- DONT MOVE THIS LINE
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -419,11 +419,5 @@ co = coroutine.create(function ()
|
|||
return loadstring("return a")()
|
||||
end)
|
||||
|
||||
a = {a = 15}
|
||||
-- debug.setfenv(co, a)
|
||||
-- assert(debug.getfenv(co) == a)
|
||||
-- assert(select(2, coroutine.resume(co)) == a)
|
||||
-- assert(select(2, coroutine.resume(co)) == a.a)
|
||||
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -237,4 +237,4 @@ repeat
|
|||
i = i+1
|
||||
until i==c
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -373,4 +373,4 @@ do
|
|||
assert(f() == 42)
|
||||
end
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -74,4 +74,4 @@ assert(os.difftime(t1,t2) == 60*2-19)
|
|||
|
||||
assert(os.time({ year = 1970, day = 1, month = 1, hour = 0}) == 0)
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -98,4 +98,4 @@ assert(quuz(function(...) end) == "0 true")
|
|||
assert(quuz(function(a, b) end) == "2 false")
|
||||
assert(quuz(function(a, b, ...) end) == "2 true")
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -34,15 +34,15 @@ assert(doit("error('hi', 0)") == 'hi')
|
|||
assert(doit("unpack({}, 1, n=2^30)"))
|
||||
assert(doit("a=math.sin()"))
|
||||
assert(not doit("tostring(1)") and doit("tostring()"))
|
||||
assert(doit"tonumber()")
|
||||
assert(doit"repeat until 1; a")
|
||||
assert(doit("tonumber()"))
|
||||
assert(doit("repeat until 1; a"))
|
||||
checksyntax("break label", "", "label", 1)
|
||||
assert(doit";")
|
||||
assert(doit"a=1;;")
|
||||
assert(doit"return;;")
|
||||
assert(doit"assert(false)")
|
||||
assert(doit"assert(nil)")
|
||||
assert(doit"a=math.sin\n(3)")
|
||||
assert(doit(";"))
|
||||
assert(doit("a=1;;"))
|
||||
assert(doit("return;;"))
|
||||
assert(doit("assert(false)"))
|
||||
assert(doit("assert(nil)"))
|
||||
assert(doit("a=math.sin\n(3)"))
|
||||
assert(doit("function a (... , ...) end"))
|
||||
assert(doit("function a (, ...) end"))
|
||||
|
||||
|
@ -59,7 +59,7 @@ checkmessage("a=1; local a,bbbb=2,3; a = math.sin(1) and bbbb(3)",
|
|||
"local 'bbbb'")
|
||||
checkmessage("a={}; do local a=1 end a:bbbb(3)", "method 'bbbb'")
|
||||
checkmessage("local a={}; a.bbbb(3)", "field 'bbbb'")
|
||||
assert(not string.find(doit"a={13}; local bbbb=1; a[bbbb](3)", "'bbbb'"))
|
||||
assert(not string.find(doit("a={13}; local bbbb=1; a[bbbb](3)"), "'bbbb'"))
|
||||
checkmessage("a={13}; local bbbb=1; a[bbbb](3)", "number")
|
||||
|
||||
aaa = nil
|
||||
|
@ -67,14 +67,14 @@ checkmessage("aaa.bbb:ddd(9)", "global 'aaa'")
|
|||
checkmessage("local aaa={bbb=1}; aaa.bbb:ddd(9)", "field 'bbb'")
|
||||
checkmessage("local aaa={bbb={}}; aaa.bbb:ddd(9)", "method 'ddd'")
|
||||
checkmessage("local a,b,c; (function () a = b+1 end)()", "upvalue 'b'")
|
||||
assert(not doit"local aaa={bbb={ddd=next}}; aaa.bbb:ddd(nil)")
|
||||
assert(not doit("local aaa={bbb={ddd=next}}; aaa.bbb:ddd(nil)"))
|
||||
|
||||
checkmessage("b=1; local aaa='a'; x=aaa+b", "local 'aaa'")
|
||||
checkmessage("aaa={}; x=3/aaa", "global 'aaa'")
|
||||
checkmessage("aaa='2'; b=nil;x=aaa*b", "global 'b'")
|
||||
checkmessage("aaa={}; x=-aaa", "global 'aaa'")
|
||||
assert(not string.find(doit"aaa={}; x=(aaa or aaa)+(aaa and aaa)", "'aaa'"))
|
||||
assert(not string.find(doit"aaa={}; (aaa or aaa)()", "'aaa'"))
|
||||
assert(not string.find(doit("aaa={}; x=(aaa or aaa)+(aaa and aaa)"), "'aaa'"))
|
||||
assert(not string.find(doit("aaa={}; (aaa or aaa)()"), "'aaa'"))
|
||||
|
||||
checkmessage([[aaa=9
|
||||
repeat until 3==3
|
||||
|
@ -122,10 +122,10 @@ function lineerror (s)
|
|||
return line and line+0
|
||||
end
|
||||
|
||||
assert(lineerror"local a\n for i=1,'a' do \n print(i) \n end" == 2)
|
||||
-- assert(lineerror"\n local a \n for k,v in 3 \n do \n print(k) \n end" == 3)
|
||||
-- assert(lineerror"\n\n for k,v in \n 3 \n do \n print(k) \n end" == 4)
|
||||
assert(lineerror"function a.x.y ()\na=a+1\nend" == 1)
|
||||
assert(lineerror("local a\n for i=1,'a' do \n print(i) \n end") == 2)
|
||||
-- assert(lineerror("\n local a \n for k,v in 3 \n do \n print(k) \n end") == 3)
|
||||
-- assert(lineerror("\n\n for k,v in \n 3 \n do \n print(k) \n end") == 4)
|
||||
assert(lineerror("function a.x.y ()\na=a+1\nend") == 1)
|
||||
|
||||
local p = [[
|
||||
function g() f() end
|
||||
|
|
|
@ -77,7 +77,7 @@ end
|
|||
|
||||
local function dosteps (siz)
|
||||
collectgarbage()
|
||||
collectgarbage"stop"
|
||||
collectgarbage("stop")
|
||||
local a = {}
|
||||
for i=1,100 do a[i] = {{}}; local b = {} end
|
||||
local x = gcinfo()
|
||||
|
@ -99,11 +99,11 @@ assert(dosteps(10000) == 1)
|
|||
do
|
||||
local x = gcinfo()
|
||||
collectgarbage()
|
||||
collectgarbage"stop"
|
||||
collectgarbage("stop")
|
||||
repeat
|
||||
local a = {}
|
||||
until gcinfo() > 1000
|
||||
collectgarbage"restart"
|
||||
collectgarbage("restart")
|
||||
repeat
|
||||
local a = {}
|
||||
until gcinfo() < 1000
|
||||
|
@ -123,7 +123,7 @@ for n in pairs(b) do
|
|||
end
|
||||
b = nil
|
||||
collectgarbage()
|
||||
for n in pairs(a) do error'cannot be here' end
|
||||
for n in pairs(a) do error("cannot be here") end
|
||||
for i=1,lim do a[i] = i end
|
||||
for i=1,lim do assert(a[i] == i) end
|
||||
|
||||
|
|
|
@ -368,9 +368,9 @@ assert(next(a,nil) == 1000 and next(a,1000) == nil)
|
|||
assert(next({}) == nil)
|
||||
assert(next({}, nil) == nil)
|
||||
|
||||
for a,b in pairs{} do error"not here" end
|
||||
for i=1,0 do error'not here' end
|
||||
for i=0,1,-1 do error'not here' end
|
||||
for a,b in pairs{} do error("not here") end
|
||||
for i=1,0 do error("not here") end
|
||||
for i=0,1,-1 do error("not here") end
|
||||
a = nil; for i=1,1 do assert(not a); a=1 end; assert(a)
|
||||
a = nil; for i=1,1,-1 do assert(not a); a=1 end; assert(a)
|
||||
|
||||
|
|
|
@ -144,4 +144,4 @@ coroutine.resume(co)
|
|||
resumeerror(co, "fail")
|
||||
checkresults({ true, false, "fail" }, coroutine.resume(co))
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -205,4 +205,4 @@ for p, c in string.gmatch(x, "()(" .. utf8.charpattern .. ")") do
|
|||
end
|
||||
end
|
||||
|
||||
return'OK'
|
||||
return 'OK'
|
||||
|
|
|
@ -1,6 +1,9 @@
|
|||
-- This file is part of the Luau programming language and is licensed under MIT License; see LICENSE.txt for details
|
||||
print('testing vectors')
|
||||
|
||||
-- detect vector size
|
||||
local vector_size = if pcall(function() return vector(0, 0, 0).w end) then 4 else 3
|
||||
|
||||
-- equality
|
||||
assert(vector(1, 2, 3) == vector(1, 2, 3))
|
||||
assert(vector(0, 1, 2) == vector(-0, 1, 2))
|
||||
|
@ -13,8 +16,14 @@ assert(not rawequal(vector(1, 2, 3), vector(1, 2, 4)))
|
|||
|
||||
-- type & tostring
|
||||
assert(type(vector(1, 2, 3)) == "vector")
|
||||
assert(tostring(vector(1, 2, 3)) == "1, 2, 3")
|
||||
assert(tostring(vector(-1, 2, 0.5)) == "-1, 2, 0.5")
|
||||
|
||||
if vector_size == 4 then
|
||||
assert(tostring(vector(1, 2, 3, 4)) == "1, 2, 3, 4")
|
||||
assert(tostring(vector(-1, 2, 0.5, 0)) == "-1, 2, 0.5, 0")
|
||||
else
|
||||
assert(tostring(vector(1, 2, 3)) == "1, 2, 3")
|
||||
assert(tostring(vector(-1, 2, 0.5)) == "-1, 2, 0.5")
|
||||
end
|
||||
|
||||
local t = {}
|
||||
|
||||
|
@ -42,12 +51,19 @@ assert(8 * vector(8, 16, 24) == vector(64, 128, 192));
|
|||
assert(vector(1, 2, 4) * '8' == vector(8, 16, 32));
|
||||
assert('8' * vector(8, 16, 24) == vector(64, 128, 192));
|
||||
|
||||
assert(vector(1, 2, 4) / vector(8, 16, 24) == vector(1/8, 2/16, 4/24));
|
||||
if vector_size == 4 then
|
||||
assert(vector(1, 2, 4, 8) / vector(8, 16, 24, 32) == vector(1/8, 2/16, 4/24, 8/32));
|
||||
assert(8 / vector(8, 16, 24, 32) == vector(1, 1/2, 1/3, 1/4));
|
||||
assert('8' / vector(8, 16, 24, 32) == vector(1, 1/2, 1/3, 1/4));
|
||||
else
|
||||
assert(vector(1, 2, 4) / vector(8, 16, 24, 1) == vector(1/8, 2/16, 4/24));
|
||||
assert(8 / vector(8, 16, 24) == vector(1, 1/2, 1/3));
|
||||
assert('8' / vector(8, 16, 24) == vector(1, 1/2, 1/3));
|
||||
end
|
||||
|
||||
assert(vector(1, 2, 4) / 8 == vector(1/8, 1/4, 1/2));
|
||||
assert(vector(1, 2, 4) / (1 / val) == vector(1/8, 2/8, 4/8));
|
||||
assert(8 / vector(8, 16, 24) == vector(1, 1/2, 1/3));
|
||||
assert(vector(1, 2, 4) / '8' == vector(1/8, 1/4, 1/2));
|
||||
assert('8' / vector(8, 16, 24) == vector(1, 1/2, 1/3));
|
||||
|
||||
assert(-vector(1, 2, 4) == vector(-1, -2, -4));
|
||||
|
||||
|
@ -71,4 +87,9 @@ assert(pcall(function() local t = {} rawset(t, vector(0/0, 2, 3), 1) end) == fal
|
|||
-- make sure we cover both builtin and C impl
|
||||
assert(vector(1, 2, 4) == vector("1", "2", "4"))
|
||||
|
||||
-- additional checks for 4-component vectors
|
||||
if vector_size == 4 then
|
||||
assert(vector(1, 2, 3, 4).w == 4)
|
||||
end
|
||||
|
||||
return 'OK'
|
||||
|
|
Loading…
Add table
Reference in a new issue