• Stars
    star
    966
  • Rank 45,813 (Top 1.0 %)
  • Language
    Go
  • License
    MIT License
  • Created over 1 year ago
  • Updated about 1 month ago

Reviews

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

Repository Details

Blazingly fast and light-weight Actor engine written in Golang

Go Report Card example workflow Discord Shield

Blazingly fast, low latency actors for Golang

Hollywood is an ULTRA fast actor engine build for speed and low-latency applications. Think about game servers, advertising brokers, trading engines, etc... It can handle 10 million messages in under 1 second.

What is the actor model?

The Actor Model is a computational model used to build highly concurrent and distributed systems. It was introduced by Carl Hewitt in 1973 as a way to handle complex systems in a more scalable and fault-tolerant manner.

In the Actor Model, the basic building block is an actor, sometimes referred to as a receiver in Hollywood, which is an independent unit of computation that communicates with other actors by exchanging messages. Each actor has its own state and behavior, and can only communicate with other actors by sending messages. This message-passing paradigm allows for a highly decentralized and fault-tolerant system, as actors can continue to operate independently even if other actors fail or become unavailable.

Actors can be organized into hierarchies, with higher-level actors supervising and coordinating lower-level actors. This allows for the creation of complex systems that can handle failures and errors in a graceful and predictable way.

By using the Actor Model in your application, you can build highly scalable and fault-tolerant systems that can handle a large number of concurrent users and complex interactions.

Features

  • Guaranteed message delivery on actor failure (buffer mechanism)
  • Fire & forget or request & response messaging, or both
  • High performance dRPC as the transport layer
  • Optimized proto buffers without reflection
  • Lightweight and highly customizable
  • Cluster support for writing distributed self discovering actors

Benchmarks

make bench
spawned 10 engines
spawned 2000 actors per engine
Send storm starting, will send for 10s using 20 workers
Messages sent per second 3244217
..
Messages sent per second 3387478
Concurrent senders: 20 messages sent 35116641, messages received 35116641 - duration: 10s
messages per second: 3511664
deadletters: 0

Installation

go get github.com/anthdm/hollywood/...

Hollywood requires Golang version 1.21

Quickstart

We recommend you start out by writing a few examples that run locally. Running locally is a bit simpler as the compiler is able to figure out the types used. When running remotely, you'll need to provide protobuffer definitions for the compiler.

Hello world.

Let's go through a Hello world message. The complete example is available in the hello world folder. Let's start in main:

engine, err := actor.NewEngine(actor.NewEngineConfig())

This creates a new engine. The engine is the core of Hollywood. It's responsible for spawning actors, sending messages and handling the lifecycle of actors. If Hollywood fails to create the engine it'll return an error. For development you shouldn't use to pass any options to the engine so you can pass nil. We'll look at the options later.

Next we'll need to create an actor. These are some times referred to as Receivers after the interface they must implement. Let's create a new actor that will print a message when it receives a message.

pid := engine.Spawn(newHelloer, "hello")

This will cause the engine to spawn an actor with the ID "hello". The actor will be created by the provided function newHelloer. Ids must be unique. It will return a pointer to a PID. A PID is a process identifier. It's a unique identifier for the actor. Most of the time you'll use the PID to send messages to the actor. Against remote systems you'll use the ID to send messages, but on local systems you'll mostly use the PID.

Let's look at the newHelloer function and the actor it returns.

type helloer struct{}

func newHelloer() actor.Receiver {
	return &helloer{}
}

Simple enough. The newHelloer function returns a new actor. The actor is a struct that implements the actor.Receiver. Lets look at the Receive method.

type message struct {}

func (h *helloer) Receive(ctx *actor.Context) {
	switch msg := ctx.Message().(type) {
	case actor.Initialized:
		fmt.Println("helloer has initialized")
	case actor.Started:
		fmt.Println("helloer has started")
	case actor.Stopped:
		fmt.Println("helloer has stopped")
	case *message:
		fmt.Println("hello world", msg.data)
	}
}

You can see we define a message struct. This is the message we'll send to the actor later. The Receive method also handles a few other messages. These lifecycle messages are sent by the engine to the actor, you'll use these to initialize your actor

The engine passes an actor.Context to the Receive method. This context contains the message, the PID of the sender and some other dependencies that you can use.

Now, lets send a message to the actor. We'll send a message, but you can send any type of message you want. The only requirement is that the actor must be able to handle the message. For messages to be able to cross the wire they must be serializable. For protobuf to be able to serialize the message it must be a pointer. Local messages can be of any type.

Finally, lets send a message to the actor.

engine.Send(pid, "hello world!")

This will send a message to the actor. Hollywood will route the message to the correct actor. The actor will then print a message to the console.

The examples folder is the best place to learn and explore Hollywood further.

