• Stars
    star
    149
  • Rank 248,619 (Top 5 %)
  • Language
    C++
  • License
    MIT License
  • Created over 7 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

(experimental) Syntactic sugar for variant and optional types.

scelta

C++17 zero-overhead syntactic sugar for variant and optional.

build stability license gratipay conan badge.cpp on-wandbox on-godbolt

Table of Contents

Overview

std::variant and std::optional were introduced to C++17's Standard Library. They are sum types that can greatly improve type safety and performance.

However, there are some problems with them:

  • The syntax of some common operations such as visitation is not as nice as it could be, and requires a significant amount of boilerplate.

  • Defining and using recursive variant or optional types is not trivial and requires a lot of boilerplate.

  • std::optional doesn't support visitation.

  • The interface of std::variant and std::optional is different from some other commonly used ADT implementations - interoperability requires significant boilerplate.

scelta aims to fix all the aformenetioned problems by providing zero-overhead syntactic sugar that:

  • Automatically detects and homogenizes all available variant and optional implementations, providing a single implementation-independent interface.

  • Provides "pattern matching"-like syntax for visitation and recursive visitation which works both for variant and optional.

  • Provides an intuitive placeholder-based recursive variant and optional type definition.

  • Provides monadic operations such as map and and_then for optional types, including infix syntax.

Implementation independent

scelta detects and works out-of-the-box with:

Other implementation can be easily adapted by providing specializations of the helper traits structs. PRs are welcome!

Curried visitation syntax

scelta provides curried, constexpr-friendly, and SFINAE-friendly visitation utilities both for variant and optional. The final user syntax resembles pattern matching. Recursive data structures are supported.

using shape = std::variant<circle, box>;

shape s0{circle{/*...*/}};
shape s1{box{/*...*/}};

// In place `match` visitation.
scelta::match([](circle, circle){ /* ... */ },
              [](circle, box)   { /* ... */ },
              [](box,    circle){ /* ... */ },
              [](box,    box)   { /* ... */ })(s0, s1);

The match function is intentionally curried in order to allow reuse of a particular visitor in a scope, even on different implementations of variant/optional.

using boost_optstr = boost::optional<std::string>;
using std_optstr = std::optional<std::string>;

// Curried `match` usage.
auto print = scelta::match([](std::string s)    { cout << s;       },
                           [](scelta::nullopt_t){ cout << "empty"; });

boost_optstr s0{/*...*/};
std_optstr s1{/*...*/};

// Implementation-independent visitation.
print(s0);
print(s1);

Recursive ADTs creation and visitation

Recursive variant and optional data structures can be easily created through the use of placeholders.

namespace impl
{
    namespace sr = scelta::recursive;

    // `placeholder` and `builder` can be used to define recursive
    // sum types.
    using _ = sr::placeholder;
    using builder = sr::builder<std::variant<int, std::vector<_>>>;

    // `type` evaluates to the final recursive data structure type.
    using type = sr::type<builder>;

    // `resolve` completely evaluates one of the alternatives.
    // (In this case, even the `Allocator` template parameter is
    // resolved!)
    using vector_type = sr::resolve<builder, std::vector<_>>;
}

using int_tree = impl::type;
using int_tree_vector = impl::vector_type;

After defining recursive structures, in place recursive visitation is also possible. scelta provides two ways of performing recursive visitation:

  • scelta::match(/* base cases */)(/* recursive cases */)(/* visitables */)

    This is an "homogeneous" match function that works for both non-recursive and recursive visitation. The first invocation always takes an arbitrary amount of base cases. If recursive cases are provided to the second invocation, then a third invocation with visitables is expected. Unless explicitly provided, the return type is deduced from the base cases.

    The base cases must have arity N, the recursive cases must have arity N + 1. N is the number of visitables that will be provided.

  • scelta::recursive::match</* return type */>(/* recursive cases */)(/* visitables */)

    This version always requires an explicit return type and an arbitrary amount of recursive cases with arity N + 1, where N is the number of visitables that will be provided.

int_tree t0{/*...*/};

scelta::match(
    // Base case.
    [](int x){ cout << x; }
)(
    // Recursive case.
    [](auto recurse, int_tree_vector v){ for(auto x : v) recurse(v); }
)(t0);

// ... or ...

