package mesh

import "github.com/Diarkis/diarkis/mesh"

Package mesh ▷

Mesh - Server to server internal communications

Mesh manages and controls all internal server to server communications.

Configurations

Mesh configurations are explained below.

{
  "address": "127.0.0.1",
  "nic": "eth0",
  "port": "8000",
  "marsAddress": "127.0.0.1",
  "marsPort": "6789",
  "marsAddressCacheTTL": 60,
  "retryInterval": 1000,
  "retryTimeout": 3000,
  "strictCheckForExternal": false
  "sendInterval": 0
}

▶︎ Configuration Values

address - Default is "127.0.0.1"

Address for mesh network server to bind with.

nic - Default is "eth0"

Name of a network interface to retrieve address from.

port - Default is "8000"

Port for mesh network server to bind with. Starts from the given port and scans to find an open poet to bind.

marsAddress - Default is "127.0.0.1"

MARS server address. Can be overwritten by env DIARKIS_MARS_ADDR.

marsPort - Default is "6789"

MARS server port. Can be overwritten by env DIARKIS_MARS_PORT.

NOTE - You may use either address or nic in your configurations. If none is used, the default is localhost.

marsAddressCacheTTL - Default is 60 seconds

The TTL of MARS resolved address cache availability.

retryInterval - Default is 1000ms

RUDP retry interval in milliseconds

retryTimeout - Default is 3000ms

RUDP retry timeout.

strictCheckForExternal - Default is false

When this configuration is set to true, all in coming mesh messages will be validated to make sure the sender of each message comes from a node that is part of the cluster.

sendInterval - Message buffering interval in milliseconds. Default is 0ms

If sendInterval is set to be greater than 17 (17 is the minimum value), it will buffer the mesh messages.

Request and response style server to server communication

Mesh module allows you to send a request to a server in the Diarkis cluster and have the server send a response back.

▶︎ Preparation

You must have a receiver function defined in order to handle requests from another server.

// This must be called in the place where it gets called once during the server start process.
// It does not have to be a closure function here.
diarkis.OnStart(func() {
  // This is how to register the request handler for a specific request command ID
  mesh.HandleCommand(myAwesomeRequestCommandID, func(req map[string]interface{}) ([]byte, error) {

    // req map contains the request parameters send from another server.

    // The first returned value which is a []byte will be the response data sent to the sender server.

    // By returning an error, the request sender server will receive the response as an error.

    // response data can be a struct as well
    myAwsomeResponseDataMap := make(map[string]interface{})

    myAwsomeResponseDataMap["response"] = "I handled your request beautifully!"

    bytes, err :=  mesh.CreateResponseBytes(myAwsomeResponseDataMap)

    return bytes, err

  })
})

▶︎ Send a request and receive the response

type MyAwsomeRequestData struct {
  Greeting string `json:"greeting"`
}

requestData := &MyAwesomeRequestData{ Greeting: "Hello" }

// The callback receives the request response.
mesh.SendRequest(myAwesomeRequestCommandID, anotherServerMeshAddress, requestData, func(err error, resp map[string]interface{}) {

  if err != nil {
    // The request caused an error...
  }

})

Utility functions that are useful

▶︎ How to find out the server type of the current server that you are operating on

myServerNodeType = mesh.GetNodeType()

▶︎ How to find out the mesh address (internal address for server to server communication) of the current server that you are operating on

myMeshAddr := mesh.GetMyEndPoint()

▶︎ How to find out the public address (internet facing address) of the current server that you are operating on

myPublicAddr := mesh.GetMyNodeEndPoint()

▶︎ Get all mesh addresses of a specific server type

addrs := mesh.GetNodeAddressesByType("$(server_node_type)")

Index

Constants

const DGSRole = "DGS"

DGSRole is the string representation of DGS role.

const HTTPRole = "HTTP"

HTTPRole is the string representation of HTTP role.

const MaxMessageSize = 10000000

MaxMessageSize max size of a message before split - 10MB in bytes

const MaxPacketSize = 1400

MaxPacketSize The max size of mesh message in bytes.

const MaxSize = 1300

MaxSize The threshold of packet size to split - if a packet is greater than this value, it will split

const Shrink = 10

Shrink The number of deletes until we shrink msgmap size

const TCPRole = "TCP"

