forked from extern/smegmesh
02dfd73e08
- Separated synchronisation calls into independent processes - Commented code for submission
82 lines
2.4 KiB
Go
82 lines
2.4 KiB
Go
package conn
|
|
|
|
import (
|
|
"errors"
|
|
"math"
|
|
"math/rand"
|
|
"slices"
|
|
)
|
|
|
|
// ConnCluster: splits nodes into clusters where nodes in a cluster communicate
|
|
// frequently and nodes outside of a cluster communicate infrequently
|
|
type ConnCluster interface {
|
|
// Getneighbours: get neighbours of the cluster the node is in
|
|
GetNeighbours(global []string, selfId string) []string
|
|
// GetInterCluster: get the cluster to communicate with
|
|
GetInterCluster(global []string, selfId string) string
|
|
}
|
|
|
|
// ConnnClusterImpl: implementation of the connection cluster
|
|
type ConnClusterImpl struct {
|
|
clusterSize int
|
|
}
|
|
|
|
// perform binary search to attain a size of a group
|
|
func binarySearch(global []string, selfId string, groupSize int) (int, int) {
|
|
slices.Sort(global)
|
|
|
|
lower := 0
|
|
higher := len(global) - 1
|
|
|
|
for (higher+1)-lower > groupSize {
|
|
mid := (lower + higher) / 2
|
|
|
|
if global[mid] < selfId {
|
|
lower = mid + 1
|
|
} else if global[mid] > selfId {
|
|
higher = mid - 1
|
|
} else {
|
|
break
|
|
}
|
|
}
|
|
|
|
return lower, int(math.Min(float64(lower+groupSize), float64(len(global))))
|
|
}
|
|
|
|
// GetNeighbours: return the neighbours 'nearest' to you. In this implementation the
|
|
// neighbours aren't actually the ones nearest to you but just the ones nearest
|
|
// to you alphabetically. Perform binary search to get the total group
|
|
func (i *ConnClusterImpl) GetNeighbours(global []string, selfId string) []string {
|
|
slices.Sort(global)
|
|
|
|
lower, higher := binarySearch(global, selfId, i.clusterSize)
|
|
// slice the list to get the neighbours
|
|
return global[lower:higher]
|
|
}
|
|
|
|
// GetInterCluster: get nodes not in your cluster. Every round there is a given chance
|
|
// you will communicate with a random node that is not in your cluster.
|
|
func (i *ConnClusterImpl) GetInterCluster(global []string, selfId string) string {
|
|
// Doesn't matter if not in it. Get index of where the node 'should' be
|
|
slices.Sort(global)
|
|
|
|
index, _ := binarySearch(global, selfId, 1)
|
|
|
|
randomCluster := rand.Intn(2) + 1
|
|
|
|
// cluster is considered a heap
|
|
neighbourIndex := (2*index + (randomCluster * i.clusterSize)) % len(global)
|
|
return global[neighbourIndex]
|
|
}
|
|
|
|
// NewConnCluster: instantiate a new connection cluster of a given group size.
|
|
func NewConnCluster(clusterSize int) (ConnCluster, error) {
|
|
log2Cluster := math.Log2(float64(clusterSize))
|
|
|
|
if float64((log2Cluster))-log2Cluster != 0 {
|
|
return nil, errors.New("cluster must be a power of 2")
|
|
}
|
|
|
|
return &ConnClusterImpl{clusterSize: clusterSize}, nil
|
|
}
|