scelta::recursive::match<return_type>(
    // Base case.
    [](auto, int x){ cout << x; },

    // Recursive case.
    [](auto recurse, int_tree_vector v){ for(auto x : v) recurse(v); }
)(t0);

Monadic optional operations

scelta provides various monadic operations that work on any supported optional type. Here's an example inspired by Simon Brand's "Functional exceptionless error-handling with optional and expected" article:

optional<image_view> crop_to_cat(image_view);
optional<image_view> add_bow_tie(image_view);
optional<image_view> make_eyes_sparkle(image_view);
image_view make_smaller(image_view);
image_view add_rainbow(image_view);

optional<image_view> get_cute_cat(image_view img)
{
    using namespace scelta::infix;
    return crop_to_cat(img)
         | and_then(add_bow_tie)
         | and_then(make_eyes_sparkle)
         | map(make_smaller)
         | map(add_rainbow);
}

Installation/usage

Quick start

scelta is an header-only library. It is sufficient to include it.

// main.cpp
#include <scelta.hpp>

int main() { return 0; }
g++ -std=c++1z main.cpp -Isome_path/scelta/include

Running tests and examples

Tests can be easily built and run using CMake.

git clone https://github.com/SuperV1234/scelta && cd scelta
./init-repository.sh # get `vrm_cmake` dependency
mkdir build && cd build

cmake ..
make check # build and run tests

make example_error_handling # error handling via pattern matching
make example_expression     # recursive expression evaluation
make example_optional_cat   # monadic optional operations

All tests currently pass on Arch Linux x64 with:

  • g++ (GCC) 8.0.0 20170514 (experimental)

  • clang version 5.0.0 (trunk 303617)

Integration with existing project

  1. Add this repository and SuperV1234/vrm_cmake as submodules of your project, in subfolders inside your_project/extlibs/:

    git submodule add   https://github.com/SuperV1234/vrm_cmake.git   your_project/extlibs/vrm_cmake
    git submodule add   https://github.com/SuperV1234/scelta.git      your_project/extlibs/scelta
  2. Include vrm_cmake in your project's CMakeLists.txt and look for the scelta extlib:

    # Include `vrm_cmake`:
    list(APPEND CMAKE_MODULE_PATH "${CMAKE_SOURCE_DIR}/extlibs/vrm_cmake/cmake/")
    include(vrm_cmake)
    
    # Find `scelta`:
    vrm_cmake_find_extlib(scelta)

Documentation

scelta::nonrecursive::visit

Executes non-recursive visitation.

  • Interface:

    template <typename Visitor, typename... Visitables>
    constexpr /*deduced*/ visit(Visitor&& visitor, Visitables&&... visitables)
        noexcept(/*deduced*/);
    • visitables... must all be the same type. (i.e. different implementations of variant/optional currently cannot be mixed together)

    • visitor must be invocable with all the alternatives of the passed visitables.

  • Examples:

    struct visitor
    {
        auto operator()(int) { return 0; }
        auto operator()(char){ return 1; }
    };
    
    variant<int, char> v0{'a'};
    assert(
        scelta::nonrecursive::visit(visitor{}, v0) == 1
    );
    struct visitor
    {
        auto operator()(int)              { return 0; }
        auto operator()(scelta::nullopt_t){ return 1; }
    };
    
    optional<int> o0{0};
    assert(
        scelta::nonrecursive::visit(visitor{}, o0) == 0
    );

scelta::nonrecursive::match

Executes non-recursive in-place visitation.

  • Interface:

    template <typename... FunctionObjects>
    constexpr /*deduced*/ match(FunctionObjects&&... functionObjects)
        noexcept(/*deduced*/)
    {
        return [o = overload(functionObjects...)](auto&&... visitables)
            noexcept(/*deduced*/)
            -> /*deduced*/
        {
            // ... perform visitation with `scelta::nonrecursive::visit` ...
        };
    };
    • Invoking match takes a number of functionObjects... and returns a new function which takes a number of visitables....

    • visitables... must all be the same type. (i.e. different implementations of variant/optional currently cannot be mixed together)

    • o must be invocable with all the alternatives of the passed visitables. (i.e. the overload of all functionObjects... must produce an exhaustive visitor)

  • Examples:

    variant<int, char> v0{'a'};
    assert(
        scelta::nonrecursive::match([](int) { return 0; }
                                    [](char){ return 1; })(v0) == 1
    );
    optional<int> o0{0};
    assert(
        scelta::nonrecursive::match([](int)              { return 0; }
                                    [](scelta::nullopt_t){ return 1; })(o0) == 1
    );