TCPRole is the string representation of TCP role.

const UDPRole = "UDP"

UDPRole is the string representation of UDP role.

const Update = "update"

Update Event name before update

Functions

func Command

func Command(commandID uint16, callback func(map[string]interface{}) (map[string]interface{}, error))

Command defines a handling function for a mesh network message as a command.

Deprecated

This function has been deprecated and will be removed in the future version without a warning. Use HandleCommand instead.

Command is replaced by HandleCommand - Command messages are sent by SendRequest, SendMany, USend, USendMany

func CreateRequestData

func CreateRequestData() *util.Parcel

CreateRequestData returns an instance of util.Parcel to be used for SendRequest, SendMany, USendMany, Send, and USend.

func CreateReturnBytes

func CreateReturnBytes(data interface{}) ([]byte, error)

CreateReturnBytes converts a map into a byte array for HandleCommand handler's return value

func CreateSendBytes

func CreateSendBytes(data interface{}) ([]byte, error)

CreateSendBytes converts a map into a byte array for Send, USend, SendMany, USendMany, and SendRequest

func GetBool

func GetBool(data map[string]interface{}, name string) bool

GetBool returns a bool from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is not bool.

func GetBytes

func GetBytes(data map[string]interface{}, name string) []byte

GetBytes returns a byte array from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither []byte nor string (base64 encoded).

func GetFloat64

func GetFloat64(data map[string]interface{}, name string) float64

GetFloat64 returns a float64 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is not float64.

func GetInt

func GetInt(data map[string]interface{}, name string) int

GetInt returns an int from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor int.

func GetInt16

func GetInt16(data map[string]interface{}, name string) int16

GetInt16 returns an int16 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor int16.

func GetInt32

func GetInt32(data map[string]interface{}, name string) int32

GetInt32 returns an int32 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor int32.

func GetInt64

func GetInt64(data map[string]interface{}, name string) int64

GetInt64 returns an int64 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor int64.

func GetInt8

func GetInt8(data map[string]interface{}, name string) int8

GetInt8 returns an int8 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor int8.

func GetMyEndPoint

func GetMyEndPoint() string

GetMyEndPoint Returns its own mesh network endpoint that is used for internal server-to-server communication.

[IMPORTANT] Send, USend, SendMany, USendMany, and SendRequest needs this mesh network endpoint.

The returned address is external address for clients.

[NOTE] Uses mutex lock internally.

func GetMyNodeEndPoint

func GetMyNodeEndPoint() string

GetMyNodeEndPoint returns the server endpoint (internet) its own node

The returned address is external address for clients.

[NOTE] Uses mutex lock internally.

func GetMyNodeType

func GetMyNodeType() string

GetMyNodeType Returns the node type of itself

func GetMyNodeValue

func GetMyNodeValue(name string) interface{}

GetMyNodeValue returns a metadata value of the node

[NOTE] Uses mutex lock internally.

func GetNodeAddresses

func GetNodeAddresses(ignoreList []string) []string

GetNodeAddresses Returns all internal server-to-server communication node addresses.

[IMPORTANT] The returned results may be a cached values and may not be the most current values.
            The cache is two seconds.
[NOTE] Uses mutex lock internally.

func GetNodeAddressesByRole

func GetNodeAddressesByRole(nRole string) []string

GetNodeAddressesByRole return the mesh network endpoints for internal server-to-server communication of nodes by server role (role is based on network protocol).

[IMPORTANT] Send, USend, SendMany, USendMany, and SendRequest needs this mesh network endpoint.

[NOTE] Uses mutex lock internally.

func GetNodeAddressesByType

func GetNodeAddressesByType(nType string) []string

GetNodeAddressesByType Return the mesh network endpoints for internal server-to-server communication of nodes by type.

[IMPORTANT] Send, USend, SendMany, USendMany, and SendRequest needs this mesh network endpoint.
[IMPORTANT] The returned results may be a cached values and may not be the most current values.
            The cache is two seconds.

Server type can be changed by the application.

The returned list of addresses contain offline and taken nodes as well.

[NOTE] Uses mutex lock internally.

func GetNodeEndPoint

func GetNodeEndPoint(nodeAddr string) string

GetNodeEndPoint returns the public server endpoint (internet) of a node by its mesh node address - only TCP, UDP.

