Wangle is a framework providing a set of common client/server abstractions for building services in a consistent, modular, and composable way.

Overview

Travis Build Status CI Status

Wangle

C++ networking library

Wangle is a library that makes it easy to build protocols, application clients, and application servers.

It's like Netty + Finagle smooshed together, but in C++

Building and Installing

The main dependencies are:

Once folly is installed, run the following inside the wangle directory to build, test, and install wangle:

cmake .
make
ctest
sudo make install

Tutorial

There is a tutorial here that explains the basics of Wangle and shows how to build an echo server/client.

Examples

See the examples/ directory for some example Wangle servers and clients

License

Wangle is Apache 2.0-licensed.

Contributing

See the CONTRIBUTING file for how to help out.

Documentation

Wangle interfaces are asynchronous. Interfaces are currently based on Futures, but we're also exploring how to support fibers

Client / Server abstraction #

You're probably familiar with Java's Netty, or Python's twisted, or similar libraries.

It is built on top of folly/async/io, so it's one level up the stack from that (or similar abstractions like boost::asio)

ServerBootstrap - easily manage creation of threadpools and pipelines

ClientBootstrap - the same for clients

Pipeline - set up a series of handlers that modify your socket data

Request / Response abstraction #

This is roughly equivalent to the Finagle library.

Aims to provide easy testing, load balancing, client pooling, retry logic, etc. for any request/response type service - i.e. thrift, http, etc.

Service - a matched interface between client/server. A server will implement this interface, and a client will call in to it. These are protocol-specific

ServiceFilter - a generic filter on a service. Examples: stats, request timeouts, rate limiting

ServiceFactory - A factory that creates client connections. Any protocol specific setup code goes here

ServiceFactoryFilter - Generic filters that control how connections are created. Client examples: load balancing, pooling, idle timeouts, markdowns, etc.

ServerBootstrap

Easily create a new server

ServerBootstrap does the work to set up one or multiple acceptor threads, and one or multiple sets of IO threads. The thread pools can be the same. SO_REUSEPORT is automatically supported for multiple accept threads. tcp is most common, although udp is also supported.

Methods #

childPipeline(PipelineFactory<Pipeline>)

Sets the pipeline factory for each new connection. One pipeline per connection will be created.

group(IOThreadPoolExecutor accept, IOThreadPoolExecutor io)

Sets the thread pools for accept and io thread pools. If more than one thread is in the accept group, SO_REUSEPORT is used. Defaults to a single accept thread, and one io thread per core.

bind(SocketAddress),bind(port)

Binds to a port. Automatically starts to accept after bind.

stop()

Stops listening on all sockets.

join()

Joins all threadpools - all current reads and writes will be completed before this method returns.

NOTE: however that both accept and io thread pools will be stopped using this method, so the thread pools can't be shared, or care must be taken using shared pools during shutdown.

waitForStop()

Waits for stop() to be called from another thread.

Other methods #

channelFactory(ServerSocketFactory)

Sets up the type of server. Defaults to TCP AsyncServerSocket, but AsyncUDPServerSocket is also supported to receive udp messages. In practice, ServerBootstrap is only useful for udp if you need to multiplex the messages across many threads, or have TCP connections going on at the same time, etc. Simple usages of AsyncUDPSocket probably don't need the complexity of ServerBootstrap.

pipeline(PipelineFactory<AcceptPipeline>)

This pipeline method is used to get the accepted socket (or udp message) *before* it has been handed off to an IO thread. This can be used to steer the accept thread to a particular thread, or for logging.

See also AcceptRoutingHandler and RoutingDataHandler for additional help in reading data off of the accepted socket before it gets attached to an IO thread. These can be used to hash incoming sockets to specific threads.

childHandler(AcceptorFactory)

Previously facebook had lots of code that used AcceptorFactories instead of Pipelines, this is a method to support this code and be backwards compatible. The AcceptorFactory is responsible for creating acceptors, setting up pipelines, setting up AsyncSocket read callbacks, etc.

Examples #

A simple example:

ServerBootstrap<TelnetPipeline> server;                                                                                                      
server.childPipeline(std::make_shared<TelnetPipelineFactory>());                                                                             
server.bind(FLAGS_port);                                                                                                                     
server.waitForStop();

ClientBootstrap

Create clients easily

ClientBootstrap is a thin wrapper around AsyncSocket that provides a future interface to the connect callback, and a Pipeline interface to the read callback.

Methods #

group(IOThreadPoolExecutor)

Sets the thread or group of threads where the IO will take place. Callbacks are also made on this thread.

bind(port)

Optionally bind to a specific port

Future<Pipeline*> connect(SocketAddress)

Connect to the selected address. When the future is complete, the initialized pipeline will be returned.

NOTE: future.cancel() can be called to cancel an outstanding connection attempt.

pipelineFactory(PipelineFactory<Pipeline>)

Set the pipeline factory to use after a connection is successful.

Example #

ClientBootstrap<TelnetPipeline> client;
client.group(std::make_shared<folly::wangle::IOThreadPoolExecutor>(1));
client.pipelineFactory(std::make_shared<TelnetPipelineFactory>());
// synchronously wait for the connect to finish
auto pipeline = client.connect(SocketAddress(FLAGS_host,FLAGS_port)).get();

// close the pipeline when finished pipeline->close();

Pipeline

Send your socket data through a series of tubes

A Pipeline is a series of Handlers that intercept inbound or outbound events, giving full control over how events are handled. Handlers can be added dynamically to the pipeline.

When events are called, a Context* object is passed to the Handler - this means state can be stored in the context object, and a single instantiation of any individual Handler can be used for the entire program.

Netty's documentation: ChannelHandler

Usually, the bottom of the Pipeline is a wangle::AsyncSocketHandler to read/write to a socket, but this isn't a requirement.

A pipeline is templated on the input and output types:

EventBase base_;
Pipeline<IOBufQueue&, std::unique_ptr<IOBuf>> pipeline;
pipeline.addBack(AsyncSocketHandler(AsyncSocket::newSocket(eventBase)));

The above creates a pipeline and adds a single AsyncSocket handler, that will push read events through the pipeline when the socket gets bytes. Let's try handling some socket events:

class MyHandler : public InboundHandler<folly::IOBufQueue&> {
 public:

void read(Context* ctx, folly::IOBufQueue& q) override { IOBufQueue data;
if (q.chainLength() >= 4) { data.append(q.split(4)); ctx->fireRead(data); } } };