scelta::recursive::builder

Allows placeholder-based definition of recursive ADTs.

  • Interface:

    template <typename ADT>
    class builder;
    
    struct placeholder;
    
    template <typename Builder>
    using type = /* ... recursive ADT type wrapper ... */;
    
    template <typename Builder, typename T>
    using resolve = /* ... resolved ADT alternative ... */;
    • builder takes any ADT containing zero or more placeholder alternatives. (i.e. both optional and variant)

    • placeholder is replaced with the recursive ADT itself when using type or resolve.

    • type returns a wrapper around a fully-resolved recursive ADT.

    • resolve returns a fully-resolved alternative contained in ADT.

  • Examples:

    using _ = scelta::recursive::placeholder;
    using b = scelta::recursive::builder<variant<int, _*>>;
    
    using recursive_adt = scelta::recursive::type<b>;
    using ptr_alternative = scelta::recursive::resolve<b, _*>;
    
    recursive_adt v0{0};
    recursive_adt v1{&v0};

scelta::recursive::visit

Executes recursive visitation.

  • Interface:

    template <typename Return, typename Visitor, typename... Visitables>
    constexpr Return visit(Visitor&& visitor, Visitables&&... visitables)
        noexcept(false);
    • Similar to scelta::nonrecursive::visit, but requires an explicit return type and is not noexcept-friendly.

    • The operator() overloads of visitor... must take one extra generic argument to receive the recurse helper.

  • Examples:

    using _ = scelta::recursive::placeholder;
    using b = scelta::recursive::builder<variant<int, std::vector<_>>>;
    
    using recursive_adt = scelta::recursive::type<b>;
    using rvec = scelta::recursive::resolve<b, std::vector<_>>;
    
    struct visitor
    {
        auto operator()(auto,         int x)  { /* base case */ },
        auto operator()(auto recurse, rvec& v){ for(auto& x : v) recurse(x); }
    };
    
    recursive_adt v0{rvec{recursive_adt{0}, recursive_adt{1}}};
    scelta::recursive::visit(visitor{}, v0};

scelta::recursive::match

Executes recursive visitation.

  • Interface:

    template <typename Return, typename... FunctionObjects>
    constexpr auto match(FunctionObjects&&... functionObjects)
        noexcept(false)
    {
        return [o = overload(functionObjects...)](auto&&... visitables)
            noexcept(false)
            -> Return
        {
            // ... perform visitation with `scelta::recursive::visit` ...
        };
    };
    • Similar to scelta::nonrecursive::match, but requires an explicit return type and is not noexcept-friendly.

    • The passed functionObjects... must take one extra generic argument to receive the recurse helper.

  • Examples:

    using _ = scelta::recursive::placeholder;
    using b = scelta::recursive::builder<variant<int, std::vector<_>>>;
    
    using recursive_adt = scelta::recursive::type<b>;
    using rvec = scelta::recursive::resolve<b, std::vector<_>>;
    
    recursive_adt v0{rvec{recursive_adt{0}, recursive_adt{1}}};
    scelta::recursive::match(
        [](auto,         int x)  { /* base case */ },
        [](auto recurse, rvec& v){ for(auto& x : v) recurse(x); }
    )(v0);

scelta::match