Spawning actors

When you spawn an actor you'll need to provide a function that returns a new actor. As the actor is spawn there are a few tunable options you can provide.

With default configuration

e.Spawn(newFoo, "myactorname")

Passing arguments to the constructor

Sometimes you'll want to pass arguments to the actor constructor. This can be done by using a closure. There is an example of this in the request example. Let's look at the code.

The default constructor will look something like this:

func newNameResponder() actor.Receiver {
	return &nameResponder{name: "noname"}
}

To build a new actor with a name you can do the following:

func newCustomNameResponder(name string) actor.Producer {
	return func() actor.Receiver {
		return &nameResponder{name}
	}
}

You can then spawn the actor with the following code:

pid := engine.Spawn(newCustomNameResponder("anthony"), "name-responder")

With custom configuration

e.Spawn(newFoo, "myactorname",
	actor.WithMaxRestarts(4),
		actor.WithInboxSize(1024 * 2),
		actor.WithId("bar"),
	)
)

The options should be pretty self explanatory. You can set the maximum number of restarts, which tells the engine how many times the given actor should be restarted in case of panic, the size of the inbox, which sets a limit on how and unprocessed messages the inbox can hold before it will start to block.

As a stateless function

Actors without state can be spawned as a function, because its quick and simple.

e.SpawnFunc(func(c *actor.Context) {
	switch msg := c.Message().(type) {
	case actor.Started:
		fmt.Println("started")
		_ = msg
	}
}, "foo")

Remote actors

Actors can communicate with each other over the network with the Remote package. This works the same as local actors but "over the wire". Hollywood supports serialization with protobuf.

Configuration

remote.New() takes a listen address and a remote.Config struct.

You'll instantiate a new remote with the following code:

tlsConfig := TlsConfig: &tls.Config{
	Certificates: []tls.Certificate{cert},
}

config := remote.NewConfig().WithTLS(tlsConfig)
remote := remote.New("0.0.0.0:2222", config)

engine, err := actor.NewEngine(actor.NewEngineConfig().WithRemote(remote))

Look at the Remote actor examples and the Chat client & Server for more information.

Eventstream

In a production system thing will eventually go wrong. Actors will crash, machines will fail, messages will end up in the deadletter queue. You can build software that can handle these events in a graceful and predictable way by using the event stream.

The Eventstream is a powerful abstraction that allows you to build flexible and pluggable systems without dependencies.

  1. Subscribe any actor to a various list of system events
  2. Broadcast your custom events to all subscribers

Note that events that are not handled by any actor will be dropped. You should have an actor subscribed to the event stream in order to receive events. As a bare minimum, you'll want to handle DeadLetterEvent. If Hollywood fails to deliver a message to an actor it will send a DeadLetterEvent to the event stream.

Any event that fulfills the actor.LogEvent interface will be logged to the default logger, with the severity level, message and the attributes of the event set by the actor.LogEvent log() method.

List of internal system events

  • actor.ActorInitializedEvent, an actor has been initialized but did not processed its actor.Started message
  • actor.ActorStartedEvent, an actor has started
  • actor.ActorStoppedEvent, an actor has stopped
  • actor.DeadLetterEvent, a message was not delivered to an actor
  • actor.ActorRestartedEvent, an actor has restarted after a crash/panic.
  • actor.RemoteUnreachableEvent, sending a message over the wire to a remote that is not reachable.
  • cluster.MemberJoinEvent, a new member joins the cluster
  • cluster.MemberLeaveEvent, a new member left the cluster
  • cluster.ActivationEvent, a new actor is activated on the cluster
  • cluster.DeactivationEvent, an actor is deactivated on the cluster

Eventstream example

There is a eventstream monitoring example which shows you how to use the event stream. It features two actors, one is unstable and will crash every second. The other actor is subscribed to the event stream and maintains a few counters for different events such as crashes, etc.

The application will run for a few seconds and the poison the unstable actor. It'll then query the monitor with a request. As actors are floating around inside the engine, this is the way you interact with them. main will then print the result of the query and the application will exit.

Customizing the Engine

We're using the function option pattern. All function options are in the actor package and start their name with "EngineOpt". Currently, the only option is to provide a remote. This is done by

r := remote.New(remote.Config{ListenAddr: addr})
engine, err := actor.NewEngine(actor.EngineOptRemote(r))

addr is a string with the format "host:port".

Middleware

You can add custom middleware to your Receivers. This can be useful for storing metrics, saving and loading data for your Receivers on actor.Started and actor.Stopped.

For examples on how to implement custom middleware, check out the middleware folder in the examples

Logging

Hollywood has some built in logging. It will use the default logger from the log/slog package. You can configure the logger to your liking by setting the default logger using slog.SetDefaultLogger(). This will allow you to customize the log level, format and output. Please see the slog package for more information.