[IMPORTANT] Endpoint that is used to communicate with the clients over internet.

The returned address is external address for clients.

[NOTE] Uses mutex lock internally.

func GetNodeMeshEndpoint

func GetNodeMeshEndpoint(publicEndpoint string) string

GetNodeMeshEndpoint returns the private mesh endpoint of the node by its public endpoint - only TCP and UDP.

[IMPORTANT] The returned address is used for server-to-server mesh communication.

[NOTE] Uses mutex lock internally.

func GetNodeRole

func GetNodeRole() string

GetNodeRole returns the server role of the server.

func GetNodeRoleByAddress

func GetNodeRoleByAddress(addr string) string

GetNodeRoleByAddress returns the server role of the given mesh address (internal address).

[IMPORTANT] Send, USend, SendMany, USendMany, and SendRequest needs this mesh network endpoint.

func GetNodeRoleByType

func GetNodeRoleByType(nType string) string

GetNodeRoleByType Returns node role by node type.

[NOTE] Uses mutex lock internally.

Possible values for nType:

func GetNodeType

func GetNodeType() string

GetNodeType returns the server type of the server

func GetNodeTypeByAddress

func GetNodeTypeByAddress(addr string) string

GetNodeTypeByAddress returns the server type of the given mesh address (internal address)

[IMPORTANT] Send, USend, SendMany, USendMany, and SendRequest needs this mesh network endpoint.

[NOTE] Uses mutex lock internally.

func GetNodeTypes

func GetNodeTypes() []string

GetNodeTypes returns all node types currently in the Diarkis cluster

[NOTE] Uses mutex lock internally.

func GetNodeValue

func GetNodeValue(nodeAddr string, name string) interface{}

GetNodeValue Returns a metadata value of a node by its address

[IMPORTANT] The returned result may be a cached value and may not be the most current value.
            The cache is two seconds.
[NOTE]      Uses mutex lock internally.

Parameter

nodeAddr - External address (address for clients) of the node.
name     - Name of the value.

func GetNodeValues

func GetNodeValues(nodeAddr string) map[string]interface{}

GetNodeValues Returns all metadata values of a node by its address

[IMPORTANT] The returned results may be a cached values and may not be the most current values.
            The cache is two seconds.
[NOTE]      Uses mutex lock internally.

Parameter

nodeAddr - External address (address for clients) of the node.

func GetNodesWithDifferentPublicAddr

func GetNodesWithDifferentPublicAddr() (meshAddrs []string)

GetNodesWithDifferentPublicAddr returns an array of mesh addresses which have different public address from the current node

[NOTE] Uses mutex lock internally.

func GetRandomNodeAddressByType

func GetRandomNodeAddressByType(nType string) string

GetRandomNodeAddressByType returns a random online node address by the given server type It returns an empty string if no node is available

[NOTE] Uses mutex lock internally.

func GetSharedData

func GetSharedData(key string) (int16, bool)

GetSharedData returns synchronized shared data by its key.

[IMPORTANT] The returned result may be a cached value and may not be the most current value.
            The cache is two seconds.
[NOTE]      The function uses mutex lock internally.

func GetSiblingNodeAddress

func GetSiblingNodeAddress() string

GetSiblingNodeAddress returns a random online node address with the same server type It returns an empty string if no node is available

[NOTE] Uses mutex lock internally.

func GetString

func GetString(data map[string]interface{}, name string) string

GetString returns a string from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither []byte (base64) nor string.

func GetUint16

func GetUint16(data map[string]interface{}, name string) uint16

GetUint16 returns a uint16 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor uint16.

func GetUint32

func GetUint32(data map[string]interface{}, name string) uint32

GetUint32 returns a uint32 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor uint32.

func GetUint64

func GetUint64(data map[string]interface{}, name string) uint64

GetUint64 returns a uint64 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor uint64.

func GetUint8

func GetUint8(data map[string]interface{}, name string) uint8

GetUint8 returns a uint8 from the mesh network request/response data

[IMPORTANT] this function will panic if the key exists but its type is neither float64 nor uint8.

func Guest

func Guest(confpath string)

Guest starts mesh network as a guest meaning that the process can only send and receive messages but does not become part of the mesh node

func HandleCommand

func HandleCommand(cmd uint16, cb func(requestData map[string]interface{}) ([]byte, error))

