This library leverages C++ coroutines for asynchronous programming, providing efficient and non-blocking I/O operations. It offers a range of polling mechanisms and utilities for handling sockets and files, making it suitable for various networking and file I/O tasks.
⭐ If you find COROIO useful, please consider giving us a star on GitHub! Your support helps us continue to innovate and deliver exciting features.
-
Coroutines for Asynchronous Code:
- The library uses C++ coroutines, allowing you to write asynchronous code in a more straightforward and readable manner.
-
Polling Mechanisms:
TSelect
: Utilizes theselect
system call, suitable for a wide range of platforms.TPoll
: Uses thepoll
system call, offering another general-purpose polling solution.TEPoll
: Employsepoll
, available exclusively on Linux systems for high-performance I/O.TUring
: Integrates withliburing
for advanced I/O operations, specific to Linux.TKqueue
: Useskqueue
, available on FreeBSD and macOS.TIOCp
: Uses IO completion ports on Windows.TDefaultPoll
: Automatically selects the best polling mechanism based on the platform (TEPoll on Linux, TKqueue on macOS/FreeBSD, TIOCp on Windows).
-
Socket and File Handling:
TSocket
andTFileHandle
: Core entities for handling network sockets and file operations.- Provide
ReadSome
andWriteSome
methods for reading and writing data. These methods read or write up to a specified number of bytes, returning the number of bytes processed or -1 on error. A return value of 0 indicates a closed socket.
-
Utility Wrappers:
TByteReader
andTByteWriter
: Ensure the specified number of bytes is read or written, useful for guaranteed data transmission.TLineReader
: Facilitates line-by-line reading, simplifying the handling of text-based protocols or file inputs.
-
Actor System:
- Actor-based concurrency model for message-passing systems with typed behaviors and async processing.
- See detailed docs: Actors on top of coroio
The library supports the following operating systems:
- Linux: Fully supported with
epoll
andliburing
for high-performance I/O operations. - FreeBSD: Supported via the
kqueue
mechanism. - macOS: Supported via the
kqueue
mechanism. - Windows: Supported using the
iocp
mechanism.
-
Setup: Include the library in your project and ensure C++ support is enabled in your compiler settings.
-
Selecting a Poller:
- Choose a polling mechanism based on your platform and performance needs. For most cases,
TDefaultPoll
can automatically select the appropriate poller.
- Choose a polling mechanism based on your platform and performance needs. For most cases,
-
Implementing Network Operations:
- Use
TSocket
for network communication. Initialize a socket with the desired address and useReadSome
/WriteSome
for data transmission. - Employ
TFileHandle
for file I/O operations with similar read/write methods.
- Use
-
Reading and Writing Data:
- For basic operations, use
ReadSome
andWriteSome
. - When you need to ensure a specific amount of data is transmitted, use
TByteReader
orTByteWriter
. - For reading text files or protocols,
TLineReader
offers a convenient way to process data line by line.
- For basic operations, use
// Example of creating a socket and reading/writing data
TSocket socket{/* initialize with poller */};
// Writing data
socket.WriteSome(data, dataSize);
// Reading data
socket.ReadSome(buffer, bufferSize);
- Choose the right poller for your platform and performance requirements.
- Always check the return values of
ReadSome
andWriteSome
to handle partial reads/writes and errors appropriately. - Use the utility wrappers (
TByteReader
,TByteWriter
,TLineReader
) to simplify common I/O patterns.
#include <coroio/all.hpp>
#include <iostream>
#include <string>
#include <vector>
using namespace NNet;
template<typename TPoller>
TFuture<void> client(TPoller& poller, TAddress addr)
{
static constexpr int maxLineSize = 4096;
using TSocket = typename TPoller::TSocket;
using TFileHandle = typename TPoller::TFileHandle;
std::vector<char> in(maxLineSize);
try {
TFileHandle input{0, poller}; // stdin
TSocket socket{poller, addr.Domain()};
TLineReader lineReader(input, maxLineSize);
TByteWriter byteWriter(socket);
TByteReader byteReader(socket);
co_await socket.Connect(addr);
while (auto line = co_await lineReader.Read()) {
co_await byteWriter.Write(line);
co_await byteReader.Read(in.data(), line.Size());
std::cout << "Received: " << std::string_view(in.data(), line.Size()) << "\n";
}
} catch (const std::exception& ex) {
std::cout << "Exception: " << ex.what() << "\n";
}
co_return;
}
int main() {
// Initialize your poller (e.g., TSelect, TEpoll)
// ...
// Run the Echo Client
// ...
}
-
Line Reading:
TLineReader
is used to read lines from standard input. It handles lines split into two parts (Part1
andPart2
) due to the internal use of a fixed-size circular buffer.
-
Data Writing:
TByteWriter
is utilized to write the line parts to the socket, ensuring that the entire line is sent to the server.
-
Data Reading:
TByteReader
reads the server's response into a buffer, which is then printed to the console.
-
Socket Connection:
- The
TSocket
is connected to the server at "127.0.0.1" on port 8000.
- The
-
Processing Loop:
- The loop continues reading lines from standard input and echoes back the server's response until the input stream ends.
See detailed docs: Actors on top of coroio
The actor system provides message-passing concurrency with typed behaviors. Here's a simple counter actor example:
#include <coroio/all.hpp>
#include <coroio/actors/actor.hpp>
#include <iostream>
using namespace NNet;
using namespace NNet::NActors;
// Define message types
struct IncrementMessage {
static constexpr TMessageId MessageId = 100;
int value;
};
struct GetCountMessage {
static constexpr TMessageId MessageId = 101;
};
struct CountResponseMessage {
static constexpr TMessageId MessageId = 102;
int count;
};
// Simple synchronous actor
class CounterActor : public IActor {
private:
int counter_ = 0;
public:
void Receive(TMessageId messageId, TBlob blob, TActorContext::TPtr ctx) override {
if (messageId == IncrementMessage::MessageId) {
auto message = DeserializeNear<IncrementMessage>(blob);
counter_ += message.value;
std::cout << "Counter incremented by " << message.value
<< ", new value: " << counter_ << "\n";
} else if (messageId == GetCountMessage::MessageId) {
ctx->Send(ctx->Sender(), CountResponseMessage{counter_});
}
}
};
// Behavior-based actor with typed message handling
class BehaviorCounterActor : public IBehaviorActor,
public TBehavior<BehaviorCounterActor,
IncrementMessage,
GetCountMessage>
{
private:
int counter_ = 0;
public:
BehaviorCounterActor() {
Become(this);
}
void Receive(IncrementMessage&& msg, TBlob blob, TActorContext::TPtr ctx) {
counter_ += msg.value;
std::cout << "Behavior counter: " << counter_ << "\n";
}
TFuture<void> Receive(GetCountMessage&& msg, TBlob blob, TActorContext::TPtr ctx) {
// Async response with delay
co_await ctx->Sleep(std::chrono::milliseconds(100));
ctx->Send(ctx->Sender(), CountResponseMessage{counter_});
}
void HandleUnknownMessage(TMessageId messageId, TBlob blob, TActorContext::TPtr ctx) {
std::cout << "Unknown message: " << messageId << "\n";
}
};
template<typename TPoller>
TFuture<void> actorExample(TPoller& poller) {
TActorSystem actorSystem;
// Register actors
auto counterActor = actorSystem.Register(std::make_unique<CounterActor>());
auto behaviorActor = actorSystem.Register(std::make_unique<BehaviorCounterActor>());
// Send messages
actorSystem.Send(counterActor, IncrementMessage{5});
actorSystem.Send(counterActor, IncrementMessage{10});
actorSystem.Send(behaviorActor, IncrementMessage{3});
// Request-response pattern would require additional setup
// This is a basic fire-and-forget example
co_return;
}
-
Message Definition:
- Each message type has a unique
MessageId
constant for identification. - Messages are serialized/deserialized automatically by the system.
- Each message type has a unique
-
Simple Actor:
CounterActor
inherits fromIActor
and implements synchronous message handling.- All message processing happens in the
Receive
method with manual message type checking.
-
Behavior-Based Actor:
BehaviorCounterActor
uses typed behaviors for cleaner message handling.- Each message type gets its own
Receive
method with automatic deserialization. - Supports both synchronous (
void
) and asynchronous (TFuture<void>
) message handlers.
-
Actor System:
- Actors are registered with the system and receive unique IDs.
- Messages are sent using actor IDs and message objects.
The benchmark methodology was taken from the libevent library.
There are two benchmarks. The first one measures how long it takes to serve one active connection and exposes scalability issues of traditional interfaces like select or poll. The second benchmark measures how long it takes to serve one hundred active connections that chain writes to new connections until thousand writes and reads have happened. It exercises the event loop several times.
Performance comparison using different event notification mechansims in Libevent and coroio as follows.
- CPU i7-12800H
- Ubuntu 23.04
- clang 16
- libevent master 4c993a0e7bcd47b8a56514fb2958203f39f1d906 (Tue Apr 11 04:44:37 2023 +0000)
- CPU i5-11400F
- Ubuntu 23.04, WSL2, kernel 6.1.21.1-microsoft-standard-WSL2+
- CPU Apple M1
- MacBook Air M1 16G
- MacOS 12.6.3
The actor benchmark measures message-passing throughput in a ring topology where actors forward messages to the next actor in the ring, counting messages that pass through the first actor (seed messages are not counted).
The benchmark runs in two modes:
- Local mode: 100 actors created within a single process
- Distributed mode: 10 separate processes, each containing 1 actor
class RingActor(idx: Int, N: Int, M: Int, ring: ListBuffer[ActorRef]) extends Actor {
private var remain = M
def receive: Receive = {
case Next =>
if (!(idx == 0 && remain == 0)) {
// Forward the message to the next actor
ring((idx + 1) % N) ! Next
if (idx == 0) {
if (sender() != context.system.deadLetters) {
remain -= 1
}
}
}
}
}
- CPU i5-11400F
- Ubuntu 25.04
Local ring (100 actors, 1024 batch size):
- Akka: 473,966 msg/s
- Coroio: 442,151 msg/s
- Caf: 302,930 msg/s
- Ydb/actors: 151,972 msg/s
Distributed ring (10 actors, 1024 batch size, 0 payload size):
- Coroio: 1,137,790 msg/s
- Ydb/actors: 182,525 msg/s
- Caf: 55,540 msg/s
- Akka: 5,765 msg/s
Distributed ring (10 actors, 1024 batch size, 1024 payload size):
- Coroio: 860,188 msg/s
- Ydb/actors: 96,372 msg/s
- miniraft-cpp: A minimal implementation of the Raft consensus algorithm, leveraging coroio for efficient and asynchronous I/O operations. View on GitHub.