Executes visitation (both non-recursive and recursive). Attempts to deduce the return type from the base cases, optionally supports user-provided explicit return type.

  • Interface:

    template <typename Return = impl::deduce_t, typename... BaseCases>
    constexpr auto match(BaseCases&&... baseCases)
    {
        return [bco = overload(adapt(baseCases)...)](auto... xs)
        {
            if constexpr(are_visitables<decltype(xs)...>())
            {
                // ... perform visitation with `scelta::nonrecursive::visit` ...
            }
            else
            {
                return [o = overload(bco, xs...)](auto&&... visitables)
                {
                    // ... perform visitation with `scelta::recursive::visit` ...
                };
            }
        };
    };
    • The first invocation of scelta::match takes one or more base cases. A base case is a function object with the same arity as the number of objects that will be visited.

    • The function returned by the first invocation takes either a number of recursive cases or a number of visitables.

      • Recursive cases are function objects with arity equal to the number of objects that will be visited plus one (the +1 is for the recurse argument).

      • Visitables are variants or optionals. If visitables are passed here, non-recursive visitation will be performed immediately.

    • If recursive cases were passed, the last returned function takes any number of visitables. Recursive visitation will then be performed immediately.

  • Examples:

    variant<int, char> v0{'a'};
    assert(
        scelta::match([](int) { return 0; }
                      [](char){ return 1; })(v0) == 1
    );
    using _ = scelta::recursive::placeholder;
    using b = scelta::recursive::builder<variant<int, std::vector<_>>>;
    
    using recursive_adt = scelta::recursive::type<b>;
    using rvec = scelta::recursive::resolve<b, std::vector<_>>;
    
    recursive_adt v0{rvec{recursive_adt{0}, recursive_adt{1}}};
    scelta::match(
        [](int x){ /* base case */ }
    )(
        [](auto recurse, rvec& v){ for(auto& x : v) recurse(x); }
    )(v0);

Monadic optional operations

scelta provides various monadic optional operations. They can be used in two different ways:

optional<int> o{/* ... */};

// Free function syntax:
scelta::map(o, [](int x){ return x + 1; });

// Infix syntax:
o | scelta::infix::map([](int x){ return x + 1; });

These are the available operations:

  • map_or_else(o, f_def, f)

    • Returns f(*o) if o is set, f_def() otherwise.
  • map_or(o, def, f)

    • Returns f(*o) if o is set, def otherwise.
  • map(o, f)

    • Returns optional{f(*o)} if o is set, an empty optional otherwise.
  • and_then(o, f)

    • Returns f(*o) if o is set, an empty optional otherwise.
  • and_(o, ob)

    • Returns ob if o is set, an empty ob otherwise.
  • or_else(o, f)

    • Returns o if o is set, f() otherwise.
  • or_(o, def)

    • Returns o if o is set, def otherwise.

The example file example/optional_cat.cpp shows usage of map and and_then using scelta::infix syntax.

Resources

More Repositories

1

SSVOpenHexagon

C++20 FOSS clone of "Super Hexagon". Depends on SSVStart, SSVEntitySystem, SSVLuaWrapper, SSVMenuSystem, JSONcpp, SFML2.0. Features JSON/LUA customizable game files, a soundtrack by BOSSFIGHT, pseudo-3D effects.
C
609
star
2

ecst

[WIP] Experimental C++14 multithreaded compile-time entity-component-system library.
C++
460
star
3

Tutorials

Repository for my YouTube tutorials + code snippets
C++
228
star
4

quakevr

Quake VR mod supporting room-scale movement, hand interactions, and melee attacks.
C++
186
star
5

camomilla

Simple Python script that simplifies C++ compiler errors. Useful when using heavily-templated libraries.
Python
181
star
6

cppcon2015

Repository for the slides and the code of my CppCon 2015 talks.
C++
94
star
7

cppcon2014

Repository for the slides and the code of my "Quick game development with C++11/C++14" CppCon 2014 talk.
C++
88
star
8

SSVUtils

[HEADER-ONLY] C++14 multi-purpose utility library that only depends on the STL.
C++
61
star
9

vr-game-checklist

Checklist for Virtual Reality game developers.
54
star
10

vittorioromeo.info

Latest iteration of my static webpage/blog generator
Assembly
51
star
11

cppnow2016

Repository for my C++Now 2016 sessions.
Assembly
41
star
12

bcs_thesis

My bachelor's thesis on the Entity-Component-System pattern and ECST
TeX
37
star
13

vrm_core

Lightweight C++14 utility library. (Modernized, stripped and cleaned-up version of SSVUtils.)
C++
33
star
14

SSVSCollision

[HEADER-ONLY] C++14 AABB simple collision detection/response framework for games. Depends on SSVStart, SFML2.0. It has nice performance. Features interchangeable spatial partitioning and resolution systems, a way to prevent the "crack problem", easy to use C++11 lambda callbacks for collision events. It's not perfect, but it should work very well for any simple 2D game.
C++
30
star
15

orizzonte

WIP
Assembly
26
star
16

unosolo

Work-in-progress Rust application that converts C++ header-only libraries to single self-contained headers.
Rust
26
star
17

SSVBloodshed

C++14 arcade game, spiritual successor to "Operation Carnage"
C++
22
star
18