HandleCommand defines a handling function for a mesh network message as a command

Parameters

cmd - Internal message command ID.
cb  - Callback associated to the command ID.

func HandleRPC

func HandleRPC(cmd uint16, handler func(data []byte, senderAddr string) (response []byte, err error)) bool

HandleRPC defines a handling function for a mesh network RPC command sent by SendRPC.

Parameters

cmd      - RPC command ID.
handler  - Callback associated to the RPC ID.
           The handler callback will be passed two parameters:
           - data       []byte - The byte array sent from another server node.
                                 The byte array can be encoded by mesh.TransportData.
                                 If mesh.TransPortData is used,
                                 you may decode data using mesh.TransportData.
           - senderAddr string - The private address of the sender server node.

Example of TransportData Decoding

In order to use TransportData, we must define each data structure of TransportData.

// We define the structure of the transport data once
var exampleTransportData = td.DefineTransportData([]td.Property{
  td.Property{ Name: "name",    Type: td.String },
  td.Property{ Name: "counter", Type: td.Int },
  td.Property{ Name: "list",    Type: td.Uint32Array },
  td.Property{ Name: "data",    Type: td.Bytes },
  td.Property{ Name: "users",   Type: td.BytesArray },
})

var userTransportData = td.DefineTransportData([]td.Property{
  td.Property{ Name: "UID", Type: td.String },
	td.Property{ Name: "SID", Type: td.String },
})

// We first create an instance of already defined mesh.TransportData.
// You must create the correct instance that corresponds with what SendRPC used to send the data.
td := exampleTransportData.New()
// We then pass the byte array the callback received.
td.Unpack(receivedBytes)
name,    nameFound    := td.GetAsString("name")
counter, counterFound := td.GetAsInt("counter")
list,    listFound    := td.GetAsUint32Array("list")
data,    dataFound    := td.GetAsBytes("data")

usersBytesList, usersBytesFound := td.GetAsBytesArray("users")

// We can reuse the same userTransportData instance here
ud := userTransportData.New()

for _, userBytes := range userBytesList {
  ud.Unpack(userBytes)

  // We handle each user UID and SID
  uid, uidFound := ud.GetAsString("uid")
  sid, sidFound := ud.GetAsString("sid")
}

func IsCommandDuplicate

func IsCommandDuplicate(commandID uint16) bool

IsCommandDuplicate returns true if command ID is used elsewhere

func IsMyNodeOffline

func IsMyNodeOffline() bool

IsMyNodeOffline returns true if the node is offline (received SIGTERM)

[NOTE] Uses mutex lock internally.

When the node is offline, the connected clients will be raising OnOffline event

func IsMyNodeOnline

func IsMyNodeOnline() bool

IsMyNodeOnline returns false if the node is offline (received SIGTERM)

[NOTE] Uses mutex lock internally.

When the node is offline, the connected clients will be raising OnOffline event

func IsMyNodeTaken

func IsMyNodeTaken() bool

IsMyNodeTaken returns true if the node is marked as taken

[NOTE] Uses mutex lock internally.

When the node is taken, the server will not accept new client connections, but allows the connected clients to stay connected.

func IsNodeOffline

func IsNodeOffline(nodeAddr string) bool

IsNodeOffline Returns true if the given node is offline

[IMPORTANT] The returned result may be a cached value and may not be the most current value.
            The cache is two seconds.
[NOTE]      Uses mutex lock internally.

When the node is offline, the connected clients will be raising OnOffline event

func IsNodeOnline

func IsNodeOnline(nodeAddr string) bool

IsNodeOnline Returns true if the given node is online

[IMPORTANT] The returned result may be a cached value and may not be the most current value.
            The cache is two seconds.
[NOTE]      Uses mutex lock internally.

When the node is offline, the connected clients will be raising OnOffline event

func IsNodeTaken

func IsNodeTaken(nodeAddr string) bool

IsNodeTaken returns true if the node is taken (mesh.SetStatus(util.MeshStatusTaken))

[IMPORTANT] The returned result may be a cached value and may not be the most current value.
            The cache is two seconds.
[NOTE]      Uses mutex lock internally.

When a node is taken, the taken node will not be returned by HTTP server as available server.

func IsPartOfCluster

func IsPartOfCluster() bool

