mirror of
https://github.com/DeBrosOfficial/network.git
synced 2026-01-30 21:13:03 +00:00
- Updated the API gateway documentation to reflect changes in architecture and functionality, emphasizing its role as a multi-functional entry point for decentralized services. - Refactored CLI commands to utilize utility functions for better code organization and maintainability. - Introduced new utility functions for handling peer normalization, service management, and port validation, enhancing the overall CLI experience. - Added a new production installation script to streamline the setup process for users, including detailed dry-run summaries for better visibility. - Enhanced validation mechanisms for configuration files and swarm keys, ensuring robust error handling and user feedback during setup.
155 lines
3.8 KiB
Go
155 lines
3.8 KiB
Go
package rqlite
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"sync"
|
|
"time"
|
|
|
|
"github.com/DeBrosOfficial/network/pkg/discovery"
|
|
"github.com/libp2p/go-libp2p/core/host"
|
|
"go.uber.org/zap"
|
|
)
|
|
|
|
// ClusterDiscoveryService bridges LibP2P discovery with RQLite cluster management
|
|
type ClusterDiscoveryService struct {
|
|
host host.Host
|
|
discoveryMgr *discovery.Manager
|
|
rqliteManager *RQLiteManager
|
|
nodeID string
|
|
nodeType string
|
|
raftAddress string
|
|
httpAddress string
|
|
dataDir string
|
|
minClusterSize int // Minimum cluster size required
|
|
|
|
knownPeers map[string]*discovery.RQLiteNodeMetadata // NodeID -> Metadata
|
|
peerHealth map[string]*PeerHealth // NodeID -> Health
|
|
lastUpdate time.Time
|
|
updateInterval time.Duration // 30 seconds
|
|
inactivityLimit time.Duration // 24 hours
|
|
|
|
logger *zap.Logger
|
|
mu sync.RWMutex
|
|
cancel context.CancelFunc
|
|
started bool
|
|
}
|
|
|
|
// NewClusterDiscoveryService creates a new cluster discovery service
|
|
func NewClusterDiscoveryService(
|
|
h host.Host,
|
|
discoveryMgr *discovery.Manager,
|
|
rqliteManager *RQLiteManager,
|
|
nodeID string,
|
|
nodeType string,
|
|
raftAddress string,
|
|
httpAddress string,
|
|
dataDir string,
|
|
logger *zap.Logger,
|
|
) *ClusterDiscoveryService {
|
|
minClusterSize := 1
|
|
if rqliteManager != nil && rqliteManager.config != nil {
|
|
minClusterSize = rqliteManager.config.MinClusterSize
|
|
}
|
|
|
|
return &ClusterDiscoveryService{
|
|
host: h,
|
|
discoveryMgr: discoveryMgr,
|
|
rqliteManager: rqliteManager,
|
|
nodeID: nodeID,
|
|
nodeType: nodeType,
|
|
raftAddress: raftAddress,
|
|
httpAddress: httpAddress,
|
|
dataDir: dataDir,
|
|
minClusterSize: minClusterSize,
|
|
knownPeers: make(map[string]*discovery.RQLiteNodeMetadata),
|
|
peerHealth: make(map[string]*PeerHealth),
|
|
updateInterval: 30 * time.Second,
|
|
inactivityLimit: 24 * time.Hour,
|
|
logger: logger.With(zap.String("component", "cluster-discovery")),
|
|
}
|
|
}
|
|
|
|
// Start begins the cluster discovery service
|
|
func (c *ClusterDiscoveryService) Start(ctx context.Context) error {
|
|
c.mu.Lock()
|
|
if c.started {
|
|
c.mu.Unlock()
|
|
return fmt.Errorf("cluster discovery already started")
|
|
}
|
|
c.started = true
|
|
c.mu.Unlock()
|
|
|
|
ctx, cancel := context.WithCancel(ctx)
|
|
c.cancel = cancel
|
|
|
|
c.logger.Info("Starting cluster discovery service",
|
|
zap.String("raft_address", c.raftAddress),
|
|
zap.String("node_type", c.nodeType),
|
|
zap.String("http_address", c.httpAddress),
|
|
zap.String("data_dir", c.dataDir),
|
|
zap.Duration("update_interval", c.updateInterval),
|
|
zap.Duration("inactivity_limit", c.inactivityLimit))
|
|
|
|
// Start periodic sync in background
|
|
go c.periodicSync(ctx)
|
|
|
|
// Start periodic cleanup in background
|
|
go c.periodicCleanup(ctx)
|
|
|
|
c.logger.Info("Cluster discovery goroutines started")
|
|
|
|
return nil
|
|
}
|
|
|
|
// Stop stops the cluster discovery service
|
|
func (c *ClusterDiscoveryService) Stop() {
|
|
c.mu.Lock()
|
|
defer c.mu.Unlock()
|
|
|
|
if !c.started {
|
|
return
|
|
}
|
|
|
|
if c.cancel != nil {
|
|
c.cancel()
|
|
}
|
|
c.started = false
|
|
|
|
c.logger.Info("Cluster discovery service stopped")
|
|
}
|
|
|
|
// periodicSync runs periodic cluster membership synchronization
|
|
func (c *ClusterDiscoveryService) periodicSync(ctx context.Context) {
|
|
c.logger.Debug("periodicSync goroutine started, waiting for RQLite readiness")
|
|
|
|
ticker := time.NewTicker(c.updateInterval)
|
|
defer ticker.Stop()
|
|
|
|
// Wait for first ticker interval before syncing (RQLite needs time to start)
|
|
for {
|
|
select {
|
|
case <-ctx.Done():
|
|
c.logger.Debug("periodicSync goroutine stopping")
|
|
return
|
|
case <-ticker.C:
|
|
c.updateClusterMembership()
|
|
}
|
|
}
|
|
}
|
|
|
|
// periodicCleanup runs periodic cleanup of inactive nodes
|
|
func (c *ClusterDiscoveryService) periodicCleanup(ctx context.Context) {
|
|
ticker := time.NewTicker(5 * time.Minute)
|
|
defer ticker.Stop()
|
|
|
|
for {
|
|
select {
|
|
case <-ctx.Done():
|
|
return
|
|
case <-ticker.C:
|
|
c.removeInactivePeers()
|
|
}
|
|
}
|
|
}
|