diff options
Diffstat (limited to 'deps/sol2/docs/source/api')
47 files changed, 3028 insertions, 0 deletions
diff --git a/deps/sol2/docs/source/api/api-top.rst b/deps/sol2/docs/source/api/api-top.rst new file mode 100644 index 0000000..257ea9c --- /dev/null +++ b/deps/sol2/docs/source/api/api-top.rst @@ -0,0 +1,57 @@ +api reference manual +==================== + +Browse the various function and classes :doc:`sol<../index>` utilizes to make your life easier when working with Lua. + + +.. toctree:: + :caption: sol API + :name: apitoc + :maxdepth: 2 + + state + this_state + lua_value + reference + stack_reference + make_reference + table + table_traversal_keys + userdata + environment + this_environment + proxy + as_container + nested + as_table + usertype + usertype_memory + unique_usertype_traits + tie + function + protected_function + coroutine + yielding + error + object + thread + optional + variadic_args + variadic_results + as_args + as_returns + overload + property + var + protect + policies + readonly + as_function + c_call + resolve + stack + user + compatibility + types + metatable_key + new_table diff --git a/deps/sol2/docs/source/api/as_args.rst b/deps/sol2/docs/source/api/as_args.rst new file mode 100644 index 0000000..36fe5c1 --- /dev/null +++ b/deps/sol2/docs/source/api/as_args.rst @@ -0,0 +1,25 @@ +as_args +======= +*turn an iterable argument into multiple arguments* + + +.. code-block:: cpp + + template <typename T> + struct as_args_t { ... }; + + template <typename T> + as_args_t<T> as_args( T&& ); + + +``sol::as_args`` is a function that that takes an iterable and turns it into multiple arguments to a function call. It forwards its arguments, and is meant to be used as shown below: + + +.. literalinclude:: ../../../examples/source/args_from_container.cpp + :caption: args_from_container.cpp + :name: args-from-container + :linenos: + +It is basically implemented as a `one-way customization point`_. For more information about customization points, see the :doc:`tutorial on how to customize sol to work with your types<../tutorial/customization>`. + +.. _one-way customization point: https://github.com/ThePhD/sol2/blob/develop/sol/as_args.hpp diff --git a/deps/sol2/docs/source/api/as_container.rst b/deps/sol2/docs/source/api/as_container.rst new file mode 100644 index 0000000..917cebb --- /dev/null +++ b/deps/sol2/docs/source/api/as_container.rst @@ -0,0 +1,23 @@ +as_container +============ +*force a type to be viewed as a container-type when serialized to Lua* + +.. code-block:: cpp + + template <typename T> + struct as_returns_t { ... }; + + template <typename T> + as_returns_t<T> as_returns( T&& ); + + +Sometimes, you have a type whose metatable you claim with a usertype metatable via :doc:`usertype semantics<usertype>`. But, it still has parts of it that make it behave like a container in C++: A ``value_type`` typedef, an ``iterator`` typedef, a ``begin``, an ``end``, and other things that satisfy the `Container requirements`_ or the `Sequence Container requirements`_ or behaves like a `forward_list`_. + +Whatever the case is, you need it to be returned to Lua and have many of the traits and functionality described in the :doc:`containers documentation<../containers>`. Wrap a return type or a setter in ``sol::as_container( value );`` to allow for a type to be treated like a container, regardless of whether ``sol::is_container`` triggers or not. + +See `this container example`_ to see how it works. + +.. _this container example: https://github.com/ThePhD/sol2/blob/develop/examples/source/container_usertype_as_container.cpp +.. _Container requirements: http://en.cppreference.com/w/cpp/concept/Container +.. _Sequence Container requirements: http://en.cppreference.com/w/cpp/concept/SequenceContainer +.. _forward_list: http://en.cppreference.com/w/cpp/container/forward_list diff --git a/deps/sol2/docs/source/api/as_function.rst b/deps/sol2/docs/source/api/as_function.rst new file mode 100644 index 0000000..65cff85 --- /dev/null +++ b/deps/sol2/docs/source/api/as_function.rst @@ -0,0 +1,24 @@ +as_function +=========== +*make sure an object is pushed as a function* + + +.. code-block:: cpp + + template <typename Sig = sol::function_sig<>, typename... Args> + function_argumants<Sig, Args...> as_function ( Args&& ... ); + +This function serves the purpose of ensuring that a callable struct (like a lambda) can be passed to the ``set( key, value )`` calls on :ref:`sol::table<set-value>` and be treated like a function binding instead of a userdata. It is recommended that one uses the :ref:`sol::table::set_function<set-function>` call instead, but if for some reason one must use ``set``, then ``as_function`` can help ensure a callable struct is handled like a lambda / callable, and not as just a userdata structure. + +This class can also make it so usertypes bind variable types as functions to for usertype bindings. + +.. literalinclude:: ../../../examples/source/docs/as_function.cpp + :linenos: + + +Note that if you actually want a userdata, but you want it to be callable, you simply need to create a :ref:`sol::table::new_usertype<new-usertype>` and then bind the ``"__call"`` metamethod (or just use ``sol::meta_function::call`` :ref:`enumeration<meta_function_enum>`). This may or may not be done automatically for you, depending on whether or not the call operator is overloaded and such. + +Here's an example of binding a variable as a function to a usertype: + +.. literalinclude:: ../../../examples/source/docs/as_function_usertype_member_variable.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/as_returns.rst b/deps/sol2/docs/source/api/as_returns.rst new file mode 100644 index 0000000..66cb394 --- /dev/null +++ b/deps/sol2/docs/source/api/as_returns.rst @@ -0,0 +1,19 @@ +as_returns +========== +*turn an iterable argument into a multiple-return type* + + +.. code-block:: cpp + + template <typename T> + struct as_returns_t { ... }; + + template <typename T> + as_returns_t<T> as_returns( T&& ); + + +This allows you to wrap up a source that has ``begin`` and ``end`` iterator-returning functions on it and return it as multiple results into Lua. To have more control over the returns, use :doc:`sol::variadic_results<variadic_results>`. + + +.. literalinclude:: ../../../examples/source/as_returns.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/as_table.rst b/deps/sol2/docs/source/api/as_table.rst new file mode 100644 index 0000000..28c0636 --- /dev/null +++ b/deps/sol2/docs/source/api/as_table.rst @@ -0,0 +1,33 @@ +as_table +=========== +*make sure an object is pushed as a table* + + +.. code-block:: cpp + + template <typename T> + as_table_t { + T& value() &; + const T& value() & const; + T&& value() &&; + }; + + template <typename T> + as_table_t<T> as_function ( T&& container ); + +This function serves the purpose of ensuring that an object is pushed -- if possible -- like a table into Lua. The container passed here can be a pointer, a reference, a ``std::reference_wrapper`` around a container, or just a plain container value. It must have a begin/end function, and if it has a ``std::pair<Key, Value>`` as its ``value_type``, it will be pushed as a dictionary. Otherwise, it's pushed as a sequence. + +.. literalinclude:: ../../../examples/source/docs/as_table_ipairs.cpp + :linenos: + +Note that any caveats with Lua tables apply the moment it is serialized, and the data cannot be gotten out back out in C++ as a C++ type. You can deserialize the Lua table into something explicitly using the ``sol::as_table_t`` marker for your get and conversion operations using sol. At that point, the returned type is deserialized **from** a table, meaning you cannot reference any kind of C++ data directly as you do with regular userdata/usertypes. *All C++ type information is lost upon serialization into Lua.* + +If you need this functionality with a member variable, use a :doc:`property on a getter function<property>` that returns the result of ``sol::as_table``. + +This marker does NOT apply to :doc:`usertypes<usertype>`. + +You can also use this to nest types and retrieve tables within tables as shown by this example. + +.. literalinclude:: ../../../examples/source/containers_as_table.cpp + :linenos: + :lines: 1-8,31-60,62-68,70- diff --git a/deps/sol2/docs/source/api/c_call.rst b/deps/sol2/docs/source/api/c_call.rst new file mode 100644 index 0000000..505a8c3 --- /dev/null +++ b/deps/sol2/docs/source/api/c_call.rst @@ -0,0 +1,29 @@ +c_call +====== +*templated type to transport functions through templates* + + +.. code-block:: cpp + + template <typename Function, Function f> + int c_call (lua_State* L); + + template <typename... Functions> + int c_call (lua_State* L); + +The goal of ``sol::c_call<...>`` is to provide a way to wrap a function and transport it through a compile-time context. This enables faster speed at the cost of a much harder to read / poorer interface, and can alleviate some template compilation speed issues. ``sol::c_call`` expects a type for its first template argument, and a value of the previously provided type for the second template argument. To make a compile-time transported overloaded function, specify multiple functions in the same ``type, value`` pairing, but put it inside of a ``sol::wrap``. + +.. note:: + + This can also be placed into the argument list for a :doc:`usertype<usertype>` as well. + +This pushes a raw ``lua_CFunction`` into whatever you pass the resulting ``c_call`` function pointer into, whether it be a table or a userdata or whatever else using sol3's API. The resulting ``lua_CFunction`` can also be used directly with the lua API, just like many of sol3's types can be intermingled with Lua's API if you know what you're doing. + +It is advisable for the user to consider making a macro to do the necessary ``decltype( &function_name, ), function_name``. sol does not provide one because many codebases already have `one similar to this`_. + +Here's an example below of various ways to use ``sol::c_call``: + +.. literalinclude:: ../../../examples/source/c_call.cpp + :linenos: + +.. _one similar to this: http://stackoverflow.com/a/5628222/5280922 diff --git a/deps/sol2/docs/source/api/compatibility.rst b/deps/sol2/docs/source/api/compatibility.rst new file mode 100644 index 0000000..fed4363 --- /dev/null +++ b/deps/sol2/docs/source/api/compatibility.rst @@ -0,0 +1,16 @@ +compatibility.hpp +================= +*Lua 5.3/5.2 compatibility for Lua 5.1/LuaJIT* + + +This is a detail header used to maintain compatability with the 5.2 and 5.3+ APIs. It contains code from the MIT-Licensed `Lua code`_ in some places and also from the `lua-compat`_ repository by KeplerProject. + +It is not fully documented as this header's only purpose is for internal use to make sure sol compiles across all platforms / distributions with no errors or missing Lua functionality. If you think there's some compatibility features we are missing or if you are running into redefinition errors, please make an `issue in the issue tracker`_. + +If you have this already in your project or you have your own compatibility layer, then please ``#define SOL_NO_COMPAT 1`` before including ``sol.hpp`` or pass this flag on the command line to turn off the compatibility wrapper. + +For the licenses, see :doc:`here<../licenses>` + +.. _issue in the issue tracker: https://github.com/ThePhD/sol2/issues/ +.. _Lua code: http://www.Lua.org/ +.. _lua-compat: https://github.com/keplerproject/lua-compat-5.3
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/coroutine.rst b/deps/sol2/docs/source/api/coroutine.rst new file mode 100644 index 0000000..f64d715 --- /dev/null +++ b/deps/sol2/docs/source/api/coroutine.rst @@ -0,0 +1,92 @@ +coroutine +========= +*resumable/yielding functions from Lua* + + +A ``coroutine`` is a :doc:`reference<reference>` to a function in Lua that can be called multiple times to yield a specific result. It is a cooperative function. It is run on the :doc:`lua_State<state>` that was used to create it (see :doc:`thread<thread>` for an example on how to get a coroutine that runs on a stack space separate from your usual "main" stack space :doc:`lua_State<state>`). + +The ``coroutine`` object is entirely similar to the :doc:`protected_function<protected_function>` object, with additional member functions to check if a coroutine has yielded (:doc:`call_status::yielded<types>`) and is thus runnable again, whether it has completed (:ref:`call_status::ok<call-status>`) and thus cannot yield anymore values, or whether it has suffered an error (see :ref:`status()<thread-status>`'s and :ref:`call_status<call-status>`'s error codes). + +For example, you can work with a coroutine like this: + +.. literalinclude:: ../../../examples/source/docs/coroutine_main.cpp + :caption: co.lua + :name: co-lua + :lines: 8-15 + :linenos: + +This is a function that yields. We set the ``counter`` value in C++, and then use the coroutine to get a few values: + +.. literalinclude:: ../../../examples/source/docs/coroutine_main.cpp + :caption: coroutine_main.cpp + :name: coroutine_main + :lines: 1-6,18-19,21,25- + :linenos: + +Note that this code doesn't check for errors: to do so, you can call the function and assign it as ``auto result = loop_coroutine();``, then check ``result.valid()`` as is the case with :doc:`protected_function<protected_function>`. + +Finally, you can run this coroutine on another stack space (NOT a different computer thread: Lua uses the term 'thread' a bit strangely, as we follow its usage of the term, but it is NOT a separate thread) by doing the following: + +.. literalinclude:: ../../../examples/source/docs/coroutine_thread.cpp + :caption: coroutine_thread.cpp + :name: yield-main-thread + :lines: 1-6,18-19,21,25- + :linenos: + + + +The following are the members of ``sol::coroutine``: + +members +------- + +.. code-block:: cpp + :caption: function: constructor + :name: sol-coroutine-constructor + + coroutine(lua_State* L, int index = -1); + +Grabs the coroutine at the specified index given a ``lua_State*``. + +.. code-block:: cpp + :caption: returning the coroutine's status + :name: sol-coroutine-status + + call_status status() const noexcept; + +Returns the status of a coroutine. + + +.. code-block:: cpp + :caption: checks for an error + :name: sol-coroutine-error + + bool error() const noexcept; + +Checks if an error occured when the coroutine was run. + +.. _runnable: + +.. code-block:: cpp + :caption: runnable and explicit operator bool + :name: sol-coroutine-runnable + + bool runnable () const noexcept; + explicit operator bool() const noexcept; + +These functions allow you to check if a coroutine can still be called (has more values to yield and has not errored). If you have a coroutine object ``coroutine my_co = /*...*/``, you can either check ``runnable()`` or do ``if ( my_co ) { /* use coroutine */ }``. + +.. code-block:: cpp + :caption: calling a coroutine + :name: sol-coroutine-operator-call + + template<typename... Args> + protected_function_result operator()( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) call( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) operator()( types<Ret...>, Args&&... args ); + +Calls the coroutine. The second ``operator()`` lets you specify the templated return types using the ``my_co(sol::types<int, std::string>, ...)`` syntax. Check ``status()`` afterwards for more information about the success of the run or just check the coroutine object in an ifs tatement, as shown :ref:`above<runnable>`. diff --git a/deps/sol2/docs/source/api/environment.rst b/deps/sol2/docs/source/api/environment.rst new file mode 100644 index 0000000..712fb40 --- /dev/null +++ b/deps/sol2/docs/source/api/environment.rst @@ -0,0 +1,83 @@ +environment +=========== +*encapsulation table for script sandboxing* + + +.. code-block:: cpp + :caption: environment + :name: sol-environment + + class environment : public table; + + template <typename T> + void set_environment( const environment& env, const T& target ); + template <typename E = reference, typename T> + basic_environment<E> get_environment( const T& target ); + + +This type is passed to :ref:`sol::state(_view)::script/do_x<state-script-function>` to provide an environment where local variables that are set and get retrieve. It is just a plain table, and all the same operations :doc:`from table still apply<table>`. This is important because it allows you to do things like set the table's metatable (using :doc:`sol::metatable_key<metatable_key>` for instance) and having its ``__index`` entry point to the global table, meaning you can get -- but not set -- variables from a Global environment, for example. + +There are many more uses, including storing state or special dependent variables in an environment that you pre-create using regular table opertions, and then changing at-will: + +.. literalinclude:: ../../../examples/source/docs/preparing_environments.cpp + :linenos: + +Also note that ``sol::environment`` derives from ``sol::table``, which also derives from ``sol::reference``: in other words, copying one ``sol::environment`` value to another ``sol::environment`` value **does not** deep-copy the table, just creates a new reference pointing to the same lua object. + +``sol::environment`` objects can be used with `script calls`_, and it can also be `set on functions`_. It can even be applied to :doc:`threads<thread>`. + +You can set the environment using ``sol::set_environment( my_env, some_reference );`` or ``my_env.set_on( some_reference );``. + +free functions +-------------- + +.. code-block:: cpp + :caption: function: set_environment + :name: sol-environment-set_environment + + template <typename T> + void set_environment( const environment& env, const T& target ); + +See :ref:`environment::set_on<sol-environment-set_on>`. + + +.. code-block:: cpp + :caption: function: get_environment + :name: sol-environment-get_environment + + template <typename E = reference, typename T> + basic_environment<E> get_environment( const T& target ); + +This function retrieves the environment from the target object. If it does not have a valid environment, then the environment's valid function will return false after creation. Every function (regular Lua function, executable script, and similar) has an environment, as well as userdata in certain versions of the Lua runtime. + + +members +------- + +.. code-block:: cpp + :caption: constructor: environment + :name: sol-environment-constructor + + environment(lua_State* L, sol::new_table nt); + environment(lua_State* L, sol::new_table nt, const sol::reference& fallback); + environment(sol::env_key_t, const sol::reference& object_that_has_environment); + environment(sol::env_key_t, const sol::stack_reference& object_that_has_environment); + +The ones from table are used here (of particular note is the ability to use ``sol::environment(my_lua_state, sol::create);`` to make a fresh, unnamed environment), plus the three unique constructors shown above. + +The first constructor is generally used as ``sol::environment my_env(my_lua_state, sol::create, my_fallback_table);``. The fallback table serves as the backup to lookup attempts on the environment table being created. It is achieved by simply creating a metatable for the ``sol::environment`` being created, and then doing ``env_metatable["__index"] = fallback;``. You can achieve fancier effects by changing the metatable of the environment to your liking, by creating it in some fashion and then setting the metatable explicitly and populating it with data, particularly with :doc:`sol::metatable_key<metatable_key>`. + +The second and third unique constructors take a special empty type that serves as a key to trigger this constructor and serves no other purpose, ``sol::env_key_t``. The shortcut value so you don't have to create one is called ``sol::env_key``. It is used like ``sol::environment my_env(sol::env_key, some_object);``. It will extract the environment out of whatever the second argument is that may or may not have an environment. If it does not have an environment, the constructor will complete but the object will have ``env.valid() == false``, since it will reference Lua's ``nil``. + + +.. code-block:: cpp + :caption: function: set_on + :name: sol-environment-set_on + + template <typename T> + void set_on(const T& target); + +This function applies the environment to the desired target. Not that lua 5.1 only tolerates the application of environments to userdata, threads and functions, while 5.2+ has different (more relaxed) rules. It is called by the free function ``sol::set_environment( env, target );``. + +.. _script calls: https://github.com/ThePhD/sol2/blob/develop/examples/source/environments.cpp +.. _set on functions: https://github.com/ThePhD/sol2/blob/develop/examples/source/environments_on_functions.cpp diff --git a/deps/sol2/docs/source/api/error.rst b/deps/sol2/docs/source/api/error.rst new file mode 100644 index 0000000..0548648 --- /dev/null +++ b/deps/sol2/docs/source/api/error.rst @@ -0,0 +1,21 @@ +error +===== +*the single error/exception type* + + +.. code-block:: cpp + + class error : public std::runtime_error { + public: + error(const std::string& str): std::runtime_error("lua: error: " + str) {} + }; + + +.. note:: + + Please do not throw this error type yourself. It belongs to the library and we do some information appending at the front. + + +If an eror is thrown by sol, it is going to be of this type. We use this in a single place: the default ``at_panic`` function we bind on construction of a :ref:`sol::state<set-panic>`. If you turn :doc:`off exceptions<../exceptions>`, the chances of you seeing this error are nil unless you specifically use it to pull errors out of things such as :doc:`sol::protected_function<protected_function>`. + +As it derives from ``std::runtime_error``, which derives from ``std::exception``, you can catch it with a ``catch (const std::exception& )`` clause in your try/catch blocks. You can retrieve a string error from Lua (Lua pushes all its errors as string returns) by using this type with any of the get or lookup functions in sol. diff --git a/deps/sol2/docs/source/api/function.rst b/deps/sol2/docs/source/api/function.rst new file mode 100644 index 0000000..5f25891 --- /dev/null +++ b/deps/sol2/docs/source/api/function.rst @@ -0,0 +1,74 @@ +function +======== +*calling functions bound to Lua* + + +.. note:: + + This abstraction assumes the function runs safely. If you expect your code to have errors (e.g., you don't always have explicit control over it or are trying to debug errors), please use :doc:`sol::protected_function<protected_function>` explicitly. You can also make ``sol::function`` default to ``sol::protected_function`` by turning on :ref:`the safety features<config>`. + +.. code-block:: cpp + + class unsafe_function : public reference; + typedef unsafe_function function; + +Function is a correct-assuming version of :doc:`protected_function<protected_function>`, omitting the need for typechecks and error handling (thus marginally increasing speed in some cases). It is the default function type of sol. Grab a function directly off the stack using the constructor: + +.. code-block:: cpp + :caption: constructor: unsafe_function + :name: sol-function-constructor + + unsafe_function(lua_State* L, int index = -1); + + +Calls the constructor and creates this type, straight from the stack. For example: + +.. literalinclude:: ../../../examples/source/tie.cpp + :caption: funcs.lua + :name: function-eg-tie-lua + :lines: 9-13 + :linenos: + +The following C++ code will call this function from this file and retrieve the return value: + +.. literalinclude:: ../../../examples/source/tie.cpp + :caption: tie.cpp + :name: function-eg-tie-0 + :lines: 1-7,16-22 + :linenos: + +The call ``woof(20)`` generates a :ref:`unsafe_function_result<unsafe-function-result>`, which is then implicitly converted to an ``double`` after being called. The intermediate temporary ``function_result`` is then destructed, popping the Lua function call results off the Lua stack. + +You can also return multiple values by using ``std::tuple``, or if you need to bind them to pre-existing variables use ``sol::tie``: + +.. literalinclude:: ../../../examples/source/tie.cpp + :caption: tie.cpp + :name: function-eg-tie-1 + :lines: 24- + :linenos: + +This makes it much easier to work with multiple return values. Using ``std::tie`` from the C++ standard will result in dangling references or bad behavior because of the very poor way in which C++ tuples/``std::tie`` were specified and implemented: please use ``sol::tie( ... )`` instead to satisfy any multi-return needs. + +.. _function-result-warning: + +.. warning:: + + Do NOT save the return type of a :ref:`unsafe_function_result<unsafe-function-result>` (``function_result`` when :ref:`safety configurations are not turned on<config>`) with ``auto``, as in ``auto numwoof = woof(20);``, and do NOT store it anywhere. Unlike its counterpart :ref:`protected_function_result<protected-function-result>`, ``function_result`` is NOT safe to store as it assumes that its return types are still at the top of the stack and when its destructor is called will pop the number of results the function was supposed to return off the top of the stack. If you mess with the Lua stack between saving ``function_result`` and it being destructed, you will be subject to an incredible number of surprising and hard-to-track bugs. Don't do it. + +.. code-block:: cpp + :caption: function: call operator / function call + :name: sol-function-operator-call + + template<typename... Args> + unsafe_function_result operator()( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) call( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) operator()( types<Ret...>, Args&&... args ); + +Calls the function. The second ``operator()`` lets you specify the templated return types using the ``my_func(sol::types<int, std::string>, ...)`` syntax. Function assumes there are no runtime errors, and thusly will call the ``atpanic`` function if a detectable error does occur, and otherwise can return garbage / bogus values if the user is not careful. + + +To know more about how function arguments are handled, see :ref:`this note<function-argument-handling>` diff --git a/deps/sol2/docs/source/api/lua_value.rst b/deps/sol2/docs/source/api/lua_value.rst new file mode 100644 index 0000000..325546c --- /dev/null +++ b/deps/sol2/docs/source/api/lua_value.rst @@ -0,0 +1,16 @@ +lua_value
+=========
+*easy creation of Lua values and tables at the cost of some safety and speed*
+
+.. code-block:: cpp
+
+ struct lua_value;
+ struct array_value;
+
+
+The goal of these types is to make it easy to describe tables and arrays in C++ code. It works by using a thread local ``lua_State*`` variable inside the class so that one can simply pass values. The thread local variable is initialized by creation of a `sol::state`, but can also `be done manually<state-automatic-handlers>` with ``sol::set_default_state``. An example of usage is below:
+
+.. literalinclude:: ../../../examples/source/lua_value.cpp
+ :caption: lua_value.cpp
+ :name: lua-value-example
+ :linenos:
diff --git a/deps/sol2/docs/source/api/make_reference.rst b/deps/sol2/docs/source/api/make_reference.rst new file mode 100644 index 0000000..a127333 --- /dev/null +++ b/deps/sol2/docs/source/api/make_reference.rst @@ -0,0 +1,26 @@ +make_object/make_reference +========================== +*create a value in the lua registry / on the Lua stack and return it* + + +.. code-block:: cpp + :caption: function: make_reference + :name: make-reference + + template <typename R = reference, bool should_pop = (R is not base of sol::stack_index), typename T> + R make_reference(lua_State* L, T&& value); + template <typename T, typename R = reference, bool should_pop = (R is base of sol::stack_index), typename... Args> + R make_reference(lua_State* L, Args&&... args); + +Makes an ``R`` out of the value. The first overload deduces the type from the passed in argument, the second allows you to specify a template parameter and forward any relevant arguments to ``sol::stack::push``. The type figured out for ``R`` is what is referenced from the stack. This allows you to request arbitrary pop-able types from sol and have it constructed from ``R(lua_State* L, int stack_index)``. If the template boolean ``should_pop`` is ``true``, the value that was pushed will be popped off the stack. It defaults to popping, but if it encounters a type such as :doc:`sol::stack_reference<stack_reference>` (or any of its typically derived types in sol), it will leave the pushed values on the stack. + +.. code-block:: cpp + :caption: function: make_object + :name: make-object + + template <typename T> + object make_object(lua_State* L, T&& value); + template <typename T, typename... Args> + object make_object(lua_State* L, Args&&... args); + +Makes an object out of the value. It pushes it onto the stack, then pops it into the returned ``sol::object``. The first overload deduces the type from the passed in argument, the second allows you to specify a template parameter and forward any relevant arguments to ``sol::stack::push``. The implementation essentially defers to :ref:`sol::make_reference<make-reference>` with the specified arguments, ``R == object`` and ``should_pop == true``. It is preferred that one uses the :ref:`in_place object constructor instead<overloaded-object-constructor>`, since it's probably easier to deal with, but both versions will be supported for forever, since there's really no reason not to and people already have dependencies on ``sol::make_object``. diff --git a/deps/sol2/docs/source/api/metatable_key.rst b/deps/sol2/docs/source/api/metatable_key.rst new file mode 100644 index 0000000..7eeff47 --- /dev/null +++ b/deps/sol2/docs/source/api/metatable_key.rst @@ -0,0 +1,16 @@ +metatable_key
+=============
+*a key for setting and getting an object's metatable*
+
+
+.. code-block:: cpp
+
+ struct metatable_key_t {};
+ const metatable_key_t metatable_key;
+
+You can use this in conjunction with :doc:`sol::table<table>` to set/get a metatable. Lua metatables are powerful ways to override default behavior of objects for various kinds of operators, among other things. Here is an entirely complete example, showing getting and working with a :doc:`usertype<usertype>`'s metatable defined by sol:
+
+.. literalinclude:: ../../../examples/source/metatable_key_low_level.cpp
+ :caption: messing with metatables
+ :name: sol-metatable_key-eg
+ :linenos:
diff --git a/deps/sol2/docs/source/api/nested.rst b/deps/sol2/docs/source/api/nested.rst new file mode 100644 index 0000000..5d7fa87 --- /dev/null +++ b/deps/sol2/docs/source/api/nested.rst @@ -0,0 +1,23 @@ +nested +====== + + +.. code-block:: cpp + + template <typename T> + struct nested { + T& value() &; + const T& value() & const; + T&& value() &&; + }; + + +``sol::nested<...>`` is a template class similar to :doc:`sol::as_table<as_table>`, but with the caveat that every :doc:`container type<../containers>` within the ``sol::nested`` type will be retrieved as a table from lua. This is helpful when you need to receive C++-style vectors, lists, and maps nested within each other: all of them will be deserialized from lua using table properties rather than anything else. + +Note that any caveats with Lua tables apply the moment it is serialized, and the data cannot be gotten out back out in C++ as a C++ type. You can deserialize the Lua table into something explicitly using the ``sol::as_table_t`` marker for your get and conversion operations using sol. At that point, the returned type is deserialized **from** a table, meaning you cannot reference any kind of C++ data directly as you do with regular userdata/usertypes. *All C++ type information is lost upon serialization into Lua.* + +The example provides a very in-depth look at both ``sol::as_table<T>`` and ``sol::nested<T>``, and how the two are equivalent. + +.. literalinclude:: ../../../examples/source/containers_as_table.cpp + :linenos: + :lines: 1-30,56-61,63-68,70- diff --git a/deps/sol2/docs/source/api/new_table.rst b/deps/sol2/docs/source/api/new_table.rst new file mode 100644 index 0000000..427a12b --- /dev/null +++ b/deps/sol2/docs/source/api/new_table.rst @@ -0,0 +1,23 @@ +new_table +========= +*a table creation hint to environment/table* + + +.. code-block:: cpp + + struct new_table; + + constexpr const new_table create = new_table{}; + +``sol::new_table`` serves the purpose of letting you create tables using the constructor of :doc:`sol::table<table>` and :doc:`sol::environment<environment>`. It also disambiguates the other kinds of constructors, so is **necessary** to be specified. Leaving it off will result in the wrong constructor to be called, for either ``sol::table`` or ``sol::environment``. + +members +------- + +.. code-block:: cpp + :caption: constructor: new_table + :name: sol-new_table-constructor + + new_table(int sequence_hint = 0, int map_hint = 0); + +The constructor's sole purpose is to either let you default-constructor the type, in which case it uses the values of "0" for its two hints, or letting you specify either ``sequence_hint`` or both the ``sequence_hint`` and ``map_hint``. Each hint is a heuristic helper for Lua to allocate an appropriately sized and structured table for what you intend to do. In 99% of cases, you will most likely not care about it and thusly will just use the constant ``sol::create`` as the second argument to object-creators like ``sol::table``'s constructor.
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/object.rst b/deps/sol2/docs/source/api/object.rst new file mode 100644 index 0000000..8f3765d --- /dev/null +++ b/deps/sol2/docs/source/api/object.rst @@ -0,0 +1,68 @@ +object +====== +*general-purpose safety reference to an existing object* + + +.. code-block:: cpp + + class object : reference; + + +``object``'s goal is to allow someone to pass around the most generic form of a reference to something in Lua (or propogate a ``nil``). It is the logical extension of :doc:`sol::reference<reference>`, and is used in :ref:`sol::table's iterators<table-iterators>`. + + +members +------- + +.. code-block:: cpp + :caption: overloaded constructor: object + :name: overloaded-object-constructor + + template <typename T> + object(T&&); + object(lua_State* L, int index = -1); + template <typename T, typename... Args> + object(lua_State* L, in_place_t, T&& arg, Args&&... args); + template <typename T, typename... Args> + object(lua_State* L, in_place_type_t<T>, Args&&... args); + +There are 4 kinds of constructors here. One allows construction of an object from other reference types such as :doc:`sol::table<table>` and :doc:`sol::stack_reference<stack_reference>`. The second creates an object which references the specific element at the given index in the specified ``lua_State*``. The more advanced ``in_place...`` constructors create a single object by pushing the specified type ``T`` onto the stack and then setting it as the object. It gets popped from the stack afterwards (unless this is an instance of ``sol::stack_object``, in which case it is left on the stack). An example of using this and :doc:`sol::make_object<make_reference>` can be found in the `any_return example`_. + +.. code-block:: cpp + :caption: function: type conversion + + template<typename T> + decltype(auto) as() const; + +Performs a cast of the item this reference refers to into the type ``T`` and returns it. It obeys the same rules as :ref:`sol::stack::get\<T><stack-get>`. + +.. code-block:: cpp + :caption: function: type check + + template<typename T> + bool is() const; + +Performs a type check using the :ref:`sol::stack::check<stack-check>` api, after checking if the internally stored reference is valid. + + +non-members +----------- + +.. code-block:: cpp + :caption: functions: nil comparators + + bool operator==(const object& lhs, const nil_t&); + bool operator==(const nil_t&, const object& rhs); + bool operator!=(const object& lhs, const nil_t&); + bool operator!=(const nil_t&, const object& rhs); + +These allow a person to compare an ``sol::object`` against :ref:`nil<nil>`, which essentially checks if an object references a non-nil value, like so: + +.. code-block:: cpp + + if (myobj == sol::lua_nil) { + // doesn't have anything... + } + + +.. _any_return example: https://github.com/ThePhD/sol2/blob/develop/examples/source/any_return.cpp diff --git a/deps/sol2/docs/source/api/optional.rst b/deps/sol2/docs/source/api/optional.rst new file mode 100644 index 0000000..50fffda --- /dev/null +++ b/deps/sol2/docs/source/api/optional.rst @@ -0,0 +1,9 @@ +optional<T> +=========== + +This is an implemention of `optional from the standard library`_. If it detects that a proper optional exists, it will attempt to use it. This is mostly an implementation detail, used in the :ref:`sol::stack::check_get<stack-check-get>` and :ref:`sol::stack::get\<optional\<T>><stack-get>` and ``sol::optional<T> maybe_value = table["arf"];`` implementations for additional safety reasons. + +See `this example here`_ for a demonstration on how to use it and other features! + +.. _optional from the standard library: http://en.cppreference.com/w/cpp/utility/optional +.. _this example here: https://github.com/ThePhD/sol2/blob/develop/examples/source/optional_with_iteration.cpp diff --git a/deps/sol2/docs/source/api/overload.rst b/deps/sol2/docs/source/api/overload.rst new file mode 100644 index 0000000..e53b0f2 --- /dev/null +++ b/deps/sol2/docs/source/api/overload.rst @@ -0,0 +1,62 @@ +overload +======== +*calling different functions based on argument number/type* + + +.. code-block:: cpp + :caption: function: create overloaded set + :linenos: + + template <typename... Args> + struct overloaded_set : std::tuple<Args...> { /* ... */ }; + + template <typename... Args> + overloaded_set<Args...> overload( Args&&... args ); + +The actual class produced by ``sol::overload`` is essentially a type-wrapper around ``std::tuple`` that signals to the library that an overload is being created. The function helps users make overloaded functions that can be called from Lua using 1 name but multiple arguments. It is meant to replace the spaghetti of code where users mock this up by doing strange if statements and switches on what version of a function to call based on `luaL_check{number/udata/string}`_. + +.. note:: + + Please note that default parameters in a function (e.g., ``int func(int a = 20)``) do not exist beyond C++'s compile-time fun. When that function gets bound or serialized into Lua's framework, it is bound as a function taking 1 argument, not 2 functions taking either 0 or 1 argument. If you want to achieve the same effect, then you need to use overloading and explicitly call the version of the function you want. There is no magic in C++ that allows me to retrieve default parameters and set this up automatically. + +.. note:: + + Overload resolution can be affected by configuration defines in the :doc:`safety pages<../safety>`. For example, it is impossible to differentiate between integers (uint8_t, in32_t, etc.) versus floating-point types (float, double, half) when ``SOL_SAFE_NUMERICS`` is not turned on. + +Its use is simple: wherever you can pass a function type to Lua, whether its on a :doc:`usertype<usertype>` or if you are just setting any kind of function with ``set`` or ``set_function`` (for :doc:`table<table>` or :doc:`state(_view)<state>`), simply wrap up the functions you wish to be considered for overload resolution on one function like so: + +.. code-block:: cpp + + sol::overload( func1, func2, ... funcN ); + + +The functions can be any kind of function / function object (lambda). Given these functions and struct: + +.. literalinclude:: ../../../examples/source/overloading_with_members.cpp + :linenos: + :lines: 1-27 + +You then use it just like you would for any other part of the api: + +.. literalinclude:: ../../../examples/source/overloading_with_members.cpp + :linenos: + :lines: 29-45 + +Doing the following in Lua will call the specific overloads chosen, and their associated functions: + +.. literalinclude:: ../../../examples/source/overloading_with_members.cpp + :linenos: + :lines: 47- + +.. note:: + + Overloading is done on a first-come, first-serve system. This means if two overloads are compatible, workable overloads, it will choose the first one in the list. + +Note that because of this system, you can use :doc:`sol::variadic_args<variadic_args>` to make a function that serves as a "fallback". Be sure that it is the last specified function in the listed functions for ``sol::overload( ... )``. `This example shows how`_. + +.. note:: + + Please keep in mind that doing this bears a runtime cost to find the proper overload. The cost scales directly not exactly with the number of overloads, but the number of functions that have the same argument count as each other (sol will early-eliminate any functions that do not match the argument count). + +.. _luaL_check{number/udata/string}: http://www.Lua.org/manual/5.3/manual.html#luaL_checkinteger +.. _This example shows how: https://github.com/ThePhD/sol2/blob/develop/examples/source/overloading_with_fallback.cpp diff --git a/deps/sol2/docs/source/api/policies.rst b/deps/sol2/docs/source/api/policies.rst new file mode 100644 index 0000000..c6d127d --- /dev/null +++ b/deps/sol2/docs/source/api/policies.rst @@ -0,0 +1,35 @@ +policies +======== +*stack modification right before lua call returns* + +``sol::policies`` is an advanced, low-level modification feature allowing you to take advantage of sol3's abstractions before applying your own stack-based modifications at the last moment. They cover the same functionality as `luabind's "return reference to" and "dependency"`_ types. A few pre-rolled policies are defined for your use: + ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| policy | usage | modification | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| ``sol::returns_self`` | ``sol::policies( some_function, sol::returns_self() )`` | - takes the argument at stack index 1 (``self`` in member function calls and lambdas that take a specific userdata first) and makes that to be the return value | +| | | - rather than creating a new userdata that references the same C++ memory, it copies the userdata, similar to writing ``obj2 = obj1`` just increases the reference count | +| | | - saves memory space on top of keeping original memory alive | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| ``sol::returns_self_with<int...>`` | ``sol::policies( some_function, sol::returns_self_with<2, 3>() )`` | - same as above, with the caveat that the ``self`` is returned while also putting dependencies into the ``self`` | +| | | - can keep external dependencies alive | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| ``sol::self_dependency`` | ``sol::policies( some_function, sol::self_dependency() );`` | - this makes the value returned by the bindable take a dependency on the ``self`` argument | +| | | - useful for returning a reference to a member variable and keeping the parent class of that member variable alive | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| ``sol::stack_dependencies`` | ``sol::policies( some_function, sol::stack_dependencies( target_index, 2, 1, ... ) );`` | - whatever is at ``target_index`` on the stack is given a special "keep alive" table with the elements on the stack specified by the integer indices after ``target_index`` | +| | | - allows you to keep arguments and other things alive for the duration of the existence of the class | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| custom | ``sol::policies( some_function, [](lua_State* L, int current_stack_return_count) -> int { ... } )``| - whatever you want, so long as it has the form ``int (lua_State*, int )`` | +| | | - works with callables (such as lambdas), so long as it has the correct form | +| | | - expected to return the number of things on the stack to return to Lua | ++------------------------------------+----------------------------------------------------------------------------------------------------+-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ +| - "some_function" can be any callable function, member variable, or similar | +| - dependency additions only work on userdata | +| | +| - works with ``table::set( ... )``, ``table::set_function( ... );``, and on all usertype bindings | ++-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ + +You can specify multiple policies on the same ``sol::policies`` call, and can also specify custom policies as long as the signature is correct. + +.. _luabind's "return reference to" and "dependency": http://www.rasterbar.com/products/luabind/docs.html#dependency diff --git a/deps/sol2/docs/source/api/property.rst b/deps/sol2/docs/source/api/property.rst new file mode 100644 index 0000000..7141bc9 --- /dev/null +++ b/deps/sol2/docs/source/api/property.rst @@ -0,0 +1,18 @@ +property +======== +*wrapper to specify read and write variable functionality using functions* + +.. code-block:: cpp + + template <typename Read, typename Write> + decltype(auto) property ( Read&& read_function, Write&& write_function ); + template <typename Read> + decltype(auto) property ( Read&& read_function ); + template <typename Write> + decltype(auto) property ( Write&& write_function ); + +These set of functions create a type which allows a setter and getter pair (or a single getter, or a single setter) to be used to create a variable that is either read-write, read-only, or write-only. When used during :doc:`usertype<usertype>` construction, it will create a variable that uses the setter/getter member function specified. + +.. literalinclude:: ../../../examples/source/property.cpp + :linenos: + diff --git a/deps/sol2/docs/source/api/protect.rst b/deps/sol2/docs/source/api/protect.rst new file mode 100644 index 0000000..b7fad2d --- /dev/null +++ b/deps/sol2/docs/source/api/protect.rst @@ -0,0 +1,14 @@ +protect +======= +*routine to mark a function / variable as requiring safety* + + +.. code-block:: cpp + + template <typename T> + auto protect( T&& value ); + +``sol::protect( my_func )`` allows you to protect a function call or member variable call when it is being set to Lua. It can be used with usertypes or when just setting a function into sol. Below is an example that demonstrates that a call that would normally not error without :doc:`Safety features turned on<../safety>` that instead errors and makes the Lua safety-call wrapper ``pcall`` fail: + +.. literalinclude:: ../../../examples/source/protect.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/protected_function.rst b/deps/sol2/docs/source/api/protected_function.rst new file mode 100644 index 0000000..ca51f8a --- /dev/null +++ b/deps/sol2/docs/source/api/protected_function.rst @@ -0,0 +1,118 @@ +protected_function +================== +*Lua function calls that trap errors and provide error handling* + +.. code-block:: cpp + + class protected_function : public reference; + typedef protected_function safe_function; + +Inspired by a request from `starwing`_ in the :doc:`old sol repository<../origin>`, this class provides the same interface as :doc:`function<function>` but with heavy protection and a potential error handler for any Lua errors and C++ exceptions. You can grab a function directly off the stack using the constructor, or pass to it 2 valid functions, which we'll demonstrate a little later. + +When called without the return types being specified by either a ``sol::types<...>`` list or a ``call<Ret...>( ... )`` template type list, it generates a :doc:`protected_function_result<proxy>` class that gets implicitly converted to the requested return type. For example: + +.. literalinclude:: ../../../examples/source/error_handler.cpp + :linenos: + :lines: 10-28 + +The following C++ code will call this function from this file and retrieve the return value, unless an error occurs, in which case you can bind an error handling function like so: + +.. literalinclude:: ../../../examples/source/error_handler.cpp + :linenos: + :lines: 1-6,30-66 + + +This code is much more long-winded than its :doc:`function<function>` counterpart but allows a person to check for errors. The type here for ``auto`` are ``sol::protected_function_result``. They are implicitly convertible to result types, like all :doc:`proxy-style<proxy>` types are. + +Alternatively, with a bad or good function call, you can use ``sol::optional`` to check if the call succeeded or failed: + +.. literalinclude:: ../../../examples/source/error_handler.cpp + :linenos: + :lines: 67- + + +That makes the code a bit more concise and easy to reason about if you don't want to bother with reading the error. Thankfully, unlike ``sol::unsafe_function_result``, you can save ``sol::protected_function_result`` in a variable and push/pop things above it on the stack where its returned values are. This makes it a bit more flexible than the rigid, performant ``sol::unsafe_function_result`` type that comes from calling :doc:`sol::unsafe_function<function>`. + +If you're confident the result succeeded, you can also just put the type you want (like ``double`` or ``std::string``) right there and it will get it. But, if it doesn't work out, sol can throw and/or panic if you have the :doc:`safety<../safety>` features turned on: + +.. code-block:: cpp + :linenos: + + // construct with function + error handler + // shorter than old syntax + sol::protected_function problematicwoof(lua["woof"], lua["got_problems"]); + + // dangerous if things go wrong! + double value = problematicwoof(19); + + +Finally, it is *important* to note you can set a default handler. The function is described below: please use it to avoid having to constantly set error handlers: + +.. code-block:: cpp + :linenos: + + // sets got_problems as the default + // handler for all protected_function errors + sol::protected_function::set_default_handler(lua["got_problems"]); + + sol::protected_function problematicwoof = lua["woof"]; + sol::protected_function problematicwoofers = lua["woofers"]; + + double value = problematicwoof(19); + double value2 = problematicwoof(9); + + +members +------- + +.. code-block:: cpp + :caption: constructor: protected_function + + template <typename T> + protected_function( T&& func, reference handler = sol::protected_function::get_default_handler() ); + protected_function( lua_State* L, int index = -1, reference handler = sol::protected_function::get_default_handler() ); + +Constructs a ``protected_function``. Use the 2-argument version to pass a custom error handling function more easily. You can also set the :ref:`member variable error_handler<protected-function-error-handler>` after construction later. ``protected_function`` will always use the latest error handler set on the variable, which is either what you passed to it or the default *at the time of construction*. + +.. code-block:: cpp + :caption: function: call operator / protected function call + + template<typename... Args> + protected_function_result operator()( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) call( Args&&... args ); + + template<typename... Ret, typename... Args> + decltype(auto) operator()( types<Ret...>, Args&&... args ); + +Calls the function. The second ``operator()`` lets you specify the templated return types using the ``my_func(sol::types<int, std::string>, ...)`` syntax. If you specify no return type in any way, it produces s ``protected_function_result``. + +.. note:: + + All arguments are forwarded. Unlike :doc:`get/set/operator[] on sol::state<state>` or :doc:`sol::table<table>`, value semantics are not used here. It is forwarding reference semantics, which do not copy/move unless it is specifically done by the receiving functions / specifically done by the user. + + +.. code-block:: cpp + :caption: default handlers + + static const reference& get_default_handler (); + static void set_default_handler( reference& ref ); + +Get and set the Lua entity that is used as the default error handler. The default is a no-ref error handler. You can change that by calling ``protected_function::set_default_handler( lua["my_handler"] );`` or similar: anything that produces a reference should be fine. + +.. code-block:: cpp + :caption: variable: handler + :name: protected-function-error-handler + + reference error_handler; + +The error-handler that is called should a runtime error that Lua can detect occurs. The error handler function needs to take a single string argument (use type std::string if you want to use a C++ function bound to lua as the error handler) and return a single string argument (again, return a std::string or string-alike argument from the C++ function if you're using one as the error handler). If :doc:`exceptions<../exceptions>` are enabled, sol will attempt to convert the ``.what()`` argument of the exception into a string and then call the error handling function. It is a :doc:`reference<reference>`, as it must refer to something that exists in the lua registry or on the Lua stack. This is automatically set to the default error handler when ``protected_function`` is constructed. + +.. note:: + + ``protected_function_result`` safely pops its values off the stack when its destructor is called, keeping track of the index and number of arguments that were supposed to be returned. If you remove items below it using ``lua_remove``, for example, it will not behave as expected. Please do not perform fundamentally stack-rearranging operations until the destructor is called (pushing/popping above it is just fine). + +To know more about how function arguments are handled, see :ref:`this note<function-argument-handling>`. + +.. _starwing: https://github.com/starwing diff --git a/deps/sol2/docs/source/api/proxy.rst b/deps/sol2/docs/source/api/proxy.rst new file mode 100644 index 0000000..6f38562 --- /dev/null +++ b/deps/sol2/docs/source/api/proxy.rst @@ -0,0 +1,175 @@ +proxy, (protected\unsafe)_function_result - proxy_base derivatives +================================================================== +*``table[x]`` and ``function(...)`` conversion struct* + + +.. code-block:: cpp + + template <typename Recurring> + struct proxy_base; + + template <typename Table, typename Key> + struct proxy : proxy_base<...>; + + struct stack_proxy: proxy_base<...>; + + struct unsafe_function_result : proxy_base<...>; + + struct protected_function_result: proxy_base<...>; + + +These classes provide implicit assignment operator ``operator=`` (for ``set``) and an implicit conversion operator ``operator T`` (for ``get``) to support items retrieved from the underlying Lua implementation, specifically :doc:`sol::table<table>` and the results of function calls on :doc:`sol::function<function>` and :doc:`sol::protected_function<protected_function>`. + +.. _proxy: + +proxy +----- + +``proxy`` is returned by lookups into :doc:`sol::table<table>` and table-like entities. Because it is templated on key and table type, it would be hard to spell: you can capture it using the word ``auto`` if you feel like you need to carry it around for some reason before using it. ``proxy`` evaluates its arguments lazily, when you finally call ``get`` or ``set`` on it. Here are some examples given the following lua script: + +.. literalinclude:: ../../../examples/source/table_proxy.cpp + :linenos: + :lines: 11-15 + +After loading that file in or putting it in a string and reading the string directly in lua (see :doc:`state`), you can start kicking around with it in C++ like so: + +.. literalinclude:: ../../../examples/source/table_proxy.cpp + :linenos: + :lines: 1-8,18-40 + +We don't recommend using ``proxy`` lazy evaluation the above to be used across classes or between function: it's more of something you can do to save a reference to a value you like, call a script or run a lua function, and then get it afterwards. You can also set functions (and function objects) this way, and retrieve them as well: + +.. literalinclude:: ../../../examples/source/table_proxy.cpp + :linenos: + :lines: 41- + +members +------- + +.. code-block:: c++ + :caption: functions: [overloaded] implicit conversion get + :name: implicit-get + + requires( sol::is_primitive_type<T>::value == true ) + template <typename T> + operator T() const; + + requires( sol::is_primitive_type<T>::value == false ) + template <typename T> + operator T&() const; + +Gets the value associated with the keys the proxy was generated and convers it to the type ``T``. Note that this function will always return ``T&``, a non-const reference, to types which are not based on :doc:`sol::reference<reference>` and not a :doc:`primitive lua type<types>` + +.. code-block:: c++ + :caption: function: get a value + :name: regular-get + + template <typename T> + decltype(auto) get( ) const; + +Gets the value associated with the keys and converts it to the type ``T``. + +.. code-block:: c++ + :caption: function: optionally get a value + :name: regular-get-or + + template <typename T, typename Otherwise> + optional<T> get_or( Otherwise&& otherise ) const; + +Gets the value associated with the keys and converts it to the type ``T``. If it is not of the proper type, it will return a ``sol::nullopt`` instead. + +.. code-block:: c++ + :caption: function: [overloaded] optionally get or create a value + :name: regular-get-or-create + + template <typename T> + decltype(auto) get_or_create(); + template <typename T, typename Otherwise> + decltype(auto) get_or_create( Otherwise&& other ); + +Gets the value associated with the keys if it exists. If it does not, it will set it with the value and return the result. + +``operator[]`` proxy-only members +--------------------------------- + +.. code-block:: c++ + :caption: function: valid + :name: proxy-valid + + bool valid () const; + +Returns whether this proxy actually refers to a valid object. It uses :ref:`sol::stack::probe_get_field<stack-probe-get-field>` to determine whether or not its valid. + +.. code-block:: c++ + :caption: functions: [overloaded] implicit set + :name: implicit-set + + requires( sol::detail::Function<Fx> == false ) + template <typename T> + proxy& operator=( T&& value ); + + requires( sol::detail::Function<Fx> == true ) + template <typename Fx> + proxy& operator=( Fx&& function ); + +Sets the value associated with the keys the proxy was generated with to ``value``. If this is a function, calls ``set_function``. If it is not, just calls ``set``. Does not exist on :ref:`unsage_function_result<unsafe-function-result>` or :ref:`protected_function_result<protected-function-result>`. + +.. code-block:: c++ + :caption: function: set a callable + :name: regular-set-function + + template <typename Fx> + proxy& set_function( Fx&& fx ); + +Sets the value associated with the keys the proxy was generated with to a function ``fx``. Does not exist on :ref:`unsafe_function_result<unsafe-function-result>` or :ref:`protected_function_result<protected-function-result>`. + + +.. code-block:: c++ + :caption: function: set a value + :name: regular-set + + template <typename T> + proxy& set( T&& value ); + +Sets the value associated with the keys the proxy was generated with to ``value``. Does not exist on :ref:`unsafe_function_result<unsafe-function-result>` or :ref:`protected_function_result<protected-function-result>`. + +.. _stack-proxy: + +stack_proxy +----------- + +``sol::stack_proxy`` is what gets returned by :doc:`sol::variadic_args<variadic_args>` and other parts of the framework. It is similar to proxy, but is meant to alias a stack index and not a named variable. + +.. _unsafe-function-result: + +unsafe_function_result +---------------------- + +``unsafe_function_result`` is a temporary-only, intermediate-only implicit conversion worker for when :doc:`function<function>` is called. It is *NOT* meant to be stored or captured with ``auto``. It provides fast access to the desired underlying value. It does not implement ``set`` / ``set_function`` / templated ``operator=``, as is present on :ref:`proxy<proxy>`. + + +This type does, however, allow access to multiple underlying values. Use ``result.get<Type>(index_offset)`` to retrieve an object of ``Type`` at an offset of ``index_offset`` in the results. Offset is 0 based. Not specifying an argument defaults the value to 0. + +``unsafe_function_result`` also has ``begin()`` and ``end()`` functions that return (almost) "random-acess" iterators. These return a proxy type that can be implicitly converted to :ref:`stack_proxy<stack-proxy>`. + +.. _protected-function-result: + +protected_function_result +------------------------- + +``protected_function_result`` is a nicer version of ``unsafe_function_result`` that can be used to detect errors. Its gives safe access to the desired underlying value. It does not implement ``set`` / ``set_function`` / templated ``operator=`` as is present on :ref:`proxy<proxy>`. + + +This type does, however, allow access to multiple underlying values. Use ``result.get<Type>(index_offset)`` to retrieve an object of ``Type`` at an offset of ``index_offset`` in the results. Offset is 0 based. Not specifying an argument defaults the value to 0. + +``unsafe_function_result`` also has ``begin()`` and ``end()`` functions that return (almost) "random-acess" iterators. These return a proxy type that can be implicitly converted to :ref:`stack_proxy<stack-proxy>`. + +.. _note 1: + +on function objects and proxies +------------------------------- + +.. note:: + + As of recent versions of sol3 (2.18.2 and above), this is no longer an issue, as even bound classes will have any detectable function call operator automatically bound to the object, to allow this to work without having to use ``.set`` or ``.set_function``. The note here is kept for posterity and information for older versions. There are only some small caveats, see: :ref:`this note here<binding-callable-objects>`. + diff --git a/deps/sol2/docs/source/api/readonly.rst b/deps/sol2/docs/source/api/readonly.rst new file mode 100644 index 0000000..99ff5ab --- /dev/null +++ b/deps/sol2/docs/source/api/readonly.rst @@ -0,0 +1,21 @@ +readonly +======== +*routine to mark a member variable as read-only* + +.. code-block:: cpp + + template <typename T> + auto readonly( T&& value ); + +The goal of read-only is to protect a variable set on a usertype or a function. Simply wrap it around a member variable, e.g. ``sol::readonly( &my_class::my_member_variable )`` in the appropriate place to use it. If someone tries to set it, it will error their code. + +``sol::readonly`` is especially important when you're working with types that do not have a copy constructor. Lua does not understand move semantics, and therefore setters to user-defined-types require a C++ copy constructor. Containers as member variables that contain types that are not copyable but movable -- e.g. ``std::vector<my_move_only_type>`` amongst others -- also can erroneously state they are copyable but fail with compiler errors. If your type does not fit a container's definition of being copyable or is just not copyable in general and it is a member variable, please use ``sol::readonly``. + +If you are looking to make a read-only table, you need to go through a bit of a complicated song and dance by overriding the ``__index`` metamethod. Here's a complete example on the way to do that using ``sol``: + + +.. literalinclude:: ../../../examples/source/read_only.cpp + :caption: read_only.cpp + :linenos: + +It is a verbose example, but it explains everything. Because the process is a bit involved and can have unexpected consequences for users that make their own tables, making read-only tables is something that we ask the users to do themselves with the above code, as getting the semantics right for the dozens of use cases would be tremendously difficult. diff --git a/deps/sol2/docs/source/api/reference.rst b/deps/sol2/docs/source/api/reference.rst new file mode 100644 index 0000000..645001f --- /dev/null +++ b/deps/sol2/docs/source/api/reference.rst @@ -0,0 +1,97 @@ +reference +========= +*general purpose reference to Lua object in registry* + + +.. code-block:: cpp + :caption: reference + + class reference; + +This type keeps around a reference to something inside of Lua, whether that object was on the stack or already present as an object in the Lua Runtime. It places the object Lua registry and will keep it alive. + +It is the backbone for all things that reference items on the stack that need to be kept around beyond their appearance and lifetime on said Lua stack or need to be kept alive outside of a script beyond garbage collection times. Its progeny include :doc:`sol::coroutine<coroutine>`, :doc:`sol::function<function>`, :doc:`sol::protected_function<protected_function>`, :doc:`sol::object<object>`, :doc:`sol::table<table>`/:doc:`sol::global_table<table>`, :doc:`sol::thread<thread>`, and :doc:`sol::(light_)userdata<userdata>`, which are type-specific versions of ``sol::reference``. + +Note that if you need to keep a reference to something inside of Lua, it is better to use ``sol::reference`` or :doc:`sol::object<object>` to keep a reference to it and then use the ``obj.as<T>()`` member function to retrieve what you need than to take a direct dependency on the memory by retrieving a pointer or reference to the userdata itself. This will ensure that if a script or the Lua Runtime is finished with an object, it will not be garbage collected. Do this only if you need long-term storage. + +For all of these types, there's also a ``sol::stack_{x}`` version of them, such as ``sol::stack_table``. They are useful for a small performance boost at the cost of not having a strong reference, which has implications for what happens when the item is moved off of the stack. See :doc:`sol::stack_reference<stack_reference>` for more details. + + +members +------- + +.. code-block:: cpp + :caption: constructor: reference + :name: reference-constructor + + reference(lua_State* L, int index = -1); + reference(lua_State* L, lua_nil_t); + reference(lua_State* L, absolute_index index); + reference(lua_State* L, raw_index index); + reference(lua_State* L, ref_index index); + template <typename Object> + reference(Object&& o); + template <typename Object> + reference(lua_State* L, Object&& o); + +The first constructor creates a reference from the Lua stack at the specified index, saving it into the metatable registry. The second attemtps to register something that already exists in the registry. The third attempts to reference a pre-existing object and create a reference to it. These constructors are exposed on all types that derive from ``sol::reference``, meaning that you can grab tables, functions, and coroutines from the registry, stack, or from other objects easily. + +.. _lua_xmove-note: + +.. note:: + + Note that the last constructor has ``lua_xmove`` safety built into it. You can pin an object to a certain thread (or the main thread) by initializing it with ``sol::reference pinned(state, other_reference_object);``. This ensures that ``other_reference_object`` will exist in the state/thread of ``state``. Also note that copy/move assignment operations will also use pinning semantics if it detects that the state of the object on the right is ``lua_xmove`` compatible. (But, the ``reference`` object on the left must have a valid state as well. You can have a nil ``reference`` with a valid state by using the ``sol::reference pinned(state, sol::lua_nil)`` constructor as well.) This applies for any ``sol::reference`` derived type. + + You can un-pin and null the state by doing ``ref = sol::lua_nil;``. This applies to **all derived types**, including ``sol::(protected_)function``, ``sol::thread``, ``sol::object``, ``sol::table``, and similar. + +.. code-block:: cpp + :caption: function: push referred-to element from the stack + + int push() const noexcept; + +This function pushes the referred-to data onto the stack and returns how many things were pushed. Typically, it returns 1. + +.. code-block:: cpp + :caption: function: reference value + + int registry_index() const noexcept; + +The value of the reference in the registry. + +.. code-block:: cpp + :caption: functions: non-nil, non-null check + + bool valid () const noexcept; + explicit operator bool () const noexcept; + +These functions check if the reference at ``T`` is valid: that is, if it is not :ref:`nil<nil>` and if it is not non-existing (doesn't refer to anything, including nil) reference. The explicit operator bool allows you to use it in the context of an ``if ( my_obj )`` context. + +.. code-block:: cpp + :caption: function: retrieves the type + + type get_type() const noexcept; + +Gets the :doc:`sol::type<types>` of the reference; that is, the Lua reference. + +.. code-block:: cpp + :caption: function: lua_State* of the reference + + lua_State* lua_state() const noexcept; + +Gets the ``lua_State*`` this reference exists in. + + +non-members +----------- + +.. code-block:: cpp + :caption: operators: reference comparators + :name: reference-operators-comparators + + bool operator==(const reference&, const reference&); + bool operator!=(const reference&, const reference&); + +Compares two references using the Lua API's `lua_compare`_ for equality. + + +.. _lua_compare: https://www.lua.org/manual/5.3/manual.html#lua_compare diff --git a/deps/sol2/docs/source/api/resolve.rst b/deps/sol2/docs/source/api/resolve.rst new file mode 100644 index 0000000..6c79f17 --- /dev/null +++ b/deps/sol2/docs/source/api/resolve.rst @@ -0,0 +1,69 @@ +resolve +======= +*utility to pick overloaded C++ function calls* + + +.. code-block:: cpp + :caption: function: resolve C++ overload + + template <typename... Args, typename F> + constexpr auto resolve( F f ); + +``resolve`` is a function that is meant to help users pick a single function out of a group of overloaded functions in C++. It works for *both member and free functions* You can use it to pick overloads by specifying the signature as the first template argument. Given a collection of overloaded functions: + +.. code-block:: cpp + :linenos: + + int overloaded(int x); + int overloaded(int x, int y); + int overloaded(int x, int y, int z); + + struct thing { + int overloaded() const; + int overloaded(int x); + int overloaded(int x, int y); + int overloaded(int x, int y, int z); + }; + +You can disambiguate them using ``resolve``: + +.. code-block:: cpp + :linenos: + + auto one_argument_func = resolve<int(int)>( overloaded ); + auto two_argument_func = resolve<int(int, int)>( overloaded ); + auto three_argument_func = resolve<int(int, int, int)>( overloaded ); + auto member_three_argument_func = resolve<int(int, int, int)>( &thing::overloaded ); + auto member_zero_argument_const_func = resolve<int() const>( &thing::overloaded ); + +It is *important* to note that ``const`` is placed at the end for when you desire const overloads. You will get compiler errors if you are not specific and do not properly disambiguate for const member functions. This resolution also becomes useful when setting functions on a :doc:`table<table>` or :doc:`state_view<state>`: + +.. code-block:: cpp + :linenos: + + sol::state lua; + + lua.set_function("a", resolve<int(int)>( overloaded ) ); + lua.set_function("b", resolve<int(int, int)>( overloaded )); + lua.set_function("c", resolve<int(int, int, int)>( overloaded )); + + +It can also be used with :doc:`sol::c_call<c_call>`: + +.. code-block:: cpp + :linenos: + + sol::state lua; + + auto f = sol::c_call< + decltype(sol::resolve<int(int, int)>(&overloaded)), + sol::resolve<int(int, int)>(&overloaded) + >; + lua.set_function("f", f); + + lua.script("f(1, 2)"); + + +.. note:: + + You cannot use ``sol::resolve<...>(...)`` when one function is templated and it has a non-templated overload: it will always fail in this case. To resolve this, please use a manual ``static_cast<R(Args...)>( &func )`` or ``static_cast<R (T::*)(Args...)>( &T::overloaded_member_func )`` (with the right const-ness and volatile-ness and r-value/l-value qualifiers if necessary). diff --git a/deps/sol2/docs/source/api/stack.rst b/deps/sol2/docs/source/api/stack.rst new file mode 100644 index 0000000..93746df --- /dev/null +++ b/deps/sol2/docs/source/api/stack.rst @@ -0,0 +1,329 @@ +stack namespace +=============== +*the nitty-gritty core abstraction layer over Lua* + + +.. code-block:: cpp + + namespace stack + +If you find that the higher level abstractions are not meeting your needs, you may want to delve into the ``stack`` namespace to try and get more out of sol. ``stack.hpp`` and the ``stack`` namespace define several utilities to work with Lua, including pushing / popping utilities, getters, type checkers, Lua call helpers and more. This namespace is not thoroughly documented as the majority of its interface is mercurial and subject to change between releases to either heavily boost performance or improve the sol :doc:`api<api-top>`. + +Working at this level of the stack can be enhanced by understanding how the `Lua stack works in general`_ and then supplementing it with the objects and items here. + +There are, however, a few :ref:`ADL customization points<extension_points>` that you may use for your purposes and a handful of potentially handy functions. These may help if you're trying to slim down the code you have to write, or if you want to make your types behave differently throughout the sol stack. Note that overriding the defaults **can** throw out many of the safety guarantees sol provides: therefore, modify the :ref:`extension points<extension_points>` at your own discretion. + +structures +---------- + +.. code-block:: cpp + :caption: struct: record + :name: stack-record + + struct record { + int last; + int used; + + void use(int count); + }; + +This structure is for advanced usage with :ref:`stack::get<stack-get>` and :ref:`stack::check_get<stack-get>`. When overriding the customization points, it is important to call the ``use`` member function on this class with the amount of things you are pulling from the stack. ``used`` contains the total accumulation of items produced. ``last`` is the number of items gotten from the stack with the last operation (not necessarily popped from the stack). In all trivial cases for types, ``last == 1`` and ``used == 1`` after an operation; structures such as ``std::pair`` and ``std::tuple`` may pull more depending on the classes it contains. + +When overriding the :doc:`customization points<../tutorial/customization>`, please note that this structure should enable you to push multiple return values and get multiple return values to the stack, and thus be able to seamlessly pack/unpack return values from Lua into a single C++ struct, and vice-versa. This functionality is only recommended for people who need to customize the library further than the basics. It is also a good way to add support for the type and propose it back to the original library so that others may benefit from your work. + +Note that customizations can also be put up on a separate page here, if individuals decide to make in-depth custom ones for their framework or other places. + +.. code-block:: cpp + :caption: struct: probe + :name: stack-probe-struct + + struct probe { + bool success; + int levels; + + probe(bool s, int l); + operator bool() const; + }; + +This struct is used for showing whether or not a :ref:`probing get_field<stack-probe-get-field>` was successful or not. + + +members +------- + +.. code-block:: cpp + :caption: function: call_lua + :name: stack-call-lua + + template<bool check_args = stack_detail::default_check_arguments, bool clean_stack = true, typename Fx, typename... FxArgs> + inline int call_lua(lua_State* L, int start, Fx&& fx, FxArgs&&... fxargs); + +This function is helpful for when you bind to a raw C function but need sol's abstractions to save you the agony of setting up arguments and know how `calling C functions works`_. The ``start`` parameter tells the function where to start pulling arguments from. The parameter ``fx`` is what's supposed to be called. Extra arguments are passed to the function directly. There are intermediate versions of this (``sol::stack::call_into_lua`` and similar) for more advanced users, but they are not documented as they are subject to change to improve performance or adjust the API accordingly in later iterations of sol3. Use the more advanced versions at your own peril. + +.. code-block:: cpp + :caption: function: get + :name: stack-get + + template <typename T> + auto get( lua_State* L, int index = -1 ) + template <typename T> + auto get( lua_State* L, int index, record& tracking ) + +Retrieves the value of the object at ``index`` in the stack. The return type varies based on ``T``: with primitive types, it is usually ``T``: for all unrecognized ``T``, it is generally a ``T&`` or whatever the extension point :ref:`sol_lua_get\<T><sol_lua_get>` implementation returns. The type ``T`` is tried once as it is (with ``const`` and reference qualifiers left alone) and then once more once it has top-level ``const`` qualifiers and reference modifiers removed before being forwarded to the extension point :ref:`sol_lua_get\<T><sol_lua_get>` function. ``stack::get`` will default to forwarding all arguments to the :ref:`stack::check_get<stack-check-get>` function with a handler of ``type_panic`` to strongly alert for errors, if you ask for the :doc:`safety<../safety>`. + +You may also retrieve an :doc:`sol::optional\<T><optional>` from this as well, to have it attempt to not throw errors when performing the get and the type is not correct. + +.. code-block:: cpp + :caption: function: check + :name: stack-check + + template <typename T> + bool check( lua_State* L, int index = -1 ) + + template <typename T, typename Handler> + bool check( lua_State* L, int index, Handler&& handler ) + + template <typename T, typename Handler> + bool check( lua_State* L, int index, Handler&& handler, record& tracking ) + +Checks if the object at ``index`` is of type ``T``. If it is not, it will call the ``handler`` function with ``lua_State* L``, ``int index``, ``sol::type expected``, and ``sol::type actual`` as arguments (and optionally with a 5th string argument ``sol::string_view message``. If you do not pass your own handler, a ``no_panic`` handler will be passed. + +.. code-block:: cpp + :caption: function: get_usertype + :name: stack-get-usertype + + template <typename T> + auto get_usertype( lua_State* L, int index = -1 ) + template <typename T> + auto get_usertype( lua_State* L, int index, record& tracking ) + +Directly attempts to rertieve the type ``T`` using sol3's usertype mechanisms. Similar to a regular ``get`` for a user-defined type. Useful when you need to access sol3's usertype getter mechanism while at the same time `providing your own customization`_. + +.. code-block:: cpp + :caption: function: check_usertype + :name: stack-check-usertype + + template <typename T> + bool check_usertype( lua_State* L, int index = -1 ) + + template <typename T, typename Handler> + bool check_usertype( lua_State* L, int index, Handler&& handler ) + + template <typename T, typename Handler> + bool check_usertype( lua_State* L, int index, Handler&& handler, record& tracking ) + +Checks if the object at ``index`` is of type ``T`` and stored as a sol3 usertype. Useful when you need to access sol3's usertype checker mechanism while at the same time `providing your own customization`_. + +.. code-block:: cpp + :caption: function: check_get + :name: stack-check-get + + template <typename T> + auto check_get( lua_State* L, int index = -1 ) + template <typename T, typename Handler> + auto check_get( lua_State* L, int index, Handler&& handler, record& tracking ) + +Retrieves the value of the object at ``index`` in the stack, but does so safely. It returns an ``optional<U>``, where ``U`` in this case is the return type deduced from ``stack::get<T>``. This allows a person to properly check if the type they're getting is what they actually want, and gracefully handle errors when working with the stack if they so choose to. You can define ``SOL_ALL_SAFETIES_ON`` to turn on additional :doc:`safety<../safety>`, in which ``stack::get`` will default to calling this version of the function with some variant on a handler of ``sol::type_panic_string`` to strongly alert for errors and help you track bugs if you suspect something might be going wrong in your system. + +.. code-block:: cpp + :caption: function: push + :name: stack-push + + // push T inferred from call site, pass args... through to extension point + template <typename T, typename... Args> + int push( lua_State* L, T&& item, Args&&... args ) + + // push T that is explicitly specified, pass args... through to extension point + template <typename T, typename Arg, typename... Args> + int push( lua_State* L, Arg&& arg, Args&&... args ) + + // recursively call the the above "push" with T inferred, one for each argument + template <typename... Args> + int multi_push( lua_State* L, Args&&... args ) + +Based on how it is called, pushes a variable amount of objects onto the stack. in 99% of cases, returns for 1 object pushed onto the stack. For the case of a ``std::tuple<...>``, it recursively pushes each object contained inside the tuple, from left to right, resulting in a variable number of things pushed onto the stack (this enables multi-valued returns when binding a C++ function to a Lua). Can be called with ``sol::stack::push<T>( L, args... )`` to have arguments different from the type that wants to be pushed, or ``sol::stack::push( L, arg, args... )`` where ``T`` will be inferred from ``arg``. The final form of this function is ``sol::stack::multi_push``, which will call one ``sol::stack::push`` for each argument. The ``T`` that describes what to push is first sanitized by removing top-level ``const`` qualifiers and reference qualifiers before being forwarded to the extension point :ref:`sol_lua_push\<T><sol_lua_push>`. + +.. code-block:: cpp + :caption: function: push_reference + :name: stack-push-reference + + // push T inferred from call site, pass args... through to extension point + template <typename T, typename... Args> + int push_reference( lua_State* L, T&& item, Args&&... args ) + + // push T that is explicitly specified, pass args... through to extension point + template <typename T, typename Arg, typename... Args> + int push_reference( lua_State* L, Arg&& arg, Args&&... args ) + + // recursively call the the above "push" with T inferred, one for each argument + template <typename... Args> + int multi_push_reference( lua_State* L, Args&&... args ) + + +These functinos behave similarly to the ones above, but they check for specific criteria and instead attempt to push a reference rather than forcing a copy if appropriate. Use cautiously as sol3 uses this mainly as a return from usertype functions and variables to preserve chaining/variable semantics from that a class object. Its internals are updated to fit the needs of sol3 and while it generally does the "right thing" and has not needed to be changed for a while, sol3 reserves the right to change its internal detection mechanisms to suit its users needs at any time, generally without breaking backwards compatibility and expectations but not exactly guaranteed. + +.. code-block:: cpp + :caption: function: pop + :name: stack-pop + + template <typename... Args> + auto pop( lua_State* L ); + +Pops an object off the stack. Will remove a fixed number of objects off the stack, generally determined by the ``sol::lua_size<T>`` traits of the arguments supplied. Generally a simplicity function, used for convenience. + +.. code-block:: cpp + :caption: function: top + :name: stack-top + + int top( lua_State* L ); + +Returns the number of values on the stack. + +.. code-block:: cpp + :caption: function: set_field + + template <bool global = false, typename Key, typename Value> + void set_field( lua_State* L, Key&& k, Value&& v ); + + template <bool global = false, typename Key, typename Value> + void set_field( lua_State* L, Key&& k, Value&& v, int objectindex); + +Sets the field referenced by the key ``k`` to the given value ``v``, by pushing the key onto the stack, pushing the value onto the stack, and then doing the equivalent of ``lua_setfield`` for the object at the given ``objectindex``. Performs optimizations and calls faster verions of the function if the type of ``Key`` is considered a c-style string and/or if its also marked by the templated ``global`` argument to be a global. + +.. code-block:: cpp + :caption: function: get_field + + template <bool global = false, typename Key> + void get_field( lua_State* L, Key&& k [, int objectindex] ); + +Gets the field referenced by the key ``k``, by pushing the key onto the stack, and then doing the equivalent of ``lua_getfield``. Performs optimizations and calls faster verions of the function if the type of ``Key`` is considered a c-style string and/or if its also marked by the templated ``global`` argument to be a global. + +This function leaves the retrieved value on the stack. + +.. code-block:: cpp + :caption: function: probe_get_field + :name: stack-probe-get-field + + template <bool global = false, typename Key> + probe probe_get_field( lua_State* L, Key&& k [, int objectindex] ); + +Gets the field referenced by the key ``k``, by pushing the key onto the stack, and then doing the equivalent of ``lua_getfield``. Performs optimizations and calls faster verions of the function if the type of ``Key`` is considered a c-style string and/or if its also marked by the templated ``global`` argument to be a global. Furthermore, it does this safely by only going in as many levels deep as is possible: if the returned value is not something that can be indexed into, then traversal queries with ``std::tuple``/``std::pair`` will stop early and return probing information with the :ref:`probe struct<stack-probe-struct>`. + +This function leaves the retrieved value on the stack. + +.. _extension_points: + +objects (extension points) +-------------------------- + +You can customize the way sol handles different structures and classes by following the information provided in the :doc:`adding your own types<../tutorial/customization>`. + +Below is more extensive information for the curious. + +.. code-block:: cpp + :caption: ADL Extension Point sol_lua_get + :name: sol_lua_get + + MyType sol_lua_get ( sol::types<MyType>, lua_State* L, int index, sol::stack::record& tracking ) { + // do work + // ... + + return MyType{}; // return value + } + +This extension point is to ``get`` an object (or reference or pointer or whatever) of type ``T``, or something convertible to it. The default internal getter implementation assumes ``T`` is a usertype and pulls out a userdata from Lua before attempting to cast it to the desired ``T``. + +Interally, there are implementations for getting numbers (``std::is_floating``, ``std::is_integral``-matching types), getting ``std::string`` and ``const char*`` plus wide string and unicode variants, getting raw userdata with :doc:`userdata_value<types>` and anything as upvalues with :doc:`upvalue_index<types>`, getting raw `lua_CFunction`_ s, and finally pulling out Lua functions into ``std::function<R(Args...)>``. It is also defined for anything that derives from :doc:`sol::reference<reference>`. It also has a special implementation for the 2 standard library smart pointers (see :doc:`usertype memory<usertype_memory>`) that can be more specifically extended. + +.. code-block:: cpp + :caption: ADL Extension Point sol_lua_push + :name: sol_lua_push + + int push ( sol::types<MyType>, lua_State* L, MyType&& value ) { + // can optionally take more than just 1 argument + // to "construct" in-place and similar + // use them however you like! + // ... + return N; // number of things pushed onto the stack + } + + +This extension point is to ``push`` a value into Lua. It returns the number of things pushed onto the stack. The default implementation assumes ``T`` is a usertype and pushes a userdata into Lua with a class-specific, state-wide metatable associated with it. There are implementations for pushing numbers (``std::is_floating``, ``std::is_integral``-matching types), getting ``std::string`` and ``const char*``, getting raw userdata with :doc:`userdata<types>` and raw upvalues with :doc:`upvalue<types>`, getting raw `lua_CFunction`_ s, and finally pulling out Lua functions into ``sol::function``. It is also defined for anything that derives from :doc:`sol::reference<reference>`. It also has a special implementation for the 2 standard library smart pointers (see :doc:`usertype memory<usertype_memory>`). + +.. code-block:: cpp + :caption: ADL Extension Point sol_lua_check + :name: sol_lua_check + + template <typename Handler> + bool sol_lua_check ( sol::types<MyType>, lua_State* L, int index, Handler&& handler, sol::stack::record& tracking ) { + // if the object in the Lua stack at index is a T, return true + if ( ... ) { + tracking.use(1); // or however many you use + return true; + } + // otherwise, call the handler function, + // with the required 4/5 arguments, then return false + // + handler(L, index, expected, indextype, "message"); + return false; + } + + +This extension point is to ``check`` whether or not a type at a given index is what its supposed to be. The default implementation simply checks whether the expected type passed in through the template is equal to the type of the object at the specified index in the Lua stack. The default implementation for types which are considered ``userdata`` go through a myriad of checks to support checking if a type is *actually* of type ``T`` or if its the base class of what it actually stored as a userdata in that index. + +Note that you may + +.. _userdata-interop: + +.. code-block:: cpp + :caption: ADL Extension Point sol_lua_interop_check + :name: sol_lua_interop_check + + template <typename T, typename Handler> + bool sol_lua_interop_check(sol::types<T>, lua_State* L, int relindex, sol::type index_type, Handler&& handler, sol::stack::record& tracking) { + // implement custom checking here for a userdata: + // if it doesn't match, return "false" and regular + // sol userdata checks will kick in + return false; + // returning true will skip sol's + // default checks + } + + +This extension point is to ``check`` a foreign userdata. It should return ``true`` if a type meets some custom userdata specifiction (from, say, another library or an internal framework), and ``false`` if it does not. The default implementation just returns ``false`` to let the original sol3 handlers take care of everything. If you want to implement your own usertype checking; e.g., for messing with ``toLua`` or ``OOLua`` or ``kaguya`` or some other libraries. Note that the library must have a with a :doc:`memory compatible layout<usertype_memory>` if you **want to specialize this checker method but not the subsequent getter method**. You can specialize it as shown in the `interop examples`_. + +.. note:: + + You must turn this feature on with ``SOL_ENABLE_INTEROP``, as described in the :ref:`config and safety section<config>`. + + +.. code-block:: cpp + :caption: ADL Extension Point sol_lua_interop_get + :name: sol_lua_interop_get + + template <typename T> + std::pair<bool, T*> sol_lua_interop_get(sol::types<T> t, lua_State* L, int relindex, void* unadjusted_pointer, sol::stack::record& tracking) { + // implement custom getting here for non-sol3 userdatas: + // if it doesn't match, return "false" and regular + // sol userdata getters will kick in + return { false, nullptr }; + } + + +This extension point is to ``get`` a foreign userdata. It should return both ``true`` and an adjusted pointer if a type meets some custom userdata specifiction (from, say, another library or an internal framework). The default implementation just returns ``{ false, nullptr }`` to let the default sol3 implementation take care of everything. You can use it to interop with other frameworks that are not sol3 but still include their power; e.g., for messing with ``kaguya`` or some other libraries. You can specialize it as shown in the `interop examples`_. + +.. note:: + + You must turn it on with ``SOL_ENABLE_INTEROP``, as described in the :ref:`config and safety section<config>`. + + +.. note:: + + You do NOT need to use this method in particular if the :doc:`memory layout<usertype_memory>` is compatible. (For example, ``toLua`` stores userdata in a sol3-compatible way.) + + +.. _lua_CFunction: http://www.Lua.org/manual/5.3/manual.html#lua_CFunction +.. _Lua stack works in general: https://www.lua.org/pil/24.2.html +.. _calling C functions works: https://www.lua.org/pil/26.html +.. _interop examples: https://github.com/ThePhD/sol2/blob/develop/examples/interop +.. _providing your own customization: https://github.com/ThePhD/sol2/blob/develop/examples/source/customization_convert_on_get.cpp diff --git a/deps/sol2/docs/source/api/stack_reference.rst b/deps/sol2/docs/source/api/stack_reference.rst new file mode 100644 index 0000000..98c341b --- /dev/null +++ b/deps/sol2/docs/source/api/stack_reference.rst @@ -0,0 +1,29 @@ +stack_reference +=============== +*zero-overhead object on the stack* + + +When you work with a :doc:`sol::reference<reference>`, the object gotten from the stack has a reference to it made in the registry, keeping it alive. If you want to work with the Lua stack directly without having any additional references made, ``sol::stack_reference`` is for you. Its API is identical to ``sol::reference`` in every way, except it contains a ``int stack_index()`` member function that allows you to retrieve the stack index. + +Note that this will not pin the object since a copy is not made in the registry, meaning things can be pulled out from under it, the stack can shrink under it, things can be added onto the stack before this object's position, and what ``sol::stack_reference`` will point to will change. Please know what the Lua stack is and have discipline while managing your Lua stack when working at this level. + +All of the base types have ``stack`` versions of themselves, and the APIs are identical to their non-stack forms. This includes :doc:`sol::stack_table<table>`, :doc:`sol::stack_function<function>`, :doc:`sol::stack_protected_function<protected_function>`, :doc:`sol::stack_(light\_)userdata<userdata>` and :doc:`sol::stack_object<object>`. There is a special case for ``sol::stack_function``, which has an extra type called ``sol::stack_aligned_function`` (and similar ``sol::stack_aligned_protected_function``). + + +stack_aligned_function +---------------------- + +This type is particular to working with the stack. It does not push the function object on the stack before pushing the arguments, assuming that the function present is already on the stack before going ahead and invoking the function it is targeted at. It is identical to :doc:`sol::function<function>` and has a protected counterpart as well. If you are working with the stack and know there is a callable object in the right place (i.e., at the top of the Lua stack), use this abstraction to have it call your stack-based function while still having the easy-to-use Lua abstractions. + +Furthermore, if you know you have a function in the right place alongside proper arguments on top of it, you can use the ``sol::stack_count`` structure and give its constructor the number of arguments off the top that you want to call your pre-prepared function with: + +.. literalinclude:: ../../../examples/source/stack_aligned_function.cpp + :caption: stack_aligned_function.cpp + :linenos: + :name: stack-aligned-function-example + +Finally, there is a special abstraction that provides further stack optimizations for ``sol::protected_function`` variants that are aligned, and it is called ``sol::stack_aligned_stack_handler_protected_function``. This typedef expects you to pass a ``stack_reference`` handler to its constructor, meaning that you have already placed an appropriate error-handling function somewhere on the stack before the aligned function. You can use ``sol::stack_count`` with this type as well. + +.. warning:: + + Do not use ``sol::stack_count`` with a ``sol::stack_aligned_protected_function``. The default behavior checks if the ``error_handler`` member variable is valid, and attempts to push the handler onto the stack in preparation for calling the function. This inevitably changes the stack. Only use ``sol::stack_aligned_protected_function`` with ``sol::stack_count`` if you know that the handler is not valid (it is ``nil`` or its ``error_handler.valid()`` function returns ``false``), or if you use ``sol::stack_aligned_stack_handler_protected_function``, which references an existing stack index that can be before the precise placement of the function and its arguments. diff --git a/deps/sol2/docs/source/api/state.rst b/deps/sol2/docs/source/api/state.rst new file mode 100644 index 0000000..fc8cbff --- /dev/null +++ b/deps/sol2/docs/source/api/state.rst @@ -0,0 +1,205 @@ +state +===== +*owning and non-owning state holders for registry and globals* + + +.. code-block:: cpp + + class state_view; + + class state : state_view, std::unique_ptr<lua_State*, deleter>; + +The most important class here is ``state_view``. This structure takes a ``lua_State*`` that was already created and gives you simple, easy access to Lua's interfaces without taking ownership. ``state`` derives from ``state_view``, inheriting all of this functionality, but has the additional purpose of creating a fresh ``lua_State*`` and managing its lifetime for you in its constructors. + +The majority of the members between ``state_view`` and :doc:`sol::table<table>` are identical, with a few added for this higher-level type. Therefore, all of the examples and notes in :doc:`sol::table<table>` apply here as well. + +``state_view`` is cheap to construct and creates 2 references to things in the ``lua_State*`` while it is alive: the global Lua table, and the Lua C Registry. + +.. _state-automatic-handlers: + +``sol::state`` automatic handlers +--------------------------------- + +One last thing you should understand: constructing a ``sol::state`` does a few things behind-the-scenes for you, mostly to ensure compatibility and good error handler/error handling. The function it uses to do this is ``set_default_state``. They are as follows: + +* set a default panic handler with ``state_view::set_panic``/``lua_atpnic`` +* set a default ``sol::protected_function`` handler with ``sol::protected_function::set_default_handler``, using a ``sol::reference`` to ``&sol::detail::default_traceback_error_handler`` as the default handler function +* set a default exception handler to ``&sol::detail::default_exception_handler`` +* register the state as the main thread (only does something for Lua 5.1, which does not have a way to get the main thread) using ``sol::stack::register_main_thread(L)`` +* register the LuaJIT C function exception handler with ``stack::luajit_exception_handler(L)`` + +You can read up on the various panic and exception handlers on the :ref:`exceptions page<lua-handlers>`. + +sol::state_view does none of these things for you. If you want to make sure your self-created or self-managed state has the same properties, please apply this function once to the state. Please note that it will override your panic handler and, if using LuaJIT, your LuaJIT C function handler. + +.. warning:: + + It is your responsibility to make sure ``sol::state_view`` goes out of scope before you call ``lua_close`` on a pre-existing state, or before ``sol::state`` goes out of scope and its destructor gets called. Failure to do so can result in intermittent crashes because the ``sol::state_view`` has outstanding references to an already-dead ``lua_State*``, and thusly will try to decrement the reference counts for the Lua Registry and the Global Table on a dead state. Please use ``{`` and ``}`` to create a new scope, or other lifetime techniques, when you know you are going to call ``lua_close`` so that you have a chance to specifically control the lifetime of a ``sol::state_view`` object. + +enumerations +------------ + +.. code-block:: cpp + :caption: in-lua libraries + :name: lib-enum + + enum class lib : char { + base, + package, + coroutine, + string, + os, + math, + table, + debug, + bit32, + io, + ffi, + jit, + count // do not use + }; + +This enumeration details the various base libraries that come with Lua. See the `standard lua libraries`_ for details about the various standard libraries. + + +members +------- + +.. code-block:: cpp + :caption: function: open standard libraries/modules + :name: open-libraries + + template<typename... Args> + void open_libraries(Args&&... args); + +This function takes a number of :ref:`sol::lib<lib-enum>` as arguments and opens up the associated Lua core libraries. + +.. code-block:: cpp + :caption: function: script / safe_script / script_file / safe_script_file / unsafe_script / unsafe_script_file + :name: state-script-function + + function_result script(const string_view& code, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + protected_function_result script(const string_view& code, const environment& env, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + template <typename ErrorFunc> + protected_function_result script(const string_view& code, ErrorFunc&& on_error, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + template <typename ErrorFunc> + protected_function_result script(const string_view& code, const environment& env, ErrorFunc&& on_error, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + + function_result script_file(const std::string& filename, load_mode mode = load_mode::any); + protected_function_result script_file(const std::string& filename, const environment& env, load_mode mode = load_mode::any); + template <typename ErrorFunc> + protected_function_result script_file(const std::string& filename, ErrorFunc&& on_error, load_mode mode = load_mode::any); + template <typename ErrorFunc> + protected_function_result script_file(const std::string& filename, const environment& env, ErrorFunc&& on_error, load_mode mode = load_mode::any); + +If you need safety, please use the version of these functions with ``safe`` (such as ``safe_script(_file)``) appended in front of them. They will always check for errors and always return a ``sol::protected_function_result``. If you explicitly do not want to check for errors and want to simply invoke ``lua_error`` in the case of errors (which will call ``panic``), use ``unsafe_script(_file)`` versions. + +These functions run the desired blob of either code that is in a string, or code that comes from a filename, on the ``lua_State*``. It will not run isolated: any scripts or code run will affect code in the ``lua_State*`` the object uses as well (unless ``local`` is applied to a variable declaration, as specified by the Lua language). Code ran in this fashion is not isolated. If you need isolation, consider creating a new state or traditional Lua sandboxing techniques. + +If your script returns a value, you can capture it from the returned :ref:`sol::unsafe_function_result<unsafe-function-result>`/:ref:`sol::protected_function_result<protected-function-result>`. Note that the plain versions that do not take an environment or a callback function assume that the contents internally not only loaded properly but ran to completion without errors, for the sake of simplicity and performance. + +To handle errors when using the second overload, provide a callable function/object that takes a ``lua_State*`` as its first argument and a ``sol::protected_function_result`` as its second argument. ``sol::script_default_on_error`` and ``sol::script_pass_on_error`` are 2 functions provided by sol that will either generate a traceback error to return / throw (if throwing is allowed); or, pass the error on through and return it to the user (respectively). An example of having your: + +.. literalinclude:: ../../../examples/source/docs/state_script_safe.cpp + :linenos: + :name: state-script-safe + +You can also pass a :doc:`sol::environment<environment>` to ``script``/``script_file`` to have the script have sandboxed / contained in a way inside of a state. This is useful for runnig multiple different "perspectives" or "views" on the same state, and even has fallback support. See the :doc:`sol::environment<environment>` documentation for more details. + +.. code-block:: cpp + :caption: function: require / require_file + :name: state-require-function + + sol::object require(const std::string& key, lua_CFunction open_function, bool create_global = true); + sol::object require_script(const std::string& key, const std::string& code, bool create_global = true); + sol::object require_file(const std::string& key, const std::string& file, bool create_global = true); + +These functions play a role similar to `luaL_requiref`_ except that they make this functionality available for loading a one-time script or a single file. The code here checks if a module has already been loaded, and if it has not, will either load / execute the file or execute the string of code passed in. If ``create_global`` is set to true, it will also link the name ``key`` to the result returned from the open function, the code or the file. Regardless or whether a fresh load happens or not, the returned module is given as a single :doc:`sol::object<object>` for you to use as you see fit. + +Thanks to `Eric (EToreo) for the suggestion on this one`_! + +.. code-block:: cpp + :caption: function: load / load_file + :name: state-load-code + + sol::load_result load(lua_Reader reader, void* data, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + sol::load_result load(const string_view& code, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + sol::load_result load_buffer(const char* buff, std::size_t buffsize, const std::string& chunk_name = "[string]", load_mode mode = load_mode::any); + sol::load_result load_file(const std::string& filename, load_mode mode = load_mode::any); + +These functions *load* the desired blob of either code that is in a string, or code that comes from a filename, on the ``lua_State*``. That blob will be turned into a Lua Function. It will not be run: it returns a ``load_result`` proxy that can be called to actually run the code, when you are ready. It can also be turned into a ``sol::function``, a ``sol::protected_function``, or some other abstraction that can serve to call the function. If it is called, it will run on the object's current ``lua_State*``: it is not isolated. If you need isolation, consider using :doc:`sol::environment<environment>`, creating a new state, or other Lua sandboxing techniques. + +Finally, if you have a custom source of data, you can use the ``lua_Reader`` overloaded function alongside passing in a ``void*`` pointing to a single type that has everything you need to run it. Use that callback to provide data to the underlying Lua implementation to read data, as explained `in the Lua manual`_. + +This is a low-level function and if you do not understand the difference between loading a piece of code versus running that code, you should be using :ref:`state_view::script<state-script-function>`. + +.. code-block:: cpp + :caption: function: do_string / do_file + :name: state-do-code + + sol::protected_function_result do_string(const string_view& code); + sol::protected_function_result do_file(const std::string& filename); + sol::protected_function_result do_string(const string_view& code, sol::environment env); + sol::protected_function_result do_file(const std::string& filename, sol::environment env); + +These functions *loads and performs* the desired blob of either code that is in a string, or code that comes from a filename, on the ``lua_State*``. It *will* run, and then return a ``protected_function_result`` proxy that can be examined for either an error or the return value. This function does not provide a callback like :ref:`state_view::script<state-script-function>` does. It is a lower-level function that performs less checking and directly calls ``load(_file)`` before running the result, with the optional environment. + +It is advised that, unless you have specific needs or the callback function is not to your liking, that you work directly with :ref:`state_view::script<state-script-function>`. + +.. code-block:: cpp + :caption: function: global table / registry table + + sol::global_table globals() const; + sol::table registry() const; + +Get either the global table or the Lua registry as a :doc:`sol::table<table>`, which allows you to modify either of them directly. Note that getting the global table from a ``state``/``state_view`` is usually unnecessary as it has all the exact same functions as a :doc:`sol::table<table>` anyhow. + + +.. code-block:: cpp + :caption: function: set_panic + :name: set-panic + + void set_panic(lua_CFunction panic); + +Overrides the panic function Lua calls when something unrecoverable or unexpected happens in the Lua VM. Must be a function of the that matches the ``int(lua_State*)`` function signature. + + +.. code-block:: cpp + :caption: function: memory_used + :name: memory-used + + std::size_t memory_used() const; + +Returns the amount of memory used *in bytes* by the Lua State. + + +.. code-block:: cpp + :caption: function: collect_garbage + :name: collect-garbage + + void collect_garbage(); + +Attempts to run the garbage collector. Note that this is subject to the same rules as the Lua API's collect_garbage function: memory may or may not be freed, depending on dangling references or other things, so make sure you don't have tables or other stack-referencing items currently alive or referenced that you want to be collected. + + +.. code-block:: cpp + :caption: function: make a table + + sol::table create_table(int narr = 0, int nrec = 0); + template <typename Key, typename Value, typename... Args> + sol::table create_table(int narr, int nrec, Key&& key, Value&& value, Args&&... args); + + + template <typename... Args> + sol::table create_table_with(Args&&... args); + + static sol::table create_table(lua_State* L, int narr = 0, int nrec = 0); + template <typename Key, typename Value, typename... Args> + static sol::table create_table(lua_State* L, int narr, int nrec, Key&& key, Value&& value, Args&&... args); + +Creates a table. Forwards its arguments to :ref:`table::create<table-create>`. Applies the same rules as :ref:`table.set<set-value>` when putting the argument values into the table, including how it handles callable objects. + +.. _standard lua libraries: http://www.lua.org/manual/5.3/manual.html#6 +.. _luaL_requiref: https://www.lua.org/manual/5.3/manual.html#luaL_requiref +.. _Eric (EToreo) for the suggestion on this one: https://github.com/ThePhD/sol2/issues/90 +.. _in the Lua manual: https://www.lua.org/manual/5.3/manual.html#lua_Reader diff --git a/deps/sol2/docs/source/api/table.rst b/deps/sol2/docs/source/api/table.rst new file mode 100644 index 0000000..e5a1df9 --- /dev/null +++ b/deps/sol2/docs/source/api/table.rst @@ -0,0 +1,256 @@ +table +===== +*a representation of a Lua (meta)table* + + +.. code-block:: cpp + + template <bool global> + class table_core; + + typedef table_core<false> table; + typedef table_core<true> global_table; + + class lua_table; + +``sol::table`` is an extremely efficient manipulator of state that brings most of the magic of the sol abstraction. Capable of doing multiple sets at once, multiple gets into a ``std::tuple``, being indexed into using ``[key]`` syntax and setting keys with a similar syntax (see: :doc:`here<proxy>`), ``sol::table`` is the corner of the interaction between Lua and C++. + +There are two kinds of tables: the global table and non-global tables: however, both have the exact same interface and all ``sol::global_table`` s are convertible to regular ``sol::table`` s. + +Tables are the core of Lua, and they are very much the core of sol. + +``sol::lua_table`` is specifically useful for specifying you want **exactly** a Lua table, and not something that can masquerade like a table (e.g., a userdata with a metatable that has overriden `__index` and `__new_index` fields). + + +members +------- + +.. code-block:: cpp + :caption: constructor: table + + table(lua_State* L, int index = -1); + table(lua_State* L, sol::new_table nt) + +The first takes a table from the Lua stack at the specified index and allows a person to use all of the abstractions therein. The second creates a new table using the capacity hints specified in ``sol::new_table``'s structure (``sequence_hint`` and ``map_hint``). If you don't care exactly about the capacity, create a table using ``sol::table my_table(my_lua_state, sol::create);``. Otherwise, specify the table creation size hints by initializing it manually through :doc:`sol::new_table's simple constructor<new_table>`. + +.. code-block:: cpp + :caption: function: get / traversing get + :name: get-value + + template<typename... Args, typename... Keys> + decltype(auto) get(Keys&&... keys) const; + + template<typename T, typename... Keys> + decltype(auto) traverse_get(Keys&&... keys) const; + + template<typename T, typename Key> + decltype(auto) get_or(Key&& key, T&& otherwise) const; + + template<typename T, typename Key, typename D> + decltype(auto) get_or(Key&& key, D&& otherwise) const; + + +These functions retrieve items from the table. The first one (``get``) can pull out *multiple* values, 1 for each key value passed into the function. In the case of multiple return values, it is returned in a ``std::tuple<Args...>``. It is similar to doing ``return table["a"], table["b"], table["c"]``. Because it returns a ``std::tuple``, you can use ``std::tie``/``std::make_tuple`` on a multi-get to retrieve all of the necessary variables. The second one (``traverse_get``) pulls out a *single* value, using each successive key provided to do another lookup into the last. It is similar to doing ``x = table["a"]["b"]["c"][...]``. + +If the keys within nested queries try to traverse into a table that doesn't exist, it will first pull out a ``nil`` value. If there are further lookups past a key that do not exist, the additional lookups into the nil-returned variable will cause a panic to be fired by the lua C API. If you need to check for keys, check with ``auto x = table.get<sol::optional<int>>( std::tie("a", "b", "c" ) );``, and then use the :doc:`optional<optional>` interface to check for errors. As a short-hand, easy method for returning a default if a value doesn't exist, you can use ``get_or`` instead. + +This function does not create tables where they do not exist. + +.. code-block:: cpp + :caption: function: raw get / traversing raw get + :name: raw-get-value + + template<typename... Args, typename... Keys> + decltype(auto) raw_get(Keys&&... keys) const; + + template<typename T, typename... Keys> + decltype(auto) traverse_raw_get(Keys&&... keys) const; + + template<typename T, typename Key> + decltype(auto) raw_get_or(Key&& key, T&& otherwise) const; + + template<typename T, typename Key, typename D> + decltype(auto) raw_get_or(Key&& key, D&& otherwise) const; + + +Similar to :ref:`get<get-value>`, but it does so "raw" (ignoring metamethods on the table's metatable). + +.. code-block:: cpp + :caption: function: set / traversing set + :name: set-value + + template<typename... Args> + table& set(Args&&... args); + + template<typename... Args> + table& traverse_set(Args&&... args); + +These functions set items into the table. The first one (``set``) can set *multiple* values, in the form ``key_a, value_a, key_b, value_b, ...``. It is similar to ``table[key_a] = value_a; table[key_b] = value_b, ...``. The second one (``traverse_set``) sets a *single* value, using all but the last argument as keys to do another lookup into the value retrieved prior to it. It is equivalent to ``table[key_a][key_b][...] = value;``. + +If the keys within nested queries try to traverse into a table that doesn't exist, it will first pull out a ``nil`` value. If there are further lookups past a key that do not exist, the additional lookups into the nil-returned variable will cause a panic to be fired by the lua C API. + +Please note how callables and lambdas are serialized, as there may be issues on GCC-based implementations. See this :ref:`note here<lambda-registry>`. + +This function does not create tables where they do not exist. + +.. code-block:: cpp + :caption: function: raw set / traversing raw set + :name: raw-set-value + + template<typename... Args> + table& raw_set(Args&&... args); + + template<typename... Args> + table& traverse_raw_set(Args&&... args); + +Similar to :ref:`set<set-value>`, but it does so "raw" (ignoring metamethods on the table's metatable). + +Please note how callables and lambdas are serialized, as there may be issues on GCC-based implementations. See this :ref:`note here<lambda-registry>`. + +.. note:: + + Value semantics are applied to all set operations. If you do not ``std::ref( obj )`` or specifically make a pointer with ``std::addressof( obj )`` or ``&obj``, it will copy / move. This is different from how :doc:`sol::function<function>` behaves with its call operator. Also note that this does not detect callables by default: see the :ref:`note here<binding-callable-objects>`. + +.. code-block:: cpp + :caption: function: set a function with the specified key into lua + :name: set-function + + template<typename Key, typename Fx> + state_view& set_function(Key&& key, Fx&& fx, [...]); + +Sets the desired function to the specified key value. Note that it also allows for passing a member function plus a member object or just a single member function: however, using a lambda is almost always better when you want to bind a member function + class instance to a single function call in Lua. Also note that this will allow Lua to understand that a callable object (such as a lambda) should be serialized as a function and not as a userdata: see the :ref:`note here<binding-callable-objects>` for more details. + +.. code-block:: cpp + :caption: function: add + + template<typename... Args> + table& add(Args&&... args); + +This function appends a value to a table. The definition of appends here is only well-defined for a table which has a perfectly sequential (and integral) ordering of numeric keys with associated non-null values (the same requirement for the :ref:`size<size-function>` function). Otherwise, this falls to the implementation-defined behavior of your Lua VM, whereupon is may add keys into empty 'holes' in the array (e.g., the first empty non-sequential integer key it gets to from ``size``) or perhaps at the very "end" of the "array". Do yourself the favor of making sure your keys are sequential. + +Each argument is appended to the list one at a time. + +.. code-block:: cpp + :caption: function: size + :name: size-function + + std::size_t size() const; + +This function returns the size of a table. It is only well-defined in the case of a Lua table which has a perfectly sequential (and integral) ordering of numeric keys with associated non-null values. + +.. code-block:: cpp + :caption: function: setting a usertype + :name: new-usertype + + template<typename Class, typename... Args> + table& new_usertype(const std::string& name, Args&&... args); + template<typename Class, typename CTor0, typename... CTor, typename... Args> + table& new_usertype(const std::string& name, Args&&... args); + template<typename Class, typename... CArgs, typename... Args> + table& new_usertype(const std::string& name, constructors<CArgs...> ctor, Args&&... args); + +This class of functions creates a new :doc:`usertype<usertype>` with the specified arguments, providing a few extra details for constructors. After creating a usertype with the specified argument, it passes it to :ref:`set_usertype<set_usertype>`. + +.. code-block:: cpp + :caption: function: creating an enum + :name: new-enum + + template<bool read_only = true, typename... Args> + basic_table_core& new_enum(const std::string& name, Args&&... args); + template<typename T, bool read_only = true> + basic_table_core& new_enum(const std::string& name, std::initializer_list<std::pair<string_view, T>> items); + +Use this function to create an enumeration type in Lua. By default, the enum will be made read-only, which creates a tiny performance hit to make the values stored in this table behave exactly like a read-only enumeration in C++. If you plan on changing the enum values in Lua, set the ``read_only`` template parameter in your ``new_enum`` call to false. The arguments are expected to come in ``key, value, key, value, ...`` list. + +If you use the second overload, you will create a (runtime) ``std::initializer_list``. This will avoid compiler overhead for excessively large enumerations. For this overload, hoever, you must pass the enumeration name as a template parameter first, and then the ``read_only`` parameter, like ``lua.new_enum<my_enum>( "my_enum", { {"a", my_enum:: a}, { "b", my_enum::b } } );``. + +.. _set_usertype: + +.. code-block:: cpp + :caption: function: setting a pre-created usertype + :name: set-usertype + + template<typename T> + table& set_usertype(usertype<T>& user); + template<typename Key, typename T> + table& set_usertype(Key&& key, usertype<T>& user); + +Sets a previously created usertype with the specified ``key`` into the table. Note that if you do not specify a key, the implementation falls back to setting the usertype with a ``key`` of ``usertype_traits<T>::name``, which is an implementation-defined name that tends to be of the form ``{namespace_name 1}_[{namespace_name 2 ...}_{class name}``. + +.. code-block:: cpp + :caption: function: begin / end for iteration + :name: table-iterators + + table_iterator begin () const; + table_iterator end() const; + table_iterator cbegin() const; + table_iterator cend() const; + +Provides (what can barely be called) `input iterators`_ for a table. This allows tables to work with single-pass, input-only algorithms (like ``std::for_each``). Note that manually getting an iterator from ``.begin()`` without a ``.end()`` or using postfix incrementation (``++mytable.begin()``) will lead to poor results. The Lua stack is manipulated by an iterator and thusly not performing the full iteration once you start is liable to ruin either the next iteration or break other things subtly. Use a C++11 ranged for loop, ``std::for_each``, or other algorithims which pass over the entire collection at least once and let the iterators fall out of scope. + +.. _iteration_note: +.. warning:: + + The iterators you use to walk through a ``sol::table`` are NOT guaranteed to iterate in numeric order, or ANY kind of order. They may iterate backwards, forwards, in the style of cuckoo-hashing, by accumulating a visited list while calling ``rand()`` to find the next target, or some other crazy scheme. Now, no implementation would be crazy, but it is behavior specifically left undefined because there are many ways that your Lua package can implement the table type. + + Iteration order is NOT something you should rely on. If you want to figure out the length of a table, call the length operation (``int count = mytable.size();`` using the sol API) and then iterate from ``1`` to ``count`` (inclusive of the value of count, because Lua expects iteration to work in the range of ``[1, count]``). This will save you some headaches in the future when the implementation decides not to iterate in numeric order. + + +.. code-block:: cpp + :caption: function: iteration with a function + :name: table-for-each + + template <typename Fx> + void for_each(Fx&& fx); + +A functional ``for_each`` loop that calls the desired function. The passed in function must take either ``sol::object key, sol::object value`` or take a ``std::pair<sol::object, sol::object> key_value_pair``. This version can be a bit safer as allows the implementation to definitively pop the key/value off the Lua stack after each call of the function. + +.. code-block:: cpp + :caption: function: operator[] access + + template<typename T> + proxy<table&, T> operator[](T&& key); + template<typename T> + proxy<const table&, T> operator[](T&& key) const; + +Generates a :doc:`proxy<proxy>` that is templated on the table type and the key type. Enables lookup of items and their implicit conversion to a desired type. Lookup is done lazily. + +Please note how callables and lambdas are serialized, as there may be issues on GCC-based implementations. See this :ref:`note here<lambda-registry>`. + +.. code-block:: cpp + :caption: function: create a table with defaults + :name: table-create + + table create(int narr = 0, int nrec = 0); + template <typename Key, typename Value, typename... Args> + table create(int narr, int nrec, Key&& key, Value&& value, Args&&... args); + + static table create(lua_State* L, int narr = 0, int nrec = 0); + template <typename Key, typename Value, typename... Args> + static table create(lua_State* L, int narr, int nrec, Key&& key, Value&& value, Args&&... args); + +Creates a table, optionally with the specified values pre-set into the table. If ``narr`` or ``nrec`` are 0, then compile-time shenanigans are used to guess the amount of array entries (e.g., integer keys) and the amount of hashable entries (e.g., all other entries). + +.. code-block:: cpp + :caption: function: create a table with compile-time defaults assumed + :name: table-create-with + + template <typename... Args> + table create_with(Args&&... args); + template <typename... Args> + static table create_with(lua_State* L, Args&&... args); + + +Creates a table, optionally with the specified values pre-set into the table. It checks every 2nd argument (the keys) and generates hints for how many array or map-style entries will be placed into the table. Applies the same rules as :ref:`table.set<set-value>` when putting the argument values into the table, including how it handles callable objects. + +.. code-block:: cpp + :caption: function: create a named table with compile-time defaults assumed + :name: table-create-named + + template <typename Name, typename... Args> + table create_named(Name&& name, Args&&... args); + + +Creates a table, optionally with the specified values pre-set into the table, and sets it as the key ``name`` in the table. Applies the same rules as :ref:`table.set<set-value>` when putting the argument values into the table, including how it handles callable objects. + +.. _input iterators: http://en.cppreference.com/w/cpp/concept/InputIterator diff --git a/deps/sol2/docs/source/api/table_traversal_keys.rst b/deps/sol2/docs/source/api/table_traversal_keys.rst new file mode 100644 index 0000000..9ad224c --- /dev/null +++ b/deps/sol2/docs/source/api/table_traversal_keys.rst @@ -0,0 +1,9 @@ +table traversal keys
+====================
+*the definitive way to get and set things easily*
+
+
+Objects ``sol::update_if_empty``, ``sol::create_if_nil``, and ``sol::override_value`` are special keys one can pass into a table traversal to enable creating tables as they go in ``nil``/empty spaces, optionally updating a value at the end of a chain of lookups if it is empty, or overriding the values and tables along a chain as they go. Each special key can be used in lookup and setting functionality on tables. It is primarily to enable easy use and creation of functionality like so:
+
+.. literalinclude:: ../../../examples/source/table_create_if_nil.cpp
+ :linenos:
diff --git a/deps/sol2/docs/source/api/this_environment.rst b/deps/sol2/docs/source/api/this_environment.rst new file mode 100644 index 0000000..de37a63 --- /dev/null +++ b/deps/sol2/docs/source/api/this_environment.rst @@ -0,0 +1,46 @@ +this_environment +================ +*retrieving the environment of the calling function* + + +Sometimes in C++ it's useful to know where a Lua call is coming from and what :doc:`environment<environment>` it is from. The former is covered by Lua's Debug API, which is extensive and is not fully wrapped up by sol3. But, sol3 covers the latter in letting you get the environment of the calling script / function, if it has one. ``sol::this_environment`` is a *transparent argument* and does not need to be passed in Lua scripts or provided when using :doc:`sol::function<function>`, similar to :doc:`sol::this_state<this_state>`: + +.. code-block:: cpp + :linenos: + + #define SOL_ALL_SAFETIES_ON + #include <sol/sol.hpp> + + #include <iostream> + + + void env_check(sol::this_state ts, int x, sol::this_environment te) { + std::cout << "In C++, 'int x' is in the second position, and its value is: " << x << std::endl; + if (!te) { + std::cout << "function does not have an environment: exiting function early" << std::endl; + return; + } + sol::environment& env = te; + sol::state_view lua = ts; + sol::environment freshenv = lua["freshenv"]; + bool is_same_env = freshenv == env; + std::cout << "env == freshenv : " << is_same_env << std::endl; + } + + int main() { + sol::state lua; + sol::environment freshenv(lua, sol::create, lua.globals()); + lua["freshenv"] = freshenv; + + lua.set_function("f", env_check); + + // note that "f" only takes 1 argument and is okay here + lua.script("f(25)", freshenv); + + return 0; + } + + +Also see `this example`_ for more details. + +.. _this example: https://github.com/ThePhD/sol2/blob/develop/examples/source/environment_snooping.cpp
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/this_state.rst b/deps/sol2/docs/source/api/this_state.rst new file mode 100644 index 0000000..46eec7b --- /dev/null +++ b/deps/sol2/docs/source/api/this_state.rst @@ -0,0 +1,13 @@ +this_state +========== +*transparent state argument for the current state* + + +.. code-block:: cpp + + struct this_state; + +This class is a transparent type that is meant to be gotten in functions to get the current lua state a bound function or usertype method is being called from. It does not actually retrieve anything from lua nor does it increment the argument count, making it "invisible" to function calls in lua and calls through ``std::function<...>`` and :doc:`sol::function<function>` on this type. It can be put in any position in the argument list of a function: + +.. literalinclude:: ../../../examples/source/this_state.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/thread.rst b/deps/sol2/docs/source/api/thread.rst new file mode 100644 index 0000000..d4a0b63 --- /dev/null +++ b/deps/sol2/docs/source/api/thread.rst @@ -0,0 +1,79 @@ +thread +====== +*a separate state that can contain and run functions* + +.. code-block:: cpp + + class thread : public reference { /* ... */ }; + +``sol::thread`` is a separate runnable part of the Lua VM that can be used to execute work separately from the main thread, such as with :doc:`coroutines<coroutine>`. To take a table or a coroutine and run it specifically on the ``sol::thread`` you either pulled out of lua or created, just get that function through the :ref:`state of the thread<thread_state>` + +.. note:: + + A CPU thread is not always equivalent to a new thread in Lua: ``std::this_thread::get_id()`` can be the same for 2 callbacks that have 2 distinct Lua threads. In order to know which thread a callback was called in, hook into :doc:`sol::this_state<this_state>` from your Lua callback and then construct a ``sol::thread``, passing in the ``sol::this_state`` for both the first and last arguments. Then examine the results of the status and ``is_...`` calls below. + +free function +------------- + +.. code-block:: cpp + :caption: function: main_thread + + main_thread(lua_State* current, lua_State* backup_if_bad_platform = nullptr); + +The function ``sol::main_thread( ... )`` retrieves the main thread of the application on Lua 5.2 and above *only*. It is designed for code that needs to be multithreading-aware (e.g., uses multiple :doc:`threads<thread>` and :doc:`coroutines<coroutine>`). + +.. warning:: + + This code function will be present in Lua 5.1/LuaJIT, but only have proper behavior when given a single argument on Lua 5.2 and beyond. Lua 5.1 does not support retrieving the main thread from its registry, and therefore it is entirely suggested if you are writing cross-platform Lua code that you must store the main thread of your application in some global storage accessible somewhere. Then, pass this item into the ``sol::main_thread( possibly_thread_state, my_actual_main_state )`` and it will select that ``my_actual_main_state`` every time. If you are not going to use Lua 5.1 / LuaJIT, you can ignore the last parameter. + + +members +------- + +.. code-block:: cpp + :caption: constructor: thread + + thread(stack_reference r); + thread(lua_State* L, int index = -1); + thread(lua_State* L, lua_State* actual_thread); + +Takes a thread from the Lua stack at the specified index and allows a person to use all of the abstractions therein. It can also take an actual thread state to make a thread from that as well. + +.. code-block:: cpp + :caption: function: view into thread_state()'s state + + state_view state() const; + +This retrieves the current state of the thread, producing a :doc:`state_view<state>` that can be manipulated like any other. :doc:`Coroutines<coroutine>` pulled from Lua using the thread's state will be run on that thread specifically. + +.. _thread_state: + +.. code-block:: cpp + :caption: function: retrieve thread state object + + lua_State* thread_state () const; + +This function retrieves the ``lua_State*`` that represents the thread. + +.. code-block:: cpp + :caption: current thread status + + thread_status status () const; + +Retrieves the :doc:`thread status<types>` that describes the current state of the thread. + +.. code-block:: cpp + :caption: main thread status + + bool is_main_thread () const; + +Checks to see if the thread is the main Lua thread. + +.. code-block:: cpp + :caption: function: thread creation + :name: thread-create + + thread create(); + static thread create (lua_State* L); + +Creates a new thread from the given a ``lua_State*``.
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/tie.rst b/deps/sol2/docs/source/api/tie.rst new file mode 100644 index 0000000..946f7e6 --- /dev/null +++ b/deps/sol2/docs/source/api/tie.rst @@ -0,0 +1,11 @@ +tie +=== +*improved version of std::tie* + + +`std::tie()`_ does not work well with :doc:`sol::function<function>`'s ``sol::function_result`` returns. Use ``sol::tie`` instead. Because they're both named `tie`, you'll need to be explicit when you use sol's by naming it with the namespace (``sol::tie``), even with a ``using namespace sol;``. Here's an example: + +.. literalinclude:: ../../../examples/source/tie.cpp + :linenos: + +.. _std::tie(): http://en.cppreference.com/w/cpp/utility/tuple/tie diff --git a/deps/sol2/docs/source/api/types.rst b/deps/sol2/docs/source/api/types.rst new file mode 100644 index 0000000..31a359b --- /dev/null +++ b/deps/sol2/docs/source/api/types.rst @@ -0,0 +1,234 @@ +types +===== +*nil, lua_primitive type traits, and other fundamentals* + +The ``types.hpp`` header contains various fundamentals and utilities of sol. + + +enumerations +------------ + +.. code-block:: cpp + :caption: syntax of a function called by Lua + :name: call-syntax + + enum class call_syntax { + dot = 0, + colon = 1 + }; + +This enumeration indicates the syntax a function was called with in a specific scenario. There are two ways to call a function: with ``obj:func_name( ... )`` or ``obj.func_name( ... );`` The first one passes "obj" as the first argument: the second one does not. In the case of usertypes, this is used to determine whether the call to a :doc:`constructor/initializer<usertype>` was called with a ``:`` or a ``.``, and not misalign the arguments. + +.. code-block:: cpp + :caption: status of a Lua function call + :name: call-status + + enum class call_status : int { + ok = LUA_OK, + yielded = LUA_YIELD, + runtime = LUA_ERRRUN, + memory = LUA_ERRMEM, + handler = LUA_ERRERR, + gc = LUA_ERRGCMM + }; + +This strongly-typed enumeration contains the errors potentially generated by a call to a :doc:`protected function<protected_function>` or a :doc:`coroutine<coroutine>`. + +.. code-block:: cpp + :caption: status of a Lua thread + :name: thread-status + + enum class thread_status : int { + ok = LUA_OK, + yielded = LUA_YIELD, + runtime = LUA_ERRRUN, + memory = LUA_ERRMEM, + gc = LUA_ERRGCMM, + handler = LUA_ERRERR, + dead, + }; + +This enumeration contains the status of a thread. The ``thread_status::dead`` state is generated when the thread has nothing on its stack and it is not running anything. + +.. code-block:: cpp + :caption: status of a Lua load operation + :name: load-status + + enum class load_status : int { + ok = LUA_OK, + runtime = LUA_ERRSYNTAX, + memory = LUA_ERRMEM, + gc = LUA_ERRGCMM, + file = LUA_ERRFILE, + }; + +This enumeration contains the status of a load operation from :ref:`state::load(_file)<state-load-code>`. + +.. code-block:: cpp + :caption: type enumeration + :name: type-enum + + enum class type : int { + none = LUA_TNONE, + lua_nil = LUA_TNIL, + string = LUA_TSTRING, + number = LUA_TNUMBER, + thread = LUA_TTHREAD, + boolean = LUA_TBOOLEAN, + function = LUA_TFUNCTION, + userdata = LUA_TUSERDATA, + lightuserdata = LUA_TLIGHTUSERDATA, + table = LUA_TTABLE, + poly = none | nil | string | number | thread | + table | boolean | function | userdata | lightuserdata, + // if not in Objective C land... + nil = LUA_TNIL + }; + +The base types that Lua natively communicates in and understands. Note that "poly" isn't really a true type, it's just a symbol used in sol for something whose type hasn't been checked (and you should almost never see it). + + +type traits +----------- + +.. code-block:: cpp + :caption: lua_type_of trait + :name: lua-type-of + + template <typename T> + struct lua_type_of; + +This type trait maps a C++ type to a :ref:`type enumeration<type-enum>` value. The default value is ``type::userdata``. + +.. code-block:: cpp + :caption: primitive checking traits + :name: is-primitive + + template <typename T> + struct is_lua_primitive; + + template <typename T> + struct is_proxy_primitive; + + +This trait is used by :doc:`proxy<proxy>` to know which types should be returned as references to internal Lua memory (e.g., ``userdata`` types) and which ones to return as values (strings, numbers, :doc:`references<reference>`). ``std::reference_wrapper``, ``std::tuple<...>`` are returned as values, but their contents can be references. The default value is false. + +special types +------------- + +.. code-block:: cpp + :caption: nil + :name: nil + + struct lua_nil_t {}; + constexpr lua_nil_t lua_nil {}; + bool operator==(lua_nil_t, lua_nil_t); + bool operator!=(lua_nil_t, lua_nil_t); + + // if not in Objective-C land + using nil_t = lua_nil_t; + constexpr nil_t nil {}; + + +``nil`` is a constant used to signify Lua's ``nil``, which is a type and object that something does not exist. It is comparable to itself, :doc:`sol::object<object>` and :doc:`proxy values<proxy>`. + + +.. code-block:: cpp + :caption: non_null + + template <typename T> + struct non_null {}; + +A tag type that, when used with :doc:`stack::get\<non_null\<T*>><stack>`, does not perform a ``nil`` check when attempting to retrieve the userdata pointer. + + +.. code-block:: cpp + :caption: type list + :name: type-list + + template <typename... Args> + struct types; + +A type list that, unlike ``std::tuple<Args...>``, does not actually contain anything. Used to indicate types and groups of types all over sol. + + +functions +--------- + +.. code-block:: cpp + :caption: type_of + + template<typename T> + type type_of(); + + type type_of(lua_State* L, int index); + + +These functions get the type of a C++ type ``T``; or the type at the specified index on the Lua stack. + +.. code-block:: cpp + :caption: type checking convenience functions + + int type_panic_string(lua_State* L, int index, type expected, type actual, const std::string& message); + + int type_panic_c_str(lua_State* L, int index, type expected, type actual, const char* message); + + int no_panic(lua_State*, int, type, type, const char*) noexcept; + + void type_error(lua_State* L, int expected, int actual); + + void type_error(lua_State* L, type expected, type actual); + + void type_assert(lua_State* L, int index, type expected, type actual); + + void type_assert(lua_State* L, int index, type expected); + +The purpose of these functions is to assert / throw / crash / error (or do nothing, as is the case with ``no_panic``). They're mostly used internally in the framework, but they're provided here if you should need them. + +.. code-block:: cpp + :caption: type name retrieval + + std::string type_name(lua_State*L, type t); + +Gets the Lua-specified name of the :ref:`type<type-enum>`. + +structs +------- + +.. code-block:: cpp + + struct userdata_value { + void* value; + }; + + struct light_userdata_value { + void* value; + }; + + struct upvalue_index { + int index; + }; + + struct raw_index { + int index; + }; + + struct absolute_index { + int index; + }; + + struct ref_index { + int index; + }; + + +Types that differentiate between the two kinds of ``void*`` Lua hands back from its API: full userdata and light userdata, as well as a type that modifies the index passed to ``get`` to refer to `up values`_ These types can be used to trigger different underlying API calls to Lua when working with :doc:`stack<stack>` namespace and the ``push``/``get``/``pop``/``check`` functions. + +The ``raw_index`` type is used to tell a :doc:`sol::reference<reference>` type or similar that the desired index -- negative or not -- should be passed through directly to the API. + +The ``absolute_index`` type is used to tell a :doc:`sol::reference<reference>` type or similar that the desired index -- negative or not -- should be passed through Lua's `lua_absindex`_ function first to adjust where it is, and then given to the underlying API. + +The ``ref_index`` type is used to tell a :doc:`sol::reference<reference>` type or similar that it should look into the Lua C Registry for its type. + +.. _up values: http://www.Lua.org/manual/5.3/manual.html#4.4 +.. _lua_absindex: https://www.lua.org/manual/5.3/manual.html#lua_absindex diff --git a/deps/sol2/docs/source/api/unique_usertype_traits.rst b/deps/sol2/docs/source/api/unique_usertype_traits.rst new file mode 100644 index 0000000..1281b04 --- /dev/null +++ b/deps/sol2/docs/source/api/unique_usertype_traits.rst @@ -0,0 +1,50 @@ +unique_usertype_traits<T> +========================= +*trait for hooking special handles / pointers* + + +.. code-block:: cpp + :caption: unique_usertype + :name: unique-usertype + + template <typename T> + struct unique_usertype_traits { + typedef T type; + typedef T actual_type; + static const bool value = false; + + static bool is_null(const actual_type&) {...} + + static type* get (const actual_type&) {...} + }; + +This is a customization point for users who need to *work with special kinds of pointers/handles*. The traits type alerts the library that a certain type is to be pushed as a special userdata with special deletion / destruction semantics, like many smart pointers / custom smart pointers / handles. It is already defined for ``std::unique_ptr<T, D>`` and ``std::shared_ptr<T>`` and works properly with those types (see `shared_ptr here`_ and `unique_ptr here`_ for examples). You can specialize this to get ``unique_usertype_traits`` semantics with your code. For example, here is how ``boost::shared_ptr<T>`` would look: + +.. code-block:: cpp + + namespace sol { + template <typename T> + struct unique_usertype_traits<boost::shared_ptr<T>> { + typedef T type; + typedef boost::shared_ptr<T> actual_type; + static const bool value = true; + + static bool is_null(const actual_type& ptr) { + return ptr == nullptr; + } + + static type* get (const actual_type& ptr) { + return ptr.get(); + } + }; + } + +This will allow the library to properly handle ``boost::shared_ptr<T>``, with ref-counting and all. The ``type`` is the type that lua and sol will interact with, and will allow you to pull out a non-owning reference / pointer to the data when you just ask for a plain ``T*`` or ``T&`` or ``T`` using the getter functions and properties of sol. The ``actual_type`` is just the "real type" that controls the semantics (shared, unique, ``CComPtr``, ``ComPtr``, OpenGL handles, DirectX objects, the list goes on). + +.. note:: + + If ``is_null`` triggers (returns ``true``), a ``nil`` value will be pushed into Lua rather than an empty structure. + + +.. _shared_ptr here: https://github.com/ThePhD/sol2/blob/develop/examples/source/shared_ptr.cpp +.. _unique_ptr here: https://github.com/ThePhD/sol2/blob/develop/examples/source/unique_ptr.cpp diff --git a/deps/sol2/docs/source/api/user.rst b/deps/sol2/docs/source/api/user.rst new file mode 100644 index 0000000..712f2d3 --- /dev/null +++ b/deps/sol2/docs/source/api/user.rst @@ -0,0 +1,19 @@ +light<T>/user<T> +================ +*utility class for the cheapest form of (light) userdata* + + +.. code-block:: cpp + + template <typename T> + struct user; + + template <typename T> + struct light; + + +``sol::user<T>`` and ``sol::light<T>`` are two utility classes that do not participate in the full :doc:`sol::usertype\<T><usertype>` system. The goal of these classes is to provide the most minimal memory footprint and overhead for putting a single item and getting a single item out of Lua. ``sol::user<T>``, when pushed into Lua, will create a thin, unnamed metatable for that instance specifically which will be for calling its destructor. ``sol::light<T>`` specifically pushes a reference / pointer into Lua as a ``sol::type::lightuserdata``. + +If you feel that you do not need to have something participate in the full :doc:`usertype\<T><usertype>` system, use the utility functions ``sol::make_user( ... )`` and ``sol::make_light( ... )`` to create these types and store them into Lua. You can get them off the Lua stack / out of the Lua system by using the same retrieval techniques on ``get`` and ``operator[]`` on tables and with stack operations. + +Both have implicit conversion operators to ``T*`` and ``T&``, so you can set them immediately to their respective pointer and reference types if you need them.
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/userdata.rst b/deps/sol2/docs/source/api/userdata.rst new file mode 100644 index 0000000..173e3e7 --- /dev/null +++ b/deps/sol2/docs/source/api/userdata.rst @@ -0,0 +1,12 @@ +userdata +======== +*reference to a userdata* + +.. code-block:: cpp + :caption: (light\_)userdata reference + + class userdata : public table; + + class light_userdata : public table; + +These types are meant to hold a reference to a (light) userdata from Lua and make it easy to push an existing userdata onto the stack. It is essentially identical to :doc:`table<table>` in every way, just with a definitive C++ type that ensures the type is some form of userdata (helpful for trapping type errors with :doc:`safety features turned on<../safety>`). You can also use its ``.is<T>()`` and ``.as<T>()`` methods to check if its of a specific type and retrieve that type, respectively. diff --git a/deps/sol2/docs/source/api/usertype.rst b/deps/sol2/docs/source/api/usertype.rst new file mode 100644 index 0000000..d695347 --- /dev/null +++ b/deps/sol2/docs/source/api/usertype.rst @@ -0,0 +1,332 @@ +usertype<T> +=========== +*structures and classes from C++ made available to Lua code* + + +.. note:: + + ``T`` refers to the type being turned into a usertype. + +.. code-block:: cpp + + class metatable : public table; + + template <typename T> + class usertype : public metatable; + +While other frameworks extend lua's syntax or create Data Structure Languages (DSLs) to create classes in Lua, :doc:`sol<../index>` instead offers the ability to generate easy bindings that pile on performance. You can see a `small starter example here`_. These use metatables and userdata in Lua for their implementation. Usertypes are also `runtime extensible`_. + +There are more advanced use cases for how to create and use a usertype, which are all based on how to use its `.set()` function and its initial construction (see below). + +enumerations +------------ + +.. _meta_function_enum: + +.. code-block:: cpp + :caption: meta_function enumeration for names + :linenos: + + enum class meta_function { + construct, + index, + new_index, + mode, + call, + call_function = call, + metatable, + to_string, + length, + unary_minus, + addition, + subtraction, + multiplication, + division, + modulus, + power_of, + involution = power_of, + concatenation, + equal_to, + less_than, + less_than_or_equal_to, + garbage_collect, + floor_division, + bitwise_left_shift, + bitwise_right_shift, + bitwise_not, + bitwise_and, + bitwise_or, + bitwise_xor, + pairs, + ipairs, + next, + type, + type_info, + call_construct, + storage, + gc_names, + static_index, + static_new_index, + }; + + typedef meta_function meta_method; + +Use this enumeration to specify names in a manner friendlier than memorizing the special lua metamethod names for each of these. Each binds to a specific operation indicated by the descriptive name of the enum. You can read more about `the metamethods in the Lua manual`_ and learn about how they work and are supposed to be implemented there. Each of the names here (except for the ones used as shortcuts to other names like ``meta_function::call_function`` and ``meta_function::involution`` and not including ``construct``, which just maps to the name ``new``) link directly to the Lua name for the operation. ``meta_function::pairs`` is only available in Lua 5.2 and above (does not include LuaJIT or Lua 5.1) and ``meta_function::ipairs`` is only available in Lua 5.2 exactly (disregarding compatibiltiy flags). + +Some are also sol2 specific, for example ``meta_function::type_info``, ``meta_function::call_construct``, ``meta_function::static_index`` and ``meta_function::static_new_index`` are sol2-specific and usable by users. The entries ``meta_function::storage`` and ``meta_function::gc_names`` are sol2-internal but still in the enumeration; **please** do not use them. + +``meta_function::index`` and ``meta_function::new_index`` apply strictly to when an object in Lua is called with a key *it does not already know* (e.g., was not bound by the C++ programmer with ``.set(...)`` or ``.new_usertype<...>(...);``. ``meta_function::static_index`` and `meta_function::static_new_index`` functions get called when the the key is not found and the user is calling the new function from the named metatable itself. + +structs +------- + +.. _automagic_enrollments: + +.. code-block:: cpp + :caption: automagic_enrollments for special members defined on a class + :linenos: + + struct automagic_enrollments { + bool default_constructor = true; + bool destructor = true; + bool pairs_operator = true; + bool to_string_operator = true; + bool call_operator = true; + bool less_than_operator = true; + bool less_than_or_equal_to_operator = true; + bool length_operator = true; + bool equal_to_operator = true; + }; + +This structure is used with ``new_usertype`` to specifically ordain certain special member functions to be bound to Lua, whether it is capable of them or not. + + +new_usertype/set +---------------- + +``sol::usertype<T>`` is a specialized version of ``sol::metatable``s, which are a specialized version of ``sol::table``. ``sol::metatable``s attempt to treat the table like either a Lua or a sol2 metatable. ``sol::usertype<T>`` demands that a usertype is a specific metatable for a specific class. Both of them are `sol::reference derived types<reference>`, meaning they take in the ``lua_State*``. For example... + + +new_usertype/set options +++++++++++++++++++++++++ + +If the type is `default_constructible`_, sol will generate a ``"new"`` member on the usertype for you. Otherwise, use ``my_table.new_usertype<MyType>("name", sol::no_constructor);`` to prevent the constructor or pass in a ``sol::automagic_enrollments enrollments; /* modify members here */;`` when calling ``.new_usertype<MyType>("name", enrollments);``. Otherwise, the following are special ways to handle the construction of a usertype: + +.. _constructor: + +* ``"{name}", constructors<T(), T(arg-1-0), T(arg-2-0, arg-2-1), ...>`` + - Specify the constructors to be bound under ``name``: list constructors by specifying their function signature with ``class_type(arg0, arg1, ... argN)`` + - If you pass the ``constructors<...>`` argument first when constructing the usertype, then it will automatically be given a ``"{name}"`` of ``"new"`` +* ``"{name}", constructors<Type-List-0, Type-List-1, ...>`` + - This syntax is longer and provided for backwards-compatibility: the above argument syntax is shorter and cleaner + - ``Type-List-N`` must be a ``sol::types<Args...>``, where ``Args...`` is a list of types that a constructor takes. Supports overloading by default + - If you pass the ``constructors<...>`` argument first when constructing the usertype, then it will automatically be given a ``"{name}"`` of ``"new"`` +* ``"{name}", sol::initializers( func1, func2, ... )`` + - Used to handle *initializer functions* that need to initialize the memory itself (but not actually allocate the memory, since that comes as a userdata block from Lua) + - Given one or more functions, provides an overloaded Lua function for creating the specified type + + The function must have the argument signature ``func( T*, Arguments... )`` or ``func( T&, Arguments... )``, where the pointer or reference will point to a place of allocated memory that has an uninitialized ``T``. Note that Lua controls the memory, so performing a ``new`` and setting it to the ``T*`` or ``T&`` is a bad idea: instead, use ``placement new`` to invoke a constructor, or deal with the memory exactly as you see fit +* ``{anything}, sol::factories( func1, func2, ... )`` + - Used to indicate that a factory function (e.g., something that produces a ``std::unique_ptr<T, ...>``, ``std::shared_ptr<T>``, ``T``, or similar) will be creating the object type + - Given one or more functions, provides an overloaded function for invoking + + The functions can take any form and return anything, since they're just considered to be some plain function and no placement new or otherwise needs to be done. Results from this function will be pushed into Lua according to the same rules as everything else. + + Can be used to stop the generation of a ``.new()`` default constructor since a ``sol::factories`` entry will be recognized as a constructor for the usertype + + If this is not sufficient, see next 2 entries on how to specifically block a constructor +* ``{anything}, {some_factory_function}`` + - Essentially binds whatever the function is to name ``{anything}`` + - When used WITH the ``sol::no_constructor`` option below (e.g. ``"new", sol::no_constructor`` and after that having ``"create", &my_creation_func``), one can remove typical constructor avenues and then only provide specific factory functions. Note that this combination is similar to using the ``sol::factories`` method mentioned earlier in this list. To control the destructor as well, see further below +* ``sol::call_constructor, {valid constructor / initializer / factory}`` + - The purpose of this is to enable the syntax ``local v = my_class( 24 )`` and have that call a constructor; it has no other purpose + - This is compatible with luabind, kaguya and other Lua library syntaxes and looks similar to C++ syntax, but the general consensus in Programming with Lua and other places is to use a function named ``new`` + - Note that with the ``sol::call_constructor`` key, a construct type above must be specified. A free function without it will pass in the metatable describing this object as the first argument without that distinction, which can cause strange runtime errors. +* ``{anything}, sol::no_constructor`` + - Specifically tells sol not to create a ``.new()`` if one is not specified and the type is default-constructible + - When the key ``{anything}`` is called on the table, it will result in an error. The error might be that the type is not-constructible. + - *Use this plus some of the above to allow a factory function for your function type but prevent other types of constructor idioms in Lua* +* ``{anything}, sol::no_constructor`` + - Specifically tells sol not to create a ``.new()`` if one is not specified and the type is default-constructible + - When the key ``{anything}`` is called on the table, it will result in an error. The error might be that the type is not-constructible. + - *Use this plus some of the above to allow a factory function for your function type but prevent other types of constructor idioms in Lua* + +usertype destructor options ++++++++++++++++++++++++++++ + +If you don't specify anything at all and the type is `destructible`_, then a destructor will be bound to the garbage collection metamethod. Otherwise, the following are special ways to handle the destruction of a usertype: + +* ``"__gc", sol::destructor( func )`` or ``sol::meta_function::garbage_collect, sol::destructor( func )`` + - Creates a custom destructor that takes an argument ``T*`` or ``T&`` and expects it to be destructed/destroyed. Note that lua controls the memory and thusly will deallocate the necessary space AFTER this function returns (e.g., do not call ``delete`` as that will attempt to deallocate memory you did not ``new``) + - If you just want the default constructor, you can replace the second argument with ``sol::default_destructor`` + - The usertype will error / throw if you specify a destructor specifically but do not map it to ``sol::meta_function::gc`` or a string equivalent to ``"__gc"`` + +.. note:: + + You MUST specify ``sol::destructor`` around your destruction function, otherwise it will be ignored. + + +.. _automagical-registration: + +usertype automatic (automagic) meta functions ++++++++++++++++++++++++++++++++++++++++++++++ + +If you don't specify a ``sol::meta_function`` name (or equivalent string metamethod name) and the type ``T`` supports certain operations, sol3 will generate the following operations provided it can find a good default implementation: + +* for ``to_string`` operations where ``std::ostream& operator<<( std::ostream&, const T& )``, ``obj.to_string()``, or ``to_string( const T& )`` (in the namespace) exists on the C++ type + - a ``sol::meta_function::to_string`` operator will be generated + - writing is done into either + + a ``std::ostringstream`` before the underlying string is serialized into Lua + + directly serializing the return value of ``obj.to_string()`` or ``to_string( const T& )`` + - order of preference is the ``std::ostream& operator<<``, then the member function ``obj.to_string()``, then the ADL-lookup based ``to_string( const T& )`` + - if you need to turn this behavior off for a type (for example, to avoid compiler errors for ADL conflicts), specialize ``sol::is_to_stringable<T>`` for your type to be ``std::false_type``, like so: + +.. code-block:: cpp + + namespace sol { + template <> + struct is_to_stringable<my_type> : std::false_type {}; + } + + +* for call operations where ``operator()( parameters ... )`` exists on the C++ type + - a ``sol::meta_function::call`` operator will be generated + - the function call operator in C++ must not be overloaded, otherwise sol will be unable to bind it automagically + - the function call operator in C++ must not be templated, otherwise sol will be unable to bind it automagically + - if it is overloaded or templated, it is your reponsibility to bind it properly +* for automatic iteration where ``begin()`` and ``end()`` exist on the C++ type + - a ``sol::meta_function::pairs`` operator is generated for you + - Allows you to iterate using ``for k, v in pairs( obj ) do ... end`` in Lua + - **Lua 5.2 and better only: LuaJIT does not allow this, Lua 5.1 does NOT allow this** +* for cases where ``.size()`` exists on the C++ type + - the length operator of Lua (``#my_obj``) operator is generated for you +* for comparison operations where ``operator <`` and ``operator <=`` exist on the C++ type + - These two ``sol::meta_function::less_than(_or_equal_to)`` are generated for you + - ``>`` and ``>=`` operators are generated in Lua based on ``<`` and ``<=`` operators +* for ``operator==`` + - An equality operator will always be generated, doing pointer comparison if ``operator==`` on the two value types is not supported or doing a reference comparison and a value comparison if ``operator==`` is supported +* heterogenous operators cannot be supported for equality, as Lua specifically checks if they use the same function to do the comparison: if they do not, then the equality method is not invoked; one way around this would be to write one ``int super_equality_function(lua_State* L) { ... }``, pull out arguments 1 and 2 from the stack for your type, and check all the types and then invoke ``operator==`` yourself after getting the types out of Lua (possibly using :ref:`sol::stack::get<stack-get>` and :ref:`sol::stack::check_get<stack-check-get>`) + + + +usertype regular function options ++++++++++++++++++++++++++++++++++ + +Otherwise, the following is used to specify functions to bind on the specific usertype for ``T``. + +* ``"{name}", &free_function`` + - Binds a free function / static class function / function object (lambda) to ``"{name}"``. If the first argument is ``T*`` or ``T&``, then it will bind it as a member function. If it is not, it will be bound as a "static" function on the lua table +* ``"{name}", &type::function_name`` or ``"{name}", &type::member_variable`` + - Binds a typical member function or variable to ``"{name}"``. In the case of a member variable or member function, ``type`` must be ``T`` or a base of ``T`` +* ``"{name}", sol::readonly( &type::member_variable )`` + - Binds a typical variable to ``"{name}"``. Similar to the above, but the variable will be read-only, meaning an error will be generated if anything attemps to write to this variable +* ``"{name}", sol::as_function( &type::member_variable )`` + - Binds a typical variable to ``"{name}"`` *but forces the syntax to be callable like a function*. This produces a getter and a setter accessible by ``obj:name()`` to get and ``obj:name(value)`` to set. +* ``"{name}", sol::property( getter_func, setter_func )`` + - Binds a typical variable to ``"{name}"``, but gets and sets using the specified setter and getter functions. Not that if you do not pass a setter function, the variable will be read-only. Also not that if you do not pass a getter function, it will be write-only +* ``"{name}", sol::var( some_value )`` or ``"{name}", sol::var( std::ref( some_value ) )`` + - Binds a typical variable to ``"{name}"``, optionally by reference (e.g., refers to the same memory in C++). This is useful for global variables / static class variables and the like +* ``"{name}", sol::overload( Func1, Func2, ... )`` + - Creates an oveloaded member function that discriminates on number of arguments and types + - Dumping multiple functions out with the same name **does not make an overload**: you must use **this syntax** in order for it to work +* ``sol::base_classes, sol::bases<Bases...>`` + - Tells a usertype what its base classes are. You need this to have derived-to-base conversions work properly. See :ref:`inheritance<usertype-inheritance>` + + +unregister +---------- + +You can unlink and kill a usertype and its associated functionality by calling ``.unregister()`` on a ``sol::usertype<T>`` or ``sol::metatable`` pointed at a proper sol3 metatable. This will entirely unlink and clean out sol3's internal lookup structures and key information. + +runtime functions +----------------- + +You can add functions at runtime **to the whole class** (not to individual objects). Set a name under the metatable name you bound using ``new_usertype`` to an object. For example: + +.. literalinclude:: ../../../examples/source/docs/runtime_extension.cpp + :caption: runtime_extension.cpp + :name: runtime-extension-example + :linenos: + +.. note:: + + You cannot add functions to an individual object. You can only add functions to the whole class / usertype. + + +overloading +----------- + +Functions set on a usertype support overloading. See :doc:`here<overload>` for an example. + + +.. _usertype-inheritance: + +inheritance +----------- + +sol can adjust pointers from derived classes to base classes at runtime, but it has some caveats based on what you compile with: + +If your class has no complicated™ virtual inheritance or multiple inheritance, than you can try to sneak away with a performance boost from not specifying any base classes and doing any casting checks. (What does "complicated™" mean? Ask your compiler's documentation, if you're in that deep.) + +For the rest of us safe individuals out there: You must specify the ``sol::base_classes`` tag with the ``sol::bases<Types...>()`` argument, where ``Types...`` are all the base classes of the single type ``T`` that you are making a usertype out of. + +Register the base classes explicitly. + +.. note:: + + Always specify your bases if you plan to retrieve a base class using the sol abstraction directly and not casting yourself. + +.. literalinclude:: ../../../examples/source/docs/inheritance.cpp + :caption: inheritance.cpp + :name: inheritance-example + :linenos: + :emphasize-lines: 23 + +.. note:: + + You must list ALL base classes, including (if there were any) the base classes of A, and the base classes of those base classes, etc. if you want sol/Lua to handle them automagically. + +.. note:: + + sol does not support down-casting from a base class to a derived class at runtime. + +.. warning:: + + Specify all base class member variables and member functions to avoid current implementation caveats regarding automatic base member lookup. sol currently attempts to link base class methods and variables with their derived classes with an undocumented, unsupported feature, provided you specify ``sol::bases<...>``. Unfortunately, this can come at the cost of performance, depending on how "far" the base is from the derived class in the bases lookup list. If you do not want to suffer the performance degradation while we iron out the kinks in the implementation (and want it to stay performant forever), please specify all the base methods on the derived class in the method listing you write. In the future, we hope that with reflection we will not have to worry about this. + +.. _automagical: + +automagical usertypes +--------------------- + +Usertypes automatically register special functions, whether or not they're bound using `new_usertype`. You can turn this off by specializing the ``sol::is_automagical<T>`` template trait: + +.. code-block:: cpp + + struct my_strange_nonconfirming_type { /* ... */ }; + + namespace sol { + template <> + struct is_automagical<my_strange_nonconforming_type> : std::false_type {}; + } + +inheritance + overloading +------------------------- + +While overloading is supported regardless of inheritance caveats or not, the current version of sol has a first-match, first-call style of overloading when it comes to inheritance. Put the functions with the most derived arguments first to get the kind of matching you expect or cast inside of an intermediary C++ function and call the function you desire. + +compilation speed +----------------- + +.. note:: + + MSVC and clang/gcc may need additional compiler flags to handle compiling extensive use of usertypes. See: :ref:`the error documentation<compilation_errors_warnings>` for more details. + +performance note +---------------- + +.. note:: + + Note that performance for member function calls goes down by a fixed overhead if you also bind variables as well as member functions. This is purely a limitation of the Lua implementation and there is, unfortunately, nothing that can be done about it. If you bind only functions and no variables, however, sol will automatically optimize the Lua runtime and give you the maximum performance possible. *Please consider ease of use and maintenance of code before you make everything into functions.* + +.. _destructible: http://en.cppreference.com/w/cpp/types/is_destructible +.. _default_constructible: http://en.cppreference.com/w/cpp/types/is_constructible +.. _small starter example here: https://github.com/ThePhD/sol2/blob/develop/examples/source/usertype_basics.cpp +.. _runtime extensible: https://github.com/ThePhD/sol2/blob/develop/examples/source/usertype_advanced.cpp#L81 +.. _the metamethods in the Lua manual: https://www.lua.org/manual/5.3/manual.html#2.4 diff --git a/deps/sol2/docs/source/api/usertype_memory.rst b/deps/sol2/docs/source/api/usertype_memory.rst new file mode 100644 index 0000000..c6d21c4 --- /dev/null +++ b/deps/sol2/docs/source/api/usertype_memory.rst @@ -0,0 +1,63 @@ +usertype memory +=============== +*memory layout of usertypes* + +.. note:: + + sol does not take ownership of raw pointers, returned from functions or set through the ``set`` functions. Return a value, a ``std::unique_ptr``, a ``std::shared_ptr`` of some kind, or hook up the :doc:`unique usertypes traits<unique_usertype_traits>` to work for some specific handle structure you use (AKA, for ``boost::shared_ptr``). + +The userdata generated by sol has a specific layout, depending on how sol recognizes userdata passed into it. All of the referred to metatable names are generated from the name of the class itself. Note that we use 1 metatable per the 3 styles listed below, plus 1 additional metatable that is used for the actual table that you bind with the name when calling ``table::new/set_(simple_)usertype``. + +In general, we always insert a ``T*`` in the first ``sizeof(T*)`` bytes, so the any framework that pulls out those first bytes expecting a pointer will work. The rest of the data has some different alignments and contents based on what it's used for and how it's used. + +.. warning:: + + The layout of memory described below does **not** take into account alignment. sol3 now takes alignment into account and aligns memory, which is important for misbehaving allocators and types that do not align well to the size of a pointer on their system. If you need to obtain proper alignments for usertypes stored in userdata pointers, **please** use the detail functions named ``sol::detail::align_usertype_pointer``, ``sol::detail::align_usertype``, and ``sol::detail::align_usertype_unique``. This will shift a ``void*`` pointer by the appropriate amount to reach a certain section in memory. For almost all other use cases, please use ``void* memory = lua_touserdata(L, index);``, followed by ``memory = sol::detail::align_usertype_pointer( memory );`` to adjust the pointer to be at the right place. + + +.. warning:: + + The diagrams and explanations from below is only guaranteed to work 100% of the time if you define :ref:`SOL_NO_MEMORY_ALIGNMENT<config-memory>`. Be aware that this may result in unaligned reads/writes, which can crash some older processors and trigger static analyzer/instrumentation tool warnings, like Clang's Address Sanitizer (ASan). + + +To retrieve a ``T`` +------------------- + +If you want to retrieve a ``T*`` pointer to the data managed by a sol3 userdata and are not using sol3's abstractions to do it (e.g., messing with the plain Lua C API), simply use ``lua_touserdata`` to get the ``void*`` pointer. Then, execute a ``T* object_pointer = *static_cast<T**>(the_void_pointer);``. Every type pushed into C++ that is classified as a userdata (e.g., all user-defined objects that are not covered by the stack abstraction's basic types) can be retrieved in this format, whether they are values or pointers or ``unique_ptr``. The reasons for why this works is below. + +For ``T`` +--------- + +These are classified with a metatable name generally derived from the class name itself. + +The data layout for references is as follows:: + + | T* | T | + ^-sizeof(T*) bytes-^-sizeof(T) bytes, actual data-^ + +Lua will clean up the memory itself but does not know about any destruction semantics T may have imposed, so when we destroy this data we simply call the destructor to destroy the object and leave the memory changes to for lua to handle after the "__gc" method exits. + + +For ``T*`` +---------- + +These are classified as a separate ``T*`` metatable, essentially the "reference" table. Things passed to sol as a pointer or as a ``std::reference<T>`` are considered to be references, and thusly do not have a ``__gc`` (garbage collection) method by default. All raw pointers are non-owning pointers in C++. If you're working with a C API, provide a wrapper around pointers that are supposed to own data and use the constructor/destructor idioms (e.g., with an internal ``std::unique_ptr``) to keep things clean. + +The data layout for data that only refers is as follows:: + + | T* | + ^-sizeof(T*) bytes-^ + +That is it. No destruction semantics need to be called. + +For ``std::unique_ptr<T, D>`` and ``std::shared_ptr<T>`` +-------------------------------------------------------- + +These are classified as :ref:`"unique usertypes"<unique-usertype>`, and have a special metatable for them as well. The special metatable is either generated when you add the usertype to Lua using :ref:`set_usertype<set-usertype>` or when you first push one of these special types. In addition to the data, a deleter function that understands the following layout is injected into the userdata layout. + +The data layout for these kinds of types is as follows:: + + | T* | void(*)(void*) function_pointer | T | + ^-sizeof(T*) bytes-^-sizeof(void(*)(void*)) bytes, deleter-^- sizeof(T) bytes, actal data -^ + +Note that we put a special deleter function before the actual data. This is because the custom deleter must know where the offset to the data is and where the special deleter is. In other words, fixed-size-fields come before any variably-sized data (T can be known at compile time, but when serialized into Lua in this manner it becomes a runtime entity). sol just needs to know about ``T*`` and the userdata (and userdata metatable) to work, everything else is for preserving construction / destruction semantics.
\ No newline at end of file diff --git a/deps/sol2/docs/source/api/var.rst b/deps/sol2/docs/source/api/var.rst new file mode 100644 index 0000000..0c6d442 --- /dev/null +++ b/deps/sol2/docs/source/api/var.rst @@ -0,0 +1,9 @@ +var +=== +*For hooking up static / global variables to Lua usertypes* + + +The sole purpose of this tagging type is to work with :doc:`usertypes<usertype>` to provide ``my_class.my_static_var`` access, and to also provide reference-based access as well. + +.. literalinclude:: ../../../examples/source/usertype_var.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/variadic_args.rst b/deps/sol2/docs/source/api/variadic_args.rst new file mode 100644 index 0000000..b7c2d3d --- /dev/null +++ b/deps/sol2/docs/source/api/variadic_args.rst @@ -0,0 +1,25 @@ +variadic_args +============= +*transparent argument to deal with multiple parameters to a function* + + +.. code-block:: cpp + + struct variadic_args; + +This class is meant to represent every single argument at its current index and beyond in a function list. It does not increment the argument count and is thus transparent. You can place it anywhere in the argument list, and it will represent all of the objects in a function call that come after it, whether they are listed explicitly or not. + +``variadic_args`` also has ``begin()`` and ``end()`` functions that return (almost) random-acess iterators. These return a proxy type that can be implicitly converted to a type you want, much like the :doc:`table proxy type<proxy>`. + +.. literalinclude:: ../../../examples/source/variadic_args.cpp + :linenos: + +You can also "save" arguments and the like later, by stuffing them into a ``std::vector<sol::object>`` or something similar that serializes them into the registry. Below is an example of saving all of the arguments provided by ``sol::variadic_args`` in a lambda capture variable called ``args``. + +.. literalinclude:: ../../../examples/source/variadic_args_storage.cpp + :linenos: + +Finally, note that you can use ``sol::variadic_args`` constructor to "offset"/"shift over" the arguments being viewed: + +.. literalinclude:: ../../../examples/source/variadic_args_shifted.cpp + :linenos: diff --git a/deps/sol2/docs/source/api/variadic_results.rst b/deps/sol2/docs/source/api/variadic_results.rst new file mode 100644 index 0000000..39067e1 --- /dev/null +++ b/deps/sol2/docs/source/api/variadic_results.rst @@ -0,0 +1,11 @@ +variadic_results +================ +*push multiple disparate arguments into lua* + +.. code-block:: cpp + + struct variadic_results : std::vector<object> { ... }; + +This type allows someone to prepare multiple returns before returning them into Lua. It derives from ``std::vector``, so it can be used exactly like that, and objects can be added using the various constructors and functions relating to :doc:`sol::object<object>`. You can see it and other return-type helpers in action `here`_. + +.. _here: https://github.com/ThePhD/sol2/blob/develop/examples/source/multi_results.cpp diff --git a/deps/sol2/docs/source/api/yielding.rst b/deps/sol2/docs/source/api/yielding.rst new file mode 100644 index 0000000..ad124b1 --- /dev/null +++ b/deps/sol2/docs/source/api/yielding.rst @@ -0,0 +1,10 @@ +yielding
+========
+*telling a C++ function to yield its results into Lua*
+
+.. code-block:: cpp
+
+ template <typename F>
+ yield_wrapper<F> yielding( F&& f )
+
+``sol::yielding`` is useful for calling C++ functions which need to yield into a Lua coroutine. It is a wrapper around a single argument which is expected to be bound as a function. You can pass it anywhere a regular function can be bound, **except for in usertype definitions**.
|