SSVEntitySystem

[HEADER-ONLY] C++14 simple entity/component system for realtime games. Simplicity of use is preferred over a real "entity-component-system" hierarchy. Components update and draw themselves (users create their own components and override the virtual methods). Fast, easy to use and to expand. Should be fine for any simple game.
C++
20
star
19

meetingcpp2016

Repository for my Meeting C++ 2016 sessions.
Assembly
18
star
20

vscode-expand-selection-to-scope

Extension that introduces a command to incrementally expand the selection to the nearest outer scope.
TypeScript
18
star
21

DelversChoice

Game originally created for GGJ2015...
C++
15
star
22

SSVStart

[HEADER-ONLY] C++14 SFML2.0 application/game development framework. Features asset loading, windows, cameras, file system, logging, vector calculations, and many other game-dev oriented features.
C++
15
star
23

vrm_pp

Small C++ preprocessor library
C++
13
star
24

Experiments

Experimental/work-in-progress code
Assembly
11
star
25

oreilly

Material and work for O'Reilly courses and publications
C++
11
star
26

presentations

Repository containing all my presentations/tutorials/talks.
10
star
27

cpponsea2019

Repository for my "C++ On Sea 2019" talks.
10
star
28

meetingcpp2015

My Meeting C++ lightning talks: "Meaningful Casts" and "Static If".
C++
10
star
29

git-ws

C++14 command line utility (git plugin) to work with multiple git repositories at once
C++
9
star
30

accu2018

Repository for my ACCU 2018 presentations.
9
star
31

cppcon2021

Repository for my CppCon 2021 talks.
8
star
32

VeeGen

(ABANDONED) 2D terrain/dungeon generation library for games
C#
8
star
33

DiscountCpp

[HEADER-ONLY] C++11 wrapper for the markdown library "Discount"
C++
8
star
34

majsdown

WIP
C++
7
star
35

cppnow2015

Repository for my C++Now 2015 Lightning Talk: "for_each_arg explained and expanded"
C++
7
star
36

Specimen

(ABANDONED) An example game using SFMLStart, VeeEntitySystem2012, VeeCollision and VeeShadow
C#
6
star
37

cppcon2019

Repository for my CppCon 2019 talks.
6
star
38

cppnow2019

Repository for my C++ Now 2019 talks.
5
star
39

sokoban-rs-cpp

C++
5
star
40

cppnow2017

Repository for my C++Now 2017 talks.
5
star
41

cpplondon

Repository for my C++ London Meetup talks.
Shell
5
star
42

SSVLuaWrapper

[HEADER-ONLY] A C++11 LUA wrapper written by Tomaka17. The original project is discontinued. I created a repository with the original code, remove the non-C++11 parts and formatted it. I take no credit. This is a good project and I believe it should be maintained (and expanded) by someone experienced with C++ and LUA.
C++
5
star
43

NetLayer

[C++14] (University project) (WIP) - Modern C++ library that allows users to quickly create efficient callback-based network applications, binding packets to functions at compile-time and abstracting away the underlying communication protocol.
C++
5
star
44

accu2017

Repository for my ACCU 2017 presentations.
5
star
45

AutoSyncGen

Networking project for UNIME
TeX
4
star
46

cppnow2018

Repository for my C++Now 2018 talks.
4
star
47

accu2021

Repository for my ACCU 2021 talks.
4
star
48

SFMLStart

(ABANDONED) A high-level library for SFML.NET developers
C#
4
star
49

VeeEntitySystem2012

(ABANDONED) A component-based entity system for real-time games
C#
4
star
50

VeeBulletHell

(ABANDONED) A Touhou clone I made a while ago - buggy and deprecated
C#
4
star
51

vrm_cmake

Shared CMake aliases, macros and functions (WIP)
CMake
4
star
52

latexpp

C++14 simple LaTeX preprocessor intended for personal use.
C++
4
star
53

meetingcpp2017

4
star
54

SSVMenuSystem

[HEADER-ONLY] C++14 lambda-based library for quick creation of menus. Supports multiple nested menus (categories). Supports Single/Toggle/Slider menu item types. Useful in game development or console applications-
C++
4
star
55

cppcon2016

Repository for my `cppcon2016` talk: "Implementing static control flow in C++14"
Assembly
4
star
56

db2