This handler only handles read (inbound) data, so we can inherit from InboundHandler, and ignore the outbound type (so the ordering of inbound/outbound handlers in your pipeline doesn't matter). It checks if there are at least 4 bytes of data available, and if so, passes them on to the next handler. If there aren't yet four bytes of data available, it does nothing, and waits for more data.

We can add this handler to our pipeline like so:

pipeline.addBack(MyHandler());

and remove it just as easily:

pipeline.remove<MyHandler>();

StaticPipeline #

Instantiating all these handlers and pipelines can hit the allocator pretty hard. There are two ways to try to do fewer allocations. StaticPipeline allows *all* the handlers, and the pipeline, to be instantiated all in the same memory block, so we only hit the allocator once.

The other option is to allocate the handlers once at startup, and reuse them in many pipelines. This means all state has to be saved in the HandlerContext object instead of the Handler itself, since each handler can be in multiple pipelines. There is one context per pipeline to get around this limitation.

Built-in handlers

The stuff that comes with the box

Byte to byte handlers #

AsyncSocketHandler #

This is almost always the first handler in the pipeline for clients and servers - it connects an AsyncSocket to the pipeline. Having it as a handler is nice, because mocking it out for tests becomes trivial.

OutputBufferingHandler #

Output is buffered and only sent once per event loop. This logic is exactly what is in ThriftServer, and very similar to what exists in proxygen - it can improve throughput for small writes by up to 300%.

EventBaseHandler #

Putting this right after an AsyncSocketHandler means that writes can happen from any thread, and eventBase->runInEventBaseThread() will automatically be called to put them in the correct thread. It doesn't intrinsically make the pipeline thread-safe though, writes from different threads may be interleaved, other handler stages must be only used from one thread or be thread safe, etc.

In addition, reads are still always called on the eventBase thread.

Codecs #

FixedLengthFrameDecoder #

A decoder that splits received IOBufs by a fixed number of bytes. Used for fixed-length protocols

LengthFieldPrepender #

Prepends a fixed-length field length. Field length is configurable.

LengthFieldBasedFrameDecoder #

The receiving portion of LengthFieldPrepender - decodes based on a fixed frame length, with optional header/tailer data sections.

LineBasedFrameDecoder #

Decodes by line (with optional ending detection types), to be used for text-based protocols

StringCodec #

Converts from IOBufs to std::strings and back for text-based protocols. Must be used after one of the above frame decoders

Services

How to add a new protocol

Finagle's documentation on Services is highly recommended

Services #

A Pipeline was read() and write() methods - it streams bytes in one or both directions. write() returns a future, but the future is set when the bytes are successfully written. Using pipeline there is no easy way to match up requests and responses for RPC.

A Service is an RPC abstraction - Both clients and servers implement the interface. Servers implement it by handling the request. Clients implement it by sending the request to the server to complete.

A Dispatcher is the adapter between the Pipeline and Service that matches up the requests and responses. There are several built in Dispatchers, however if you are doing anything advanced, you may need to write your own.

Because both clients and servers implement the same interface, mocking either clients or servers is trivially easy.

ServiceFilters #

ServiceFilters provide a way to wrap filters around every request and response. Things like logging, timeouts, retrying requests, etc. can be implemented as ServiceFilters.

Existing ServiceFilters include:

  • CloseOnReleaseFilter - rejects requests after connection is closed. Often used in conjunction with
  • ExpiringFilter - idle timeout and max connection time (usually used for clients)
  • TimeoutFilter - request timeout time. Usually used on servers. Clients can use future.within to specify timeouts individually.
  • ExecutorFilter - move requests to a different executor.

ServiceFactories #

For some services, a Factory can help instantiate clients. In Finagle, these are frequently provided for easy use with specific protocols, i.e. http, memcache, etc.

ServiceFactoryFilters #

ServiceFactoryFilters provide filters for getting clients. These include most connection-oriented things, like connection pooling, selection, dispatch, load balancing, etc.

Existing ServiceFactoryFilters:

Comments
  • Build error on OSX

    Build error on OSX

    [ 30%] Building CXX object CMakeFiles/wangle.dir/channel/FileRegion.cpp.o /Users/btv/wangle/wangle/channel/FileRegion.cpp:54:15: error: use of undeclared identifier 'SPLICE_F_NONBLOCK' int flags = SPLICE_F_NONBLOCK | SPLICE_F_MORE;

    opened by umanwizard 10
  • Build wangle encountered error: error: use of undeclared identifier 'malloc_usable_size'

    Build wangle encountered error: error: use of undeclared identifier 'malloc_usable_size'

    When I tried to build wangle, it reported: In file included from /project/opensource/source/wangle/wangle/../wangle/concurrent/ThreadPoolExecutor.h:19: In file included from /project/opensource/source/wangle/wangle/../wangle/deprecated/rx/Observable.h:20: /usr/local/include/folly/small_vector.h:619:14: error: use of undeclared identifier 'malloc_usable_size' return malloc_usable_size(u.pdata_.heap_) / sizeof(value_type);

    I've built "folly" successfully, did anyone encounter the same issue? Thanks!

    opened by ustczxf 9
  • Fix bug of PipelineBase::removeHelper

    Fix bug of PipelineBase::removeHelper

    There is a bug when removeHelper's arguments is handler == nullptr and checkEqual== false.Because std::vecotr<>::erase will return a iterator following the last removed element, In this case the loop should't add it when the function named removeAt has executed.

    CLA Signed GH Review: review-needed Import Started 
    opened by EFLql 8
  • Fix static linking

    Fix static linking

    I was trying to compile a static-only version of this library that links with static versions of the dependencies. A few things seem to be missing from the CMake configuration to make this possible.

    The extra find_path commands allow for the (admittedly uncommon) situation where every dependency is installed in a separate location.

    CLA Signed GH Review: review-needed Import Started 
    opened by msteinert 8
  • Changes for OS X support

    Changes for OS X support

    I have made a few changes in order to get Wangle to build on OS X. There were 4 different problems which I've fixed in 4 different commits. The commit messages should be self-explanatory. The c++14 requirement might not be the best option to solve the compilation issue depending on the project's objective. Maybe the methods that relied on return type deduction should just specify their return type explicitly so as to remain c++11 compatible. I leave that to discussion.

    CLA Signed GH Review: accepted Import Started 
    opened by Dalzhim 7
  • G++ exhausted the memory while compiling Acceptor.cpp

    G++ exhausted the memory while compiling Acceptor.cpp

    My g++ version is

    % g++ --version
    g++ (GCC) 6.1.1 20160510 (Red Hat 6.1.1-2)
    Copyright (C) 2016 Free Software Foundation, Inc.
    

    I don't know if it's a bug of g++ or it's a problem caused by the structure of Acceptor.cpp.

    opened by guoxiao 6
  • Add Echo Server/Client Example

    Add Echo Server/Client Example

    I got a lot of feedback from my blog post saying there wasn't much examples to learn Wangle so I thought I'd write a few examples. I will start off with the most basic example - an Echo Server/Client.

    opened by jamperry 6
  • Compile fails on Ubuntu 14.04

    Compile fails on Ubuntu 14.04

    /usr/bin/ld: warning: libboost_thread.so.1.59.0, needed by /usr/local/lib/../lib/libfolly.so, may conflict with libboost_thread.so.1.54.0 /usr/bin/ld: warning: libboost_system.so.1.59.0, needed by /usr/local/lib/../lib/libfolly.so, may conflict with libboost_system.so.1.54.0 /usr/bin/ld: ../gmock/src/gmock-build/libgmock.a(gtest-all.cc.o): undefined reference to symbol 'pthread_key_delete@@GLIBC_2.2.5' //lib/x86_64-linux-gnu/libpthread.so.0: error adding symbols: DSO missing from command line collect2: error: ld returned 1 exit status make[2]: *** [bin/AcceptorTest] error 1 make[1]: *** [CMakeFiles/AcceptorTest.dir/all] error 2 make: *** [all] error 2

    I can not find the solution for the error.

    uname -a:

    Linux lixiang-ubuntu 3.16.0-50-generic #67~14.04.1-Ubuntu SMP Fri Oct 2 22:07:51 UTC 2015 x86_64 x86_64 x86_64 GNU/Linux

    opened by lixiangnlp 6
  • Error compiling in Ubuntu 15.04

    Error compiling in Ubuntu 15.04

    root@douglasnote:/home/douglas/projetos/filtro/lib/proxigen/proxygen/wangle/wangle# cmake . -- Boost version: 1.54.0 -- Found the following Boost libraries: -- system -- thread -- Configuring done -- Generating done -- Build files have been written to: /home/douglas/projetos/filtro/lib/proxigen/proxygen/wangle/wangle

    root@douglasnote:/home/douglas/projetos/filtro/lib/proxigen/proxygen/wangle/wangle# make [ 18%] Built target gmock [ 74%] Built target wangle [ 76%] Built target BootstrapTest [ 79%] Built target CodecTest [ 81%] Built target CodelTest [ 83%] Built target GlobalExecutorTest [ 86%] Built target OutputBufferingHandlerTest [ 88%] Built target PipelineTest [ 90%] Built target RxTest [ 93%] Built target SSLCacheTest [ 95%] Built target SSLContextManagerTest [ 97%] Building CXX object CMakeFiles/ServiceTest.dir/service/ServiceTest.cpp.o /home/douglas/projetos/filtro/lib/proxigen/proxygen/wangle/wangle/service/ServiceTest.cpp: In function ‘int folly::main(int, char*)’: /home/douglas/projetos/filtro/lib/proxigen/proxygen/wangle/wangle/service/ServiceTest.cpp:324:3: error: ‘ParseCommandLineFlags’ is not a member of ‘google’ google::ParseCommandLineFlags(&argc, &argv, true); ^ make[2]: * [CMakeFiles/ServiceTest.dir/service/ServiceTest.cpp.o] Erro 1 make[1]: ** [CMakeFiles/ServiceTest.dir/all] Erro 2 make: ** [all] Erro 2

    uname -a Linux douglasnote 3.13.0-53-generic #89-Ubuntu SMP Wed May 20 10:34:39 UTC 2015 x86_64 x86_64 x86_64 GNU/Linux

    opened by cronnosli 6
  • Incompatibility with openssl3

    Incompatibility with openssl3

    In file included from /opt/local/var/macports/build/_Users_wyuenho_ports_devel_wangle/wangle/work/wangle-2021.11.08.00/wangle/../wangle/acceptor/TransportInfo.h:20:
    /opt/local/var/macports/build/_Users_wyuenho_ports_devel_wangle/wangle/work/wangle-2021.11.08.00/wangle/../wangle/ssl/SSLUtil.h:159:17: error: no matching function for call to 'CRYPTO_get_ex_new_index'
          *pindex = SSL_SESSION_get_ex_new_index(
                    ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    /opt/local/libexec/openssl3/include/openssl/ssl.h:2159:5: note: expanded from macro 'SSL_SESSION_get_ex_new_index'
        CRYPTO_get_ex_new_index(CRYPTO_EX_INDEX_SSL_SESSION, l, p, newf, dupf, freef)
        ^~~~~~~~~~~~~~~~~~~~~~~
    /opt/local/libexec/openssl3/include/openssl/crypto.h:242:12: note: candidate function not viable: no known conversion from 'int (CRYPTO_EX_DATA *, wangle::SSLUtil::ex_data_dup_from_arg_t, wangle::SSLUtil::ex_data_dup_ptr_arg_t, int, long, void *)' (aka 'int (crypto_ex_data_st *, const crypto_ex_data_st *, void *, int, long, void *)') to 'CRYPTO_EX_dup *' (aka 'int (*)(crypto_ex_data_st *, const crypto_ex_data_st *, void **, int, long, void *)') for 5th argument
    __owur int CRYPTO_get_ex_new_index(int class_index, long argl, void *argp,
               ^
    1 error generated.
    
    
    opened by wyuenho 5
  • Does not build due to removed getTFOSucceeded member of folly/io/async/AsyncSocket

    Does not build due to removed getTFOSucceeded member of folly/io/async/AsyncSocket

    Downloaded and built FB Folly Now trying to build FB Wangle. Build is broken because wangle code still uses getTFOSucceeded which was removed from folly/io/async/AsyncSocket on August 9. Can't believe this hasn't been noticed so far...

    opened by spershin 5
  • Access Pipelines from Server

    Access Pipelines from Server

    Hello everyone, I couldn't figure out how to access the pipelines to clients from the server side. Like, if I want to broadcast a message to all connected clients, how can I accomplish that? Exposing the context from the last channel handler doesn't seem the way to go. Thanks in advance!

    opened by Rincewind34 0
  • Add vcpkg installation instructions

    Add vcpkg installation instructions

    wangle available as a port in vcpkg, a C++ library manager that simplifies installation for wangle and other project dependencies. Documenting the install process here will help users get started by providing a single set of commands to build wangle, ready to be included in their projects.

    We also test whether our library ports build in various configurations (dynamic, static) on various platforms (OSX, Linux, Windows: x86, x64) to keep a wide coverage for users.

    I'm a maintainer for vcpkg, and here is what the port script looks like. We try to keep the library maintained as close as possible to the original library.

    CLA Signed 
    opened by Cheney-W 1
  • Add LibUnwind as a dependency of glog::glog (#82)

    Add LibUnwind as a dependency of glog::glog (#82)

    Summary: X-link: https://github.com/facebookincubator/fizz/pull/82

    X-link: https://github.com/facebookincubator/velox/pull/2487

    X-link: https://github.com/facebookincubator/hsthrift/pull/101

    X-link: https://github.com/facebookincubator/katran/pull/172

    X-link: https://github.com/facebookincubator/mvfst/pull/273

    X-link: https://github.com/fairinternal/AIRStore/pull/38

    LibUnwind is a dependency of glog according to objdump. This diff adds ${LIBUNWIND_LIBRARY} to the CMake imported library glog::glog as an element in the IMPORTED_LINK_INTERFACE_LIBRARIES property.

    Without this diff, there will be a linker error like this:

    /usr/bin/ld: /usr/lib/x86_64-linux-gnu/libglog.so: undefined reference to symbol '_Ux86_64_getcontext'
    //usr/lib/x86_64-linux-gnu/libunwind.so.8: error adding symbols: DSO missing from command line
    collect2: error: ld returned 1 exit status
    

    Differential Revision: D39340650

    CLA Signed fb-exported 
    opened by Atry 2
  • test failure

    test failure

    Gentoo's CI had test failures

    12/14 Testing: SSLContextManagerTest
    12/14 Test: SSLContextManagerTest
    Command: "/var/tmp/portage/dev-cpp/wangle-2022.04.11.00-r1/work/wangle-2022.04.11.00/wangle_build/bin/SSLContextManagerTest"
    Directory: /var/tmp/portage/dev-cpp/wangle-2022.04.11.00-r1/work/wangle-2022.04.11.00/wangle_build
    "SSLContextManagerTest" start time: May 30 08:44 CEST
    Output:
    ----------------------------------------------------------
    [==========] Running 8 tests from 1 test suite.
    [----------] Global test environment set-up.
    [----------] 8 tests from SSLContextManagerTest
    [ RUN      ] SSLContextManagerTest.Test1
    [       OK ] SSLContextManagerTest.Test1 (2 ms)
    [ RUN      ] SSLContextManagerTest.TestResetSSLContextConfigs
    [       OK ] SSLContextManagerTest.TestResetSSLContextConfigs (4 ms)
    [ RUN      ] SSLContextManagerTest.TestSessionContextCertRemoval
    E20220530 08:44:30.200873    87 SSLContextManager.cpp:466] Cert for the default domain www.abc.example.com can not be removed
    [       OK ] SSLContextManagerTest.TestSessionContextCertRemoval (0 ms)
    [ RUN      ] SSLContextManagerTest.TestCertificateWithNoCN
    [       OK ] SSLContextManagerTest.TestCertificateWithNoCN (0 ms)
    [ RUN      ] SSLContextManagerTest.TestAlpnAllowMismatch
    [       OK ] SSLContextManagerTest.TestAlpnAllowMismatch (0 ms)
    [ RUN      ] SSLContextManagerTest.TestAlpnNotAllowMismatch
    [       OK ] SSLContextManagerTest.TestAlpnNotAllowMismatch (0 ms)
    [ RUN      ] SSLContextManagerTest.TestSingleClientCAFileSet
    E20220530 08:44:30.203253    87 SSLContextManager.cpp:491] error loading client CA folly/io/async/test/certs/client_chain.pem: std::runtime_error: SSL_CTX_load_verify_locations: No such file or directory; no such file; system lib
    unknown file: Failure
    C++ exception with description "error loading client CA folly/io/async/test/certs/client_chain.pem: std::runtime_error: SSL_CTX_load_verify_locations: No such file or directory; no such file; system lib" thrown in the test body.
    [  FAILED  ] SSLContextManagerTest.TestSingleClientCAFileSet (0 ms)
    [ RUN      ] SSLContextManagerTest.TestMultipleClientCAsSet
    E20220530 08:44:30.204098    87 SSLContextManager.cpp:491] error loading client CA folly/io/async/test/certs/client_cert.pem: std::runtime_error: SSL_CTX_load_verify_locations: No such file or directory; no such file; system lib
    unknown file: Failure
    C++ exception with description "error loading client CA folly/io/async/test/certs/client_cert.pem: std::runtime_error: SSL_CTX_load_verify_locations: No such file or directory; no such file; system lib" thrown in the test body.
    [  FAILED  ] SSLContextManagerTest.TestMultipleClientCAsSet (0 ms)
    [----------] 8 tests from SSLContextManagerTest (11 ms total)
    
    [----------] Global test environment tear-down
    [==========] 8 tests from 1 test suite ran. (11 ms total)
    [  PASSED  ] 6 tests.
    [  FAILED  ] 2 tests, listed below:
    [  FAILED  ] SSLContextManagerTest.TestSingleClientCAFileSet
    [  FAILED  ] SSLContextManagerTest.TestMultipleClientCAsSet
    
     2 FAILED TESTS
    <end of output>
    Test time =   0.03 sec
    ----------------------------------------------------------
    Test Failed.
    "SSLContextManagerTest" end time: May 30 08:44 CEST
    "SSLContextManagerTest" time elapsed: 00:00:00
    ----------------------------------------------------------
    

    see https://bugs.gentoo.org/848459 log https://848459.bugs.gentoo.org/attachment.cgi?id=781391 test log https://848459.bugs.gentoo.org/attachment.cgi?id=781394

    opened by Alessandro-Barbieri 0
  • Problem linking libsodium

    Problem linking libsodium

    Hi guys, I am trying to build an example program and link wangle.

    I got the following error:

    -- Found Boost: /usr/lib/x86_64-linux-gnu/cmake/Boost-1.71.0/BoostConfig.cmake (found version "1.71.0")  
    -- Found Boost: /usr/lib/x86_64-linux-gnu/cmake/Boost-1.71.0/BoostConfig.cmake (found suitable version "1.71.0", minimum required is "1.51.0") found components: context filesystem program_options regex system thread 
    -- Found folly: /usr/local
    -- Found Threads: TRUE  
    CMake Error at /home/taylor/bin/clion/bin/cmake/linux/share/cmake-3.20/Modules/CMakeFindDependencyMacro.cmake:47 (find_package):
      By not providing "FindSodium.cmake" in CMAKE_MODULE_PATH this project has
      asked CMake to find a package configuration file provided by "Sodium", but
      CMake did not find one.
    
      Could not find a package configuration file provided by "Sodium" with any
      of the following names:
    
        SodiumConfig.cmake
        sodium-config.cmake
    
      Add the installation prefix of "Sodium" to CMAKE_PREFIX_PATH or set
      "Sodium_DIR" to a directory containing one of the above files.  If "Sodium"
      provides a separate development package or SDK, be sure it has been
      installed.
    Call Stack (most recent call first):
      /usr/local/lib/cmake/fizz/fizz-config.cmake:53 (find_dependency)
      CMakeLists.txt:10 (find_package)
    
    
    -- Configuring incomplete, errors occurred!
    See also "/home/taylor/CLionProjects/wangle_ex/cmake-build-debug/CMakeFiles/CMakeOutput.log".
    See also "/home/taylor/CLionProjects/wangle_ex/cmake-build-debug/CMakeFiles/CMakeError.log".
    make: *** [Makefile:179: cmake_check_build_system] Error 1
    

    I have libsodium-dev installed via apt-get. Do you guys know what might be wrong? Thank you for your help in advance!

    opened by tribecany 3
Releases(v2022.12.26.00)
  • v2022.12.26.00(Dec 26, 2022)

    Automated release from TagIt

    File Hashes
    • SHA2-256(wangle-v2022.12.26.00.zip)= e3de41a256a4772b36e4a1b4c155aaa3fd0091fd35f33096be4ae87c86fabfe6
    • SHA2-512(wangle-v2022.12.26.00.zip)= 187f1884c5f5950374ba9df5c5945e8984bc463f7c86c729341cf1fbaed2050c6278faa71ffe36a2fc612f1a5945550b15b13e5e5a2fc5383b10dfe305e18fb0
    • SHA2-256(wangle-v2022.12.26.00.tar.gz)= ffb96b031ffc6dd468228d362cd5947699e48d51f2a3127eeb7099a07430aa85
    • SHA2-512(wangle-v2022.12.26.00.tar.gz)= abf78daf43cc8c97138e27e76657cbd92e8935de759388388d7c09999ae9d125b4dc4e03387a3a1435e4093e42074b6d231bd090babd0747e3e05bab3107ac2a
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.12.26.00.tar.gz(330.70 KB)
    wangle-v2022.12.26.00.zip(539.78 KB)
  • v2022.12.19.00(Dec 19, 2022)

    Automated release from TagIt

    File Hashes
    • SHA2-256(wangle-v2022.12.19.00.zip)= 4afc35b89a81ba5e5923aeea8d77aada12b9445faf8b5e48a621e62f06714f1a
    • SHA2-512(wangle-v2022.12.19.00.zip)= ba858bdf5dc68b597de8fa7dfe07fa1e586ff5f3a6bbf0882778d264f531ae3e7fe0eb9302d4ef1a888efbfdec008103779e877107529ea1c93e7bdc32065cad
    • SHA2-256(wangle-v2022.12.19.00.tar.gz)= 81ba6f2c5a2a07ec6d69f197ad9792417be1ad41799ade1c3cd9cecfceedf8ab
    • SHA2-512(wangle-v2022.12.19.00.tar.gz)= 778ea26c34da0b5ecbe71b0777c19ec8ed5a97b4983e978ea9be987c3603c07c7844f1c5db264d626840506f715a461546aaec4a0f6d1aeaa3498f2ef705e791
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.12.19.00.tar.gz(330.70 KB)
    wangle-v2022.12.19.00.zip(539.78 KB)
  • v2022.12.12.00(Dec 12, 2022)

    Automated release from TagIt

    File Hashes
    • SHA2-256(wangle-v2022.12.12.00.zip)= d69e4cf60aa69d8919f618f95dec22b4ef6836d82b8f4418a4e6431b4eb979e1
    • SHA2-512(wangle-v2022.12.12.00.zip)= 1a76686d26b17e9d29b925e3a9f977f2cc3007ce8d0e7b0710ab9eb6519e7a63188d5354df215374717a5a776754765e58733ed8621a96e655b9eb2726982687
    • SHA2-256(wangle-v2022.12.12.00.tar.gz)= fe50677007d3d49edf308f49830a5a4fcd9173fcaade896969affea83af6b85e
    • SHA2-512(wangle-v2022.12.12.00.tar.gz)= d5d746ccbc54075f99b2d867a317f38ffec3f4eb3e99f5ad49dae7b630b8ec183deba4e18e61bbe395392f94e3d5aa7ae1cf722384efc620659668d691f1a731
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.12.12.00.tar.gz(330.70 KB)
    wangle-v2022.12.12.00.zip(539.78 KB)
  • v2022.12.05.00(Dec 5, 2022)

    Automated release from TagIt

    File Hashes
    • SHA2-256(wangle-v2022.12.05.00.zip)= 86f5cb900bafd5c7e72858f40bd4c795b988a5039b965b1010e8f18bc5f893d6
    • SHA2-512(wangle-v2022.12.05.00.zip)= e7e69fc26bf2acb1ada855ac75a15a7aa4f21122d603c52cdd83e765b7ad0de85179389dde215b162e9617c619e5199302fa1d75333cca07ef0e1f2cb698e233
    • SHA2-256(wangle-v2022.12.05.00.tar.gz)= 22f748254fed6d00bc25673e28e6a1422e593ff90130d85814312bcca61c4690
    • SHA2-512(wangle-v2022.12.05.00.tar.gz)= e0d4fee58242daa8286ffeb1f7d2ed7b66fad923219bf26da050e25792f4b83f4163bd074eab601cef02be18186cdddf1a888bc38219302fbd131b48c6d6733d
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.12.05.00.tar.gz(330.68 KB)
    wangle-v2022.12.05.00.zip(539.78 KB)
  • v2022.11.28.00(Nov 28, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.11.28.00.zip)= 1f9bd1062d574fe065df6f14bb197c4ccb2cbb6a94243e033028b93cb8caa8c2
    • SHA512(wangle-v2022.11.28.00.zip)= 778abfbdecc63b230c8e58601d5236f0c59dd88e7565d7181ca84c50419188b3995a8d4d5c3f99bd66a004cbc8921d111d67cd5178db7803db44a75bd4e0850c
    • SHA256(wangle-v2022.11.28.00.tar.gz)= b1a47bdcbac3a85f5f2ba048c3c1ed24b61a1eb9625319cc587cdd4d96782d76
    • SHA512(wangle-v2022.11.28.00.tar.gz)= faea993c5bff953445eae69b554099a6d54d5b4f8a0c95939a7cb5adcdbaa747003810bac534bbd8b058b6b9fcf07559612a83704f558aed390598aa1e426c45
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.11.28.00.tar.gz(330.60 KB)
    wangle-v2022.11.28.00.zip(539.77 KB)
  • v2022.11.14.00(Nov 14, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.11.14.00.zip)= eece1c059c17823664145b4c44667002073d7432168b983fc8a4cfba5b4c5c80
    • SHA512(wangle-v2022.11.14.00.zip)= 02547113ee174e0d9c223ead0521cea790edcff82087cc645101a31a0dd60b880ebf280c5d359123c300de5a0aa0dd3cdf0c67ca8476b0b8665cd382e7800696
    • SHA256(wangle-v2022.11.14.00.tar.gz)= 79543a72059d5cb15945f5511a7a544f1347e420974d187ab0cf927b5bc69405
    • SHA512(wangle-v2022.11.14.00.tar.gz)= 386b5408213f5fed9e1d596ca1511478ad8716e15744bb83868830f496a44ba0bec877d5c0882eaadfcbde60cd61275bd74673fa1a771e3271ca362ce1accdc5
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.11.14.00.tar.gz(330.52 KB)
    wangle-v2022.11.14.00.zip(539.67 KB)
  • v2022.11.07.00(Nov 7, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.11.07.00.zip)= eece1c059c17823664145b4c44667002073d7432168b983fc8a4cfba5b4c5c80
    • SHA512(wangle-v2022.11.07.00.zip)= 02547113ee174e0d9c223ead0521cea790edcff82087cc645101a31a0dd60b880ebf280c5d359123c300de5a0aa0dd3cdf0c67ca8476b0b8665cd382e7800696
    • SHA256(wangle-v2022.11.07.00.tar.gz)= 79543a72059d5cb15945f5511a7a544f1347e420974d187ab0cf927b5bc69405
    • SHA512(wangle-v2022.11.07.00.tar.gz)= 386b5408213f5fed9e1d596ca1511478ad8716e15744bb83868830f496a44ba0bec877d5c0882eaadfcbde60cd61275bd74673fa1a771e3271ca362ce1accdc5
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.11.07.00.tar.gz(330.52 KB)
    wangle-v2022.11.07.00.zip(539.67 KB)
  • v2022.10.31.00(Oct 31, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.10.31.00.zip)= af49dcc721a870e6cc9239a3384c59500ae65315061f89f90946e4c655315a21
    • SHA512(wangle-v2022.10.31.00.zip)= 72a5ce79e6826e05d803232a443d6bdfe1e16141edc1f6507d682694759b765c4dc9bf6fe03dd27d88061eb86ab234bf27f9eb4d671f9703424e2eec99d066e0
    • SHA256(wangle-v2022.10.31.00.tar.gz)= 702cfc09db274ef1cbf08bbcd506ae9c6437f488451d0bc3c5f2ef3c30a49860
    • SHA512(wangle-v2022.10.31.00.tar.gz)= d0f8f4ba74da76cf0fa7bd6d18657742df6d307ddb55618a43a298d5c9f8d0089ddf11ca17e2721a93f2755784491687c4c27597452fd6e2b6beaab272ec70b6
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.10.31.00.tar.gz(330.32 KB)
    wangle-v2022.10.31.00.zip(539.13 KB)
  • v2022.10.24.00(Oct 24, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.10.24.00.zip)= 3533ee43f309dd7d5178029a27d9d4c413c5884d933e0728d700cb2bc6b201f7
    • SHA512(wangle-v2022.10.24.00.zip)= 9fa86534fc24a2bd15b7de7cadeb887e69b0af68602097c0717dffe570cc120cf072c98550d317d5e95bcbf942c929027c61c258eb18660d44f84524265f26e0
    • SHA256(wangle-v2022.10.24.00.tar.gz)= 20eadb041cd814cbb2dc3f412e1b51f2db8f637dfd20e8d4620f3b016f704aaa
    • SHA512(wangle-v2022.10.24.00.tar.gz)= 716fd60420222ac760a3ea9703e1cec9ad3898c1d63217be2eee65406fd512f82d12ec5ff4fe15e363588e076d2add4d082ea412ecf1bb5665f5de334cd5050c
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.10.24.00.tar.gz(330.20 KB)
    wangle-v2022.10.24.00.zip(539.02 KB)
  • v2022.10.17.00(Oct 17, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.10.17.00.zip)= 023160d9ebfad46766211a646003afbc4424cb216fcd3fe5612548fad92b3d4a
    • SHA512(wangle-v2022.10.17.00.zip)= 27fded82a211aba26ede9e66b0d762774eb09a3a98173f3f539e8e2d2840adf1c45a58fcd8506892c80198318b0d46c6f9b4903679933ca01c66ce1af23f044a
    • SHA256(wangle-v2022.10.17.00.tar.gz)= c88f9f010ef90d42ae160b65ba114dddb67a2d5a2a64c87ee40acead263577d2
    • SHA512(wangle-v2022.10.17.00.tar.gz)= eb1c66273bb2ac5d22d87388d024732ebf8b1365cf2490c8f42d53e53801895162575d247e30603156e111293de61c77a847d08cec605160760dcd1ae39a8167
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.10.17.00.tar.gz(328.73 KB)
    wangle-v2022.10.17.00.zip(537.82 KB)
  • v2022.10.10.00(Oct 10, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.10.10.00.zip)= 5e3eda1ecbdd475a47b43df04534ddef3e2d6f89926f130a2a88194c1675e862
    • SHA512(wangle-v2022.10.10.00.zip)= a38cc0540b6cbaea7bc82dd6eff43b2a6e7dcc30827948e108f86b78170c9516981eb42a9cb100ae62112896d11b68d7fa07cf0a4340eaeab0870cd72ba98906
    • SHA256(wangle-v2022.10.10.00.tar.gz)= 45242738d1c008b0d76e883cdfe36cf0a8112753b81392e230465044190eb294
    • SHA512(wangle-v2022.10.10.00.tar.gz)= f6d34878bd736d8ab9c5b84c0eaf28af0f98edafa25379b85cc429de17403e5c09d8ca7792aac0d4079a39f2cce0abef8fb335f047c246576fd9609b32e99010
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.10.10.00.tar.gz(328.56 KB)
    wangle-v2022.10.10.00.zip(537.62 KB)
  • v2022.10.03.00(Oct 3, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.10.03.00.zip)= f12954697bc3da982c9b9f9dab84d7fe59a248238c5d2fc0ebe6c5d4acad3462
    • SHA512(wangle-v2022.10.03.00.zip)= 9004ff1694c0df12b893544ca89cccfc721ad8f63f0c850df65d298896f54414a82c20c1d1b029ff087e5ecac8215cf4d828051f6d1defcb55b0108c2a1f14fe
    • SHA256(wangle-v2022.10.03.00.tar.gz)= 1fc2e4547e86935a4b5c71c1b50d85499349bad2e4e19bda8457bbb3c0663da0
    • SHA512(wangle-v2022.10.03.00.tar.gz)= 2213bfeee493dbe0c06ea14b78c98907bc0adc2d57bf50fceafe43f552bdf601a865e4fe341e4b140c110392ea9d65c3f424e33e9d4beaa6fa9db38af276447c
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.10.03.00.tar.gz(328.57 KB)
    wangle-v2022.10.03.00.zip(537.61 KB)
  • v2022.09.26.00(Sep 26, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.09.26.00.zip)= 8e2a343f1d76271b47a899ac40e24e94ee1f16691aac1a6283ca7b9fea5d6125
    • SHA512(wangle-v2022.09.26.00.zip)= 4df9b14e11f5fc4e8ee8ce1d521c640b06ba6692dde37283665c94316fac41ba9c6e06c3c221139449c9113b589169abf70ce2317c193b09dc8651ac92ea28ae
    • SHA256(wangle-v2022.09.26.00.tar.gz)= 4525f99dc50b0637d5589461814ecbfea0ec6cc37ef95d4e0682148de5518515
    • SHA512(wangle-v2022.09.26.00.tar.gz)= 12265993d574418ac654f45998151be1ff7d142f2fc5bc6eaf7d4661fd3b1696a6ae20c9b24e2d9fe5316edd400e5dce12edb768d51538db1abc2056f6ff2969
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.09.26.00.tar.gz(328.56 KB)
    wangle-v2022.09.26.00.zip(537.58 KB)
  • v2022.09.19.00(Sep 19, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.09.19.00.zip)= b4c3fe01f5614961686b5646cc45e12a888d0675d1282b2de5959b8b5e881ddc
    • SHA512(wangle-v2022.09.19.00.zip)= eca9c0ea9051233559553772ced5e002e5995019bafc7ee1f20fb4964fc7af6a9336170df8eec5e9869145c4487984041bce16a11bb2dd0cd2d00fc8d8344bd2
    • SHA256(wangle-v2022.09.19.00.tar.gz)= 459aa3164d5351d253c76aec53519ba5b002fe41ed26168783abeda69811ad4d
    • SHA512(wangle-v2022.09.19.00.tar.gz)= 1ccd1b09513e878b22d90ccf356da198fd0532644e22c60c1aeedcd52b3b54ea41435465e338267f5e9e98c941c229d1e29c20fba0d6f12a07667a9df89f1cd4
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.09.19.00.tar.gz(328.34 KB)
    wangle-v2022.09.19.00.zip(537.38 KB)
  • v2022.09.12.00(Sep 12, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.09.12.00.zip)= e384039555c084a1fd4356d82c7c99220b5b2c9daedaad7b91d75a4e8c08af43
    • SHA512(wangle-v2022.09.12.00.zip)= 98459b70245f5f42dd6fdef2d595699cdc50d0fa4f62bdc80b7c98511bd40d168b8449d5d376e2104f0563fc3152ef49ccdd6a17a4e5040d4d179eb82afa9c5a
    • SHA256(wangle-v2022.09.12.00.tar.gz)= 170956d86089b6ab4e52dbae6ca1cecff874d69ea3bf95aa82b00b0833bac24e
    • SHA512(wangle-v2022.09.12.00.tar.gz)= 5dc808201ea93d0d7fc022d7089b3dc71e14fd60793a71b4b13da4c6260d8ee0b0ac48d9d4a64d2b8dcce04e39b36f595d9a072ae1889c08a92457473f2743ec
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.09.12.00.tar.gz(328.27 KB)
    wangle-v2022.09.12.00.zip(537.28 KB)
  • v2022.09.05.00(Sep 5, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.09.05.00.zip)= 2c5bfc1fd92472874d57a2a9bb27324c5c8e96fa463ccd763b4de9449a93fcbe
    • SHA512(wangle-v2022.09.05.00.zip)= 04e5304a90dcc10c294081580477f299d122cd6f2c5039f550fbb8b2b6188968d31d0baa2468492f5b8aeec935b0ab37246bb949c685017a5fe4749c9f9405ef
    • SHA256(wangle-v2022.09.05.00.tar.gz)= f5e69512ecfd80f73f5329cecd89219ea7ddb19c13926050d0ec9f71dd384f3a
    • SHA512(wangle-v2022.09.05.00.tar.gz)= 6f8b32153d7f0aa9fed033dd658b56c35d2fcb7256b52cec3cf06f1c1f70c94e6cf529628a694974555b5acf489ea0235d7ac007dae00a8eb2bcc062c418276c
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.09.05.00.tar.gz(328.24 KB)
    wangle-v2022.09.05.00.zip(537.17 KB)
  • v2022.08.29.00(Aug 29, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.08.29.00.zip)= c7929cdd92c0d030302c671c5e1b3faa0d330bff367b374d1a01c62772c9e55d
    • SHA512(wangle-v2022.08.29.00.zip)= dcf2cc63d7d0d69b1aeb10152d758151cb679970fb18393327ab128d78a1ab6ea20637bdaeb28bcaade26bf810ac43f82a0046bcf2cbf414aad4599e916af293
    • SHA256(wangle-v2022.08.29.00.tar.gz)= 121fc656ac44a68e3e3cc7ee37548854c0e5b9e06ea0e2ef0ab3aaa0cba612d8
    • SHA512(wangle-v2022.08.29.00.tar.gz)= 3bab28b096d070d88c52bfdbae7bfc7c202bb74cbb56df508c407b9d8c31fcb4657ebcaf076824e82c8ac7af116357d4479ac9c95ca1be89eba1037dbb22c082
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.08.29.00.tar.gz(328.23 KB)
    wangle-v2022.08.29.00.zip(537.15 KB)
  • v2022.08.22.00(Aug 22, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.08.22.00.zip)= 7170af1ac65ac4f7b4ea69621127f2da868b68fd6ea41fa3a69e77f10dd9eb22
    • SHA512(wangle-v2022.08.22.00.zip)= 9327535b3890659472d262e5a36880ef5f0f3ce1f144e3e669aac98d262758d20fabc2d1c59bd543c23a814900f625ff141affb178fab4938056c9dd12882e5e
    • SHA256(wangle-v2022.08.22.00.tar.gz)= f4dfc66312d23afb84a3e6e4ea63b59be527b4dc01ba774d3bade0b39d99bf9b
    • SHA512(wangle-v2022.08.22.00.tar.gz)= 19c3cb1b09b0021ea3afb81ed689f65fb6f18aacd23b1fa6f8521735857f6a8ed8a23734ebc0cd4fe6498759a150722c2acd1847e1858ee49e1b8a0396615e50
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.08.22.00.tar.gz(328.39 KB)
    wangle-v2022.08.22.00.zip(537.61 KB)
  • v2022.08.15.00(Aug 15, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.08.15.00.zip)= 88a3001c352ccf751cc670791b484128b8fd9d196f0716e65ef0b8314e3ddf50
    • SHA512(wangle-v2022.08.15.00.zip)= 538a008bd8355b2e7229f0b425041811cac2eac0c1ad6f2457ecc99a65ddd48f2216acbbaebf01c52e79030eee72e9b85e5a53670e85d4dd70bec1394b66655e
    • SHA256(wangle-v2022.08.15.00.tar.gz)= 23b11749b9e66453b7ca327324aaba6c7611bf22cd092f017589693a334fbb0b
    • SHA512(wangle-v2022.08.15.00.tar.gz)= 629cb5db0b896a61a0249477a689d64a823bac82463f773e051441413737f8e22b7d95fca23a50dda4c149b856d16d288c11067d8b5a25f24707482c227d6a0f
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.08.15.00.tar.gz(328.33 KB)
    wangle-v2022.08.15.00.zip(537.54 KB)
  • v2022.08.08.00(Aug 8, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.08.08.00.zip)= 7197c9079933ca51ec3b0aba2757be011f9000dbbcf8d2dc1aa936533ae8f439
    • SHA512(wangle-v2022.08.08.00.zip)= f4288b9c75ae1336cf9400373141e34a55b2081b553075d026505078d88703611109105784d33a9957fbc741881aee82f8e1f2b897786468257638a0e61ae188
    • SHA256(wangle-v2022.08.08.00.tar.gz)= b0e4f1beda451e3a35547d250531eb40950fe1d376dd6dc0282e21b1709eb4d8
    • SHA512(wangle-v2022.08.08.00.tar.gz)= 20213c768c298abe4c1d07218e3464740f88bafcd15c3798f60285e7820123502c01935eb3af473c4f9a06bd50a7b7dbceb9625e32c0b448a57522a28d742f3e
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.08.08.00.tar.gz(328.34 KB)
    wangle-v2022.08.08.00.zip(537.53 KB)
  • v2022.08.01.00(Aug 1, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.08.01.00.zip)= c545d7a029edf98f4d017775d4e10241ef85a68af5ef8fc15a673ae6125bdbca
    • SHA512(wangle-v2022.08.01.00.zip)= 0c01c919e3e6664c31d12b6923eea6b41328e0560d5a79180e1b8e94bac9c50d34fb7776c9470785d2059e738d42408469d4272df72e6b47d30692b5cf7b944b
    • SHA256(wangle-v2022.08.01.00.tar.gz)= ccc73735fe10f98227fae4182cb7c84b1cc86dcea3eb6dd1ae530bb2701ff0f7
    • SHA512(wangle-v2022.08.01.00.tar.gz)= f5ffb89341defb8c3951f45a7758bc157683024d69dd740a26ab82b3db9bb3a5e35d3b4e62b1a5a85972d14daaebe73005656f007818238822c06909fe3cec01
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.08.01.00.tar.gz(328.34 KB)
    wangle-v2022.08.01.00.zip(537.56 KB)
  • v2022.07.25.00(Jul 25, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.07.25.00.zip)= 9de85c71662c238cd2f7f2d3356f833f933cddd897291bbf04dbe70e3355d657
    • SHA512(wangle-v2022.07.25.00.zip)= 8aa9db8366ef70d9c2a7c47b8dd57c64d716b43268e073f3b838295de9c9181b4f90e10d1e274cf1f1f139f29a3bef3f7f5bc5bc706608c7a2948d60bcc947c6
    • SHA256(wangle-v2022.07.25.00.tar.gz)= 0b8dbd2d4c9e33b868035da96ff63796b93dd39e59ce9c0f8de778f77401f548
    • SHA512(wangle-v2022.07.25.00.tar.gz)= a29eb1802cacc46197bd604c42c3fb6fe04718a4c6ec71304a5ddb66ce712ccb5e54ab40b7d81a294095e9e4c7b3ca2972a86c2246fbe43d843ca2db5f1a9c60
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.07.25.00.tar.gz(328.11 KB)
    wangle-v2022.07.25.00.zip(536.66 KB)
  • v2022.07.18.00(Jul 18, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.07.18.00.zip)= 88b95930880bb031f43ceacd4ba69301d75b336e0e1635b42f192eea1aac8e62
    • SHA512(wangle-v2022.07.18.00.zip)= 9ad83f599ff5aa87bc5235fedb04feee936da1a054dcdc986bba1ec74a81b7b19de3ce05ed4b6a348f10e1667d4235ebcc04a70812aa93dc6e5890583b9a2cd0
    • SHA256(wangle-v2022.07.18.00.tar.gz)= 7ae5f0f66cd29a07ef00ac47cc2bbf37f793f1783a384ba009b5ff15e5073968
    • SHA512(wangle-v2022.07.18.00.tar.gz)= aba681dc4c5b87d508e1ab054960727242edce017221ddc728d944d7553975c8ae8b8d994ebc4d1ff8cead9f76566277e4e43a24677739bc1d952f9bca8e089b
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.07.18.00.tar.gz(327.76 KB)
    wangle-v2022.07.18.00.zip(536.22 KB)
  • v2022.07.11.00(Jul 11, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.07.11.00.zip)= 2574efc66e8d5fa02f24db9c7fc9f440f3515f356f4044f156b18843d9c04942
    • SHA512(wangle-v2022.07.11.00.zip)= eec9d8a63f2d45ef64f60d408241082d67020d61aeac9ee523ad7dc60ace2cc59abaf4e447cb52deed7031e2d8fd226c03bb21cc944694ea9d3b6cf4347e3c9a
    • SHA256(wangle-v2022.07.11.00.tar.gz)= ce4f7c6533d3964072ea447fd6d58f40305de3dcdcbf3964cf9bc196853922e4
    • SHA512(wangle-v2022.07.11.00.tar.gz)= 90e6d510049315ecb847aced1527c00393aafeb32e822573a954be470f66bd80b4a9e424cecbc6d331258cbc4c81cc9e54cbc620851e1b4d027c5a3f8b3e7bd8
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.07.11.00.tar.gz(327.70 KB)
    wangle-v2022.07.11.00.zip(536.15 KB)
  • v2022.07.04.00(Jul 4, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.07.04.00.zip)= 9d9298c50c76533556f61a7e97838c23b0aaa153246a32a31f8082a592bfbcde
    • SHA512(wangle-v2022.07.04.00.zip)= 9c4ebb72e9fdaf8f1d0c69bafcbf834e59bc131dc26b1e9938b03fed993cf332017904ae3a4401d09a197830ea1f5a38727e4025288acc23bcdd87e8f46f46bf
    • SHA256(wangle-v2022.07.04.00.tar.gz)= 8c7b538f9e9d84162056d6dc757bea1d0d4c0978889469f10e9d05b1dc4e5a83
    • SHA512(wangle-v2022.07.04.00.tar.gz)= e40d24b55a0247fea9a46ba0a8999a600276a6f4540e9d7e535be0cdf8d447104e1e1de074cf32194feec930cbbac26673bb514665f8dfce8104b5bda2f65bec
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.07.04.00.tar.gz(327.83 KB)
    wangle-v2022.07.04.00.zip(536.24 KB)
  • v2022.06.27.00(Jun 27, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.06.27.00.zip)= 764d6e1d62272e46b1cb6ed7da2b8da54f72ad946fe9fc584c326d7d0d72a5d8
    • SHA512(wangle-v2022.06.27.00.zip)= ac4fca640d22120399e5d45318a4a663b15528790eef64125f583d38707bf53342c2ba000cfed0488570214f719fcd66dc76215f9f9d5d24609243b06a67966a
    • SHA256(wangle-v2022.06.27.00.tar.gz)= e2be19a61593455ae03b99dc36247fedbbf3d9f7521065e78f85d838568dd139
    • SHA512(wangle-v2022.06.27.00.tar.gz)= aeada92feba0795e540c7b3600219855f63a7714907b5bf35478357265e539757ad98c1a055cc345515041a40735812b3c9417576fee5e8c6854ee2f1be6d833
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.06.27.00.tar.gz(327.78 KB)
    wangle-v2022.06.27.00.zip(536.19 KB)
  • v2022.06.20.00(Jun 20, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.06.20.00.zip)= 692e85d1b89d903981ec34db7159fc788dc4ab1dfd9bf98656e322ffc11252bb
    • SHA512(wangle-v2022.06.20.00.zip)= f7da019b6cf5ea4361e6d430865d592d2e19711d46d5756679e0181c3e32b6dcfdf7c6a4bbb61c69846b44e40d7adbbc4665ad22fe3a5db6be51454bc5738598
    • SHA256(wangle-v2022.06.20.00.tar.gz)= b6bc1ffb128b30a46132d730a52ae928fb88a93534927633bd37d1c13ba363e4
    • SHA512(wangle-v2022.06.20.00.tar.gz)= 9b12a55c1c7cab24a8e771c5967a1517ae79578750adb9cf5833a9ee2246f197245df28038a76daaed5f8fa1814c1682b22ab07b38c9ec396abbadc0c5405348
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.06.20.00.tar.gz(327.69 KB)
    wangle-v2022.06.20.00.zip(536.04 KB)
  • v2022.06.13.00(Jun 13, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.06.13.00.zip)= 3b229a414e02f5cda4d677185b19b43eb9ddada82d10d902c7156f851192521d
    • SHA512(wangle-v2022.06.13.00.zip)= 6876e78bb90468e670d46889ab4abdc94a9e5d90dc805c93dc4bd46fac4a6268350d37a2a85eb16d20ff627df329642d180f90ffb545f50946d5931003dda4aa
    • SHA256(wangle-v2022.06.13.00.tar.gz)= 00b779433db0b940f7400a5c119b082d381b115e5aac151f48a3fa65a5f27f95
    • SHA512(wangle-v2022.06.13.00.tar.gz)= 57676c8df8c2e494096210afa8d38c7b56f8c8f78fb0a56ba14d174127ad4648dce6c508b95b015b321d2eab01e6b3a94cffa5b099006074e287d1e62d823ed2
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.06.13.00.tar.gz(327.70 KB)
    wangle-v2022.06.13.00.zip(536.02 KB)
  • v2022.06.06.00(Jun 6, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.06.06.00.zip)= ad247c296df2dd0eec1a2a1d72b7694187d2e0cbffd3025b63a4b5e9c96ad2c3
    • SHA512(wangle-v2022.06.06.00.zip)= afa4afd9f25b5ad262c2e8360b4ca744e242fadb54c743eade643b924f0592c702691fa718b838bb00a2b7c952ca3600389eba999114d5fac07b4f0266dfc077
    • SHA256(wangle-v2022.06.06.00.tar.gz)= 76ee18993616690c278187beffd76301934065e21c76a90ff694a86bed6cfbf3
    • SHA512(wangle-v2022.06.06.00.tar.gz)= 02d94058aa2e3bbd4dcc96cb26036a90386112df0436a585ec9d786c40db5308f05844d55ddafa4d618182075ff53b371348294fbcc97ba163ba92b8441f72d3
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.06.06.00.tar.gz(327.22 KB)
    wangle-v2022.06.06.00.zip(535.36 KB)
  • v2022.05.30.00(May 30, 2022)

    Automated release from TagIt

    File Hashes
    • SHA256(wangle-v2022.05.30.00.zip)= d5828da3bc3eae07785d69abb1653b9c98823a36d9f7bc4a31b537b334466f57
    • SHA512(wangle-v2022.05.30.00.zip)= a8e501609ecefe0e2da326be2f495dd18fae3556ab40d09a33de90e9cf70b09b584e9b337bb3fba79c2a5dfc43206fe1a50b920891afef41e77a9f193789b448
    • SHA256(wangle-v2022.05.30.00.tar.gz)= 34b056fa3f64ab3c1e3dff9d24167e5a403f92cc765222396f3ed73fa8a56eff
    • SHA512(wangle-v2022.05.30.00.tar.gz)= 2247f6f2d897a60aac18b00e815a9cdf39ffe5efadac2a4a72d688c04566d04aac6e9c5baeb0c566016c4bfcd8ef420ad23f916acf5f69d174a67af7a10d058c
    Source code(tar.gz)
    Source code(zip)
    wangle-v2022.05.30.00.tar.gz(327.25 KB)
    wangle-v2022.05.30.00.zip(535.67 KB)
Owner
Facebook
We are working to build community through open source technology. NB: members must have two-factor auth.
Facebook
LAppS - Lua Application Server for micro-services with default communication over WebSockets. The fastest and most vertically scalable WebSockets server implementation ever. Low latency C++ <-> Lua stack roundtrip.

LAppS - Lua Application Server This is an attempt to provide very easy to use Lua Application Server working over WebSockets protocol (RFC 6455). LApp

null 48 Oct 13, 2022
This API uses both composition and inheritance to provide a generic way to set up a custom server with a custom communication protocol and custom middlewares

Ziapi Summary Introduction Installation Introduction This API uses both composition and inheritance to provide a generic way to set up a custom server

Aurélien Boch 8 Apr 22, 2022
Ole Christian Eidheim 741 Dec 27, 2022
Pushpin is a reverse proxy server written in C++ that makes it easy to implement WebSocket, HTTP streaming, and HTTP long-polling services.

Pushpin is a reverse proxy server written in C++ that makes it easy to implement WebSocket, HTTP streaming, and HTTP long-polling services. The project is unique among realtime push solutions in that it is designed to address the needs of API creators. Pushpin is transparent to clients and integrates easily into an API stack.

Fanout 3.2k Jan 2, 2023
Provide translation, currency conversion, and voting services. First using telnet you create a connection to a TCP socket, then the server connects to 3 UDP sockets hosted on other servers to do tasks.

to run micro servers g++ translator.cpp -o translator ./translator <port 1> g++ voting.cpp -o voting ./voting <port 2> g++ currency_converter.cpp -o c

Jacob Artuso 1 Oct 29, 2021
A C++ async HTTP client library to use in asynchronous applications while communicating with REST services.

libashttp An asynchronous HTTP library using Boost.ASIO as the backend. This project is licensed under: Usage Here is a example usage which is taken f

Tolga Hoşgör 53 Dec 17, 2022
Enabling services on your device 81 Jan 6, 2023
A Tcp/Ip stack implementation on top of Solarflare ef_vi, and a C++ headers only framework for tcp multiplexing client/server.

Efvitcp Efvitcp is a tcp library using Solarflare ef_vi interface on linux, and also a tcp multiplexing framework for both C++ client and server progr

Meng Rao 23 Nov 26, 2022
Triton Python and C++ client libraries and example, and client examples for go, java and scala.

Triton Client Libraries and Examples To simplify communication with Triton, the Triton project provides several client libraries and examples of how t

Triton Inference Server 228 Jan 5, 2023
The InitWare Suite of Middleware allows you to manage services and system resources as logical entities called units. Its main component is a service management ("init") system.

InitWare isn't ready to use yet!! Unless you are doing so for fun, to experiment, or to contribute, you most likely do not want to try to install Init

null 164 Dec 21, 2022
C++ ChrysaLisp services and messaging.

ChrysaLib C++ ChrysaLib ! A version of ChrysaLisp system concepts written in C++. Dependencies Mac via Brew brew install libusb asio Linux via apt-get

Chris Hinsley 3 Jan 10, 2022
C++ framework for building lightweight HTTP interfaces

Pion Network Library C++ framework for building lightweight HTTP interfaces Project Home: https://github.com/rimmartin/pion-ng Documentation Retrievin

null 1 Dec 30, 2020
Building a personal webserver/framework piece by piece

Building a personal webserver/framework piece by piece

E 1 Oct 9, 2022
A modern C++ network library for developing high performance network services in TCP/UDP/HTTP protocols.

evpp Introduction 中文说明 evpp is a modern C++ network library for developing high performance network services using TCP/UDP/HTTP protocols. evpp provid

Qihoo 360 3.2k Jan 5, 2023
Examples for individual ROS2 functionalities inc. Subscribers, Publishers, Timers, Services, Parameters. ...

ROS2 examples This example package is meant to explore the possibilities of ROS2 from the point of view of current ROS1 features and how the ROS1 feat

Multi-robot Systems (MRS) group at Czech Technical University in Prague 50 Nov 17, 2022
T-Watch 2020 v1 compatible firmware providing WiFi and BLE testing tools (and also, a watch :D)

ESP-IDF template app This is a template application to be used with Espressif IoT Development Framework. Please check ESP-IDF docs for getting started

Damien Cauquil 49 Dec 23, 2022
A very simple, fast, multithreaded, platform independent HTTP and HTTPS server and client library implemented using C++11 and Boost.Asio.

A very simple, fast, multithreaded, platform independent HTTP and HTTPS server and client library implemented using C++11 and Boost.Asio. Created to be an easy way to make REST resources available from C++ applications.

Ole Christian Eidheim 2.4k Dec 23, 2022
Ultra fast and low latency asynchronous socket server & client C++ library with support TCP, SSL, UDP, HTTP, HTTPS, WebSocket protocols and 10K connections problem solution

CppServer Ultra fast and low latency asynchronous socket server & client C++ library with support TCP, SSL, UDP, HTTP, HTTPS, WebSocket protocols and

Ivan Shynkarenka 958 Jan 3, 2023
Simple server and client using python socket and declarative programming

Socket-programming Simple server and client using python socket and declarative programming How to use? open cmd and navigate to the location of the s

MAINAK CHAUDHURI 24 Dec 17, 2022