IsPartOfCluster returns true if the server has communicated with MARS within the accepted time span

func IsRequestError

func IsRequestError(err error) bool

IsRequestError returns true if the given error is or contains a SendRequest error.

func IsRequestTimeoutError

func IsRequestTimeoutError(err error) bool

IsRequestTimeoutError returns true if the given error is or contains a SendRequest time out error.

func IsSendError

func IsSendError(err error) bool

IsSendError returns bool if the given error is or contains Send error.

The Send error is used by Send, USend, SendMany, USendMany.

func IsUnhealthyError

func IsUnhealthyError(err error) bool

IsUnhealthyError returns true if the given error is or contains mesh health check error.

func OnInitialSync

func OnInitialSync(cb func())

OnInitialSync assigns a callback on the first sync with MARS

func OnReady

func OnReady(cb func())

OnReady assigns a callback to be invoked when mesh network is ready

func OnSharedDataRemove

func OnSharedDataRemove(cb func(string))

OnSharedDataRemove assigns a callback on shared data removal

func OnSharedDataUpdate

func OnSharedDataUpdate(cb func(string, int16))

OnSharedDataUpdate assigns a callback on shared data update

func OnUpdate

func OnUpdate(handler func())

OnUpdate Registers a callback on announcer update event

[NOTE] Uses mutex lock internally.

func OnUpdated

func OnUpdated(handler func())

OnUpdated Registers a callback on announcer updated event

[NOTE] Uses mutex lock internally.

func RemoveOnSharedDataRemove

func RemoveOnSharedDataRemove(cb func(string))

RemoveOnSharedDataRemove removes a callback that has been assigned.

[IMPORTANT] This function uses mutex lock internally.

func RemoveOnSharedDataUpdate

func RemoveOnSharedDataUpdate(cb func(string, int16))

RemoveOnSharedDataUpdate removes a callback that has been assigned.

[IMPORTANT] This function uses mutex lock internally.

func RemoveSharedData

func RemoveSharedData(key string) bool

RemoveSharedData removes the given shared key and propagates the removal to all server nodes in the cluster.

The propagation of the shared data may take some time.

[IMPORTANT] Updated value may suffer from race condition.
[NOTE]      The function uses mutex lock internally.

if multiple server nodes attempt to update the same key.

func Send

func Send(commandID uint16, addr string, data interface{}) error

Send Sends a mesh network message to a given node - addr = <address>:<port>

func SendMany

func SendMany(commandID uint16, addrs []string, data interface{}, limit int) error

SendMany Sends a mesh network message to multiple nodes

commandID - Mesh message command ID addrs - A list of mesh node addresses to send the message to data - Data to be sent limit - Maximum number of node to send the message at a time

SendMany propagates data to multiple servers.

The diagram below show how SendMany works with limit=2 and send data to 6 servers:

With the example below, SendMany can reach all servers with 2 jumps.

                                                           ┌──────────┐
                                                     ┌────▶︎│ Server D │
                                                     │     └──────────┘
                               ┌──────────┐ <2> Send │
                           ┌──▶︎│ Server B │──────────┤     ┌──────────┐
                           │   └──────────┘          └────▶︎│ Server E │
┌──────────┐ <1> Send      │                               └──────────┘
│ Server A │ ──────────────┤                               ┌──────────┐
└──────────┘               │   ┌──────────┐          ┌────▶︎│ Server F │
                           └──▶︎│ Server C │──────────┤     └──────────┘
                               └──────────┘          │
                                                     │     ┌──────────┐
                                                     └────▶︎│ Server G │
                                                           └──────────┘

func SendRPC

func SendRPC(cmd uint16, addr string, data []byte) ([]byte, error)

SendRPC Same as SendRPCWithContext with a default timeout of 3 seconds. See SendRPCWithContext for more details.

func SendRPCWithContext

func SendRPCWithContext(ctx context.Context, cmd uint16, addr string, data []byte) ([]byte, error)

SendRPCWithContext sends a mesh network request to another node - addr = <address>:<port> and expects a response back from it

Parameters

cmd  - Pre-defined command ID that corresponds with user defined custom handler function(s).
       You may define multiple handler functions for a command ID.
addr - Target node address (internal) to send the request to.
data - Request data as a byte array to be sent to the handler function(s).
       You may use td.DefineTransportData to create a data structure for RPC.