Experimental NoSQL projects for UNIME.
Python
3
star
57

ggj2016

WIP
C++
3
star
58

TestGenericShooter

(ABANDONED) A top-down shooting game resembling Operation Carnage
C#
3
star
59

corecpp2022

Repository for my Core C++ 2022 talks.
C++
3
star
60

ndctechtown2020

Material for my NDC TechTown 2020 workshop
C++
3
star
61

accu2019

Repository for my ACCU 2019 talks.
2
star
62

veeForum

WIP
TeX
2
star
63

cppnow2021

Repository for my C++Now 2021 talks.
2
star
64

SSVNewRogue

(EXPERIMENTAL, WIP)
C++
2
star
65

DRODRoguelike

(ABANDONED) My first completed game: a roguelike inspired by DROD
C#
2
star
66

VeeTileEngine2012

(ABANDONED) Component-based entity system for tile-based games
C#
2
star
67

SSVCrateBox

(ABANDONED) C++11 test game. Depends on SSVStart, SSVEntitySystem, SSVSCollision, SFML2.0. It is mainly used to try new features I implement in the mentioned libraries. The code is quite clean - it's a great example if you want to start using my libraries.
C++
2
star
68

GGJ2015

GlobalGameJam2015
C++
1
star
69

itcpp2015

C++
1
star
70

VeeTresette

(ABANDONED) An old Tresette game
C#
1
star
71

WEBVittorioRomeo2

New version of my website (vittorioromeo.info)
HTML
1
star
72

VeeCollision

(ABANDONED) Simple AABB collision detection and resolution library
C#
1
star
73

SSVAutoUpdater

C++14 simple utility/library to automatically update files from a server
CMake
1
star
74

SSVJsonCpp

[DEPRECATED] Now included in SSVUtilsJson - [HEADER-ONLY] Cleaned up fork of JsonCpp 0.6.0-rc2.
C++
1
star
75

UNIME

University-related projects
PHP
1
star
76

dotfiles

(OUTDATED) My config dotfiles
CSS
1
star
77

test_linuxday

1
star
78

SSVGenetic

[SCHOOL THESIS PROJECT] Genetic algorithm ant simulation
C++
1
star
79

AllocSim

Repository for my OS course project (UNIME 2015)
Python
1
star
80

SSVOpenHexagonServer

(ABANDONED)
C++
1
star
81

TestUDPChat

C++
1
star
82

cpprussia2019

Repository for my C++ Russia 2019 talks.
1
star
83

WEBVittorioRomeo

(ABANDONED) My personal website, written in C++ with CTemplate and JSONCpp
JavaScript
1
star
84

LD27

Ludum Dare #27 Entry (Theme: 10 seconds)
C++
1
star
85

TimeDRODPOF

(ABANDONED) A clone of the puzzle game DROD, featuring a component-based tile-based entity system, level editing, JPS and breadth-first fast pathfinding
C#
1
star
86

SSVRPGSystem

(EXPERIMENTAL, WIP) Simple lambda-base C++11 RPG status/inventory/... system
C++
1
star
87

accu2022

Repository for my ACCU 2022 presentations.
1
star
88

VeeTileEngineOLD

(ABANDONED) An old and deprecated tile-based game engine
C#
1
star
89

VeeShadow

(ABANDONED) AABB 2d shadow-casting library that can be adapted for field-of-view detection
C#
1
star
90

cppcon2022

Repository for my CppCon 2022 talks.
1
star
91

SSVUtilsJson

[DEPRECATED] [HEADER-ONLY] C++14 utility library that depends on SSVUtils. Includes a fork of JsonCpp.
C++
1
star
92

UNIME_numerical_calculus

Numerical calculus projects/exercises for UNIME
C++
1
star
93

SSVPiet

[SCHOOL THESIS PROJECT] Random Piet-inspired artwork generator
C++
1
star
94

VeeSharpTemplate

(ABANDONED) A C#-scripting-based C# code generator (template system)
C#
1
star
95

linuxDay2014

Presentation for the Linux Day 2014 event in Messina
1
star
96

linuxDay2013

My talk for "Linux Day 2013 - Messina - Istituto Jaci": "Sviluppo di videogiochi in Linux"
C++
1
star
97

VRDevUtils

(ABANDONED) Bash scripts and other files that may be useful when developing/building
Shell
1
star