Note that some events might be logged to the default logger, such as DeadLetterEvent and ActorStartedEvent as these events fulfill the actor.LogEvent interface. See the Eventstream section above for more information.

Test

make test

Community and discussions

Join our Discord community with over 2000 members for questions and a nice chat.
Discord Banner

Used in Production By

This project is currently used in production by the following organizations/projects:

License

Hollywood is licensed under the MIT licence.

More Repositories

1

raptor

Create, Deploy, and Run your applications on the edge
Go
215
star
2

ml-email-clustering

Email clustering with machine learning
Python
167
star
3

hbbft

Practical implementation of the Honey Badger Byzantine Fault Tolerance consensus algorithm written in Go.
Go
140
star
4

slick

Go
121
star
5

gobank

A complete JSON API project in Golang where we are building a bank API
Go
115
star
6

gothstarter

Golang, Templ, HTMX, and Tailwind started pack
CSS
103
star
7

.nvim

My Neovim configuration in one single file
Lua
81
star
8

ggpoker

A decentralized poker game engine written in Golang and Solidity
Go
64
star
9

projectx

A community driven modular blockchain created from scratch
Go
62
star
10

distributedfilesystemgo

distributedfilesystemgo
Go
61
star
11

crypto-exchange

Build a crypto-exchange from scratch series
Go
60
star
12

vscode-config

My vscode configuration
53
star
13

boredstack

A programming for the no-bullshit builder
CSS
47
star
14

golangmicro

A microservice written in Golang with gRPC and JSON transport
Go
38
star
15

avalanche

A educational / research implementation of the Avalanche consensus algorithm written in Rust
Rust
34
star
16

gameserver

A multiplayer game server written with Golang actors thanks to the Hollywood framework
Go
33
star
17

ggcache

FAST AF F
Go
32
star
18

ggcommerce

ECommerce platform backend in Golang
Go
32
star
19

rust-trading-engine

A trading (matching) engine implementation in Rust.
Rust
27
star
20

hopper

The real time database for modern applications
Go
24
star
21

gstream

A message queue for everything
Go
18
star
22

godistricas

A content addressable storage, but decentralized.
Go
18
star
23

go-price-fetcher

A micro service witten in Golang that fetches the price of crypto coins
Go
16
star
24

consenter

A pluggable blockchain consensus simulation framework written in Go.
Go
15
star
25

tasker

A package that handles the boilerplate involving running functions in goroutines idiomatically
Go
15
star
26

catfacter

A simple JSON API that can fetch cat facts 🀷
Go
13
star
27

termdicator

A custom made crypto orderbook indicator displaying in your terminal
Go
11
star
28

disruptor

Go
11
star
29

neo-go

Node and SDK for the NEO blockchain written in Go
Go
7
star
30

tcpc

Golang channels over TCP
Go
7
star
31

jscollect

A tool that collects all Javascript files from a certain domain
Go
7
star
32

dreampicai

CSS
7
star
33

go-webkit

Go
7
star
34

ssltrackeroe

CSS
7
star
35

.vim

My Vim setup and configuration under version control.
Vim Script
6
star
36

distriscrappy

Go
6
star
37

flow

etcd backed service discovery with build in loadbalancer for scalable service oriented applications
Go
5
star
38

tlchallence

Go
4
star
39

goredisclone

Go
4
star
40

jinx-proxy

Multi reverse proxy written in Go
Go
3
star
41

reinforcement-curve-fever

Using reinforcement learning to play curve fever through a DQN with Tensorflow
Python
3
star
42

biny

A highly-available distributed lexicografical key-value store build for scale
Go
3
star
43

anthdm.github.io

The NDA club podcast website
HTML
3
star
44

fullstack-web3-dex

A complete DEX written in Solidity with a Nextjs + tailwind frontend
JavaScript
3
star
45

DEX

A Decentralized exchange written in Solidity
JavaScript
2
star
46

dontgetscammed

The official dontgetscammed application
TypeScript
2
star
47

nginx-php

Run php environment in a docker container with nginx as webserver
Shell
1
star
48

docker-silex

docker container for running silex apps backed by nginx and php-fpm
Shell
1
star
49

weavebox-docker-example

Example application running a weavebox app in a docker container, ready for deployment on a CoreOS machine
Go
1
star
50

neo-rs

NEO 3.0 implementation in the Rust language
Rust
1
star
51

alien-invasion

A brutal alien invading simulator.
Go
1
star
52

gonzo

Dropon's API server
Go
1
star
53

es-proxy

Go
1
star
54

go-bpost

Package client to communicate with BPOST web services
Go
1
star
55

dynamic-dag-sharding

Let met think some more about a good description.
Go
1
star
56

testapp

yeah. I know....
Go
1
star