TransportData Example

// We define the structure of the transport data once
var exampleTransportData = td.DefineTransportData([]td.Property{
  td.Property{ Name: "name",    Type: td.String },
  td.Property{ Name: "counter", Type: td.Int },
  td.Property{ Name: "list",    Type: td.Uint32Array },
  td.Property{ Name: "data",    Type: td.Bytes },
  td.Property{ Name: "users",   Type: td.BytesArray },
})

var userTransportData = td.DefineTransportData([]td.Property{
  td.Property{ Name: "UID", Type: td.String },
	td.Property{ Name: "SID", Type: td.String },
})

// We then create an instance of already defined transport data
// when we need it
td := exampleTransportData.New()
// We set values
td.SetAsString("name", "John")
td.SetAsInt("counter", 0)
td.SetAsUint32Array("list", []uint32{ 10, 20, 2 })
td.SetAsBytes("data", []byte{ 0xff, 0xee, 0xdd, 0xcc })

users := make([]*userTransportData, len(users))

ud := userTransportData.New()

for i, userData := range users {
  ud.SetAsString("UID", userData.ID)
  ud.SetAsString("SID", userData.SID)

  users[i] = ud.Pack()
}

td.SetAsBytes("users", users)

// We then create the byte array for SendRPC
packed := td.Pack()

Returned Values

response - Response data returned from another server.
error    - Error.

SendRPC allows you to execute a pre-defined callback function using HandleRPC on another server and expects a response back from the server.

Error Cases

┌───────────────────┬─────────────────────────────────────────────────────────────────────────┐
│ Error             │ Reason                                                                  │
╞═══════════════════╪═════════════════════════════════════════════════════════════════════════╡
│ Handler error     │ Handler function of the request returned an error.                      │
│ Network error     │ Mesh network error. Failed to send or receive server-to-server message. │
╘═══════════════════╧═════════════════════════════════════════════════════════════════════════╛

The diagram below show how SendRequest works:

┌──────────┐ <1> RPC Request   ┌──────────┐
│ Server A │ ─────────────────▶︎│ Server B │
│          │ ◀︎──────────────── │          │
└──────────┘ <2> RPC Response  └──────────┘

func SendRequest

func SendRequest(commandID uint16, addr string, data interface{}, callback func(err error, responseData map[string]interface{}))

SendRequest Sends a mesh network request to another node - addr = <address>:<port> and expects a response back from it

Parameters

commandID - Pre-defined command ID that corresponds with user defined custom handler function(s).
            You may define multiple handler functions for a command ID.
addr      - Target node address (internal) to send the request to.
data      - Request data to be sent to the handler function(s).
            The valid data type of data must be the following two types only:
            1. map[string]interface{}
            2. struct
callback  - The callback function to be invoked when the response comes back.

SendRequest allows you to execute a pre-defined function on another server and expects a response back from the server.

Error Cases

┌───────────────────┬─────────────────────────────────────────────────────────────────────────┐
│ Error             │ Reason                                                                  │
╞═══════════════════╪═════════════════════════════════════════════════════════════════════════╡
│ Invalid data type │ Input data type must be either a struct or map[string]interface{}.      │
│ Handler error     │ Handler function of the request returned an error.                      │
│ Network error     │ Mesh network error. Failed to send or receive server-to-server message. │
╘═══════════════════╧═════════════════════════════════════════════════════════════════════════╛

The diagram below show how SendRequest works:

┌──────────┐ <1> Send request  ┌──────────┐
│ Server A │ ─────────────────▶︎│ Server B │
│          │ ◀︎──────────────── │          │
└──────────┘ <2> Send Response └──────────┘

func SetAppName

func SetAppName(name string)

SetAppName creates a name space within the mars-server in order to have multiple diarkis clusters

func SetCheckForShutdownReadiness

func SetCheckForShutdownReadiness(cb func() bool)

SetCheckForShutdownReadiness USED INTERNALLY ONLY.

func SetCommandHandler

func SetCommandHandler(cmd uint16, cb func(payload []byte, senderAddress string) ([]byte, error))

SetCommandHandler assigns a handler callback to the given command ID.

Parameters

cmd - Internal message command ID.
cb  - Callback associated to the command ID.

func SetEndPoint

func SetEndPoint(endPoint string)

SetEndPoint Sets its own end point

[NOTE] Uses mutex lock internally.

func SetNodeRole

func SetNodeRole(role string)

SetNodeRole [INTERNAL USE ONLY]

func SetNodeType

func SetNodeType(_nodeType string)

SetNodeType replaces the default server type with the given custom server type.

Default Server Types - HTTP, UDP, TCP

func SetNodeValue

func SetNodeValue(name string, val interface{})

SetNodeValue Sets a metadata value to a node

[NOTE] Uses mutex lock internally.

func SetSharedData

func SetSharedData(key string, value int16) bool

SetSharedData updates a shared data to be propagated to all server nodes in the cluster.

The propagation of the shared data may take some time.

[IMPORTANT] Updated value may suffer from race condition.
[NOTE]      The function uses mutex lock internally.

if multiple server nodes attempt to update the same key.

key   - Key of the shared data to set.
        The length of the key must not exceed 54 characters.
value - Value of the shared data.

func SetStatus

func SetStatus(status int)

SetStatus Sets its status

func Setup

func Setup(confpath string)

Setup Loads a configuration file into memory - pass an empty string to load nothing

func StartAsMARS

func StartAsMARS(confpath string)

StartAsMARS Starts the server as MARS server - For now this is meant to be used for mars-server ONLY

func TestPackPacket

func TestPackPacket() bool

TestPackPacket used for testing ONLY

func USend

func USend(commandID uint16, addr string, data interface{}) error

USend Sends an unreliable message to a given node - addr = <address>:<port>

func USendMany

func USendMany(command uint16, addrs []string, data interface{}, limit int) error

USendMany Sends an unreliable mesh network message to multiple nodes

commandID - Mesh message command ID addrs - A list of mesh node addresses to send the message to data - Data map to be sent limit - Maximum number of node to send the message at a time

USendMany propagates data to multiple servers.

The diagram below show how USendMany works with limit=2 and send data to 6 servers:

With the example below, USendMany can reach all servers with 2 jumps.

                                                           ┌──────────┐
                                                     ┌────▶︎│ Server D │
                                                     │     └──────────┘
                               ┌──────────┐ <2> Send │
                           ┌──▶︎│ Server B │──────────┤     ┌──────────┐
                           │   └──────────┘          └────▶︎│ Server E │
┌──────────┐ <1> Send      │                               └──────────┘
│ Server A │ ──────────────┤                               ┌──────────┐
└──────────┘               │   ┌──────────┐          ┌────▶︎│ Server F │
                           └──▶︎│ Server C │──────────┤     └──────────┘
                               └──────────┘          │
                                                     │     ┌──────────┐
                                                     └────▶︎│ Server G │
                                                           └──────────┘

func ValidateDataType

func ValidateDataType(data interface{}) bool

ValidateDataType returns true if the given data type is either a pointer to a struct or map[string]interface {}

func WaitForLatestNodeData

func WaitForLatestNodeData()

WaitForLatestNodeData waits for nodes which are update at the same time This waits for OnUpdated to be called twice because depending on the onUpdate cycle, some nodes may not be updated on the first call It's useful when multiples nodes are terminated at the same time like auto-scaling

Types

type Msg

type Msg struct {
	UUID      []byte
	Packet    []byte
	AddedSize int
	TTL       int64
	sync.RWMutex
}

Msg Data structure of Msg

type Node

type Node struct {
	Addr   string
	Type   string
	Role   string
	Values map[string]interface{}
	Self   bool
}

Node a mesh network node data structure

func GetNode

func GetNode(nodeAddr string) *Node

GetNode Returns a node by its address

[NOTE] Uses mutex lock internally.

Parameters

nodeAddr - External address (address for clients) of the node.

The returned *Node contains internal node address as *Node.Addr.

func GetNodeByEndPoint

func GetNodeByEndPoint(endPoint string) *Node

GetNodeByEndPoint Returns a node by its public endpoint - only TCP, UDP

[NOTE] Uses mutex lock internally.

type SendData

type SendData struct {
	Payload interface{} `json:"payload"`
	Cmd     uint16      `json:"cmd"`
	Limit   int         `json:"limit"`
	Branch  []string    `json:"branch"`
	UBranch []string    `json:"ubranch"`
}

SendData represents internally used data for mesh communication