1
0
Fork 0
mirror of https://github.com/postmannen/ctrl.git synced 2024-12-15 17:51:15 +00:00

moved signatures into signatures.go

This commit is contained in:
postmannen 2022-02-07 04:23:13 +01:00
parent 426b98941e
commit b3630f62c4
5 changed files with 215 additions and 202 deletions

View file

@ -114,6 +114,7 @@ func newProcess(ctx context.Context, metrics *metrics, natsConn *nats.Conn, proc
ctx: ctx, ctx: ctx,
ctxCancel: cancel, ctxCancel: cancel,
startup: newStartup(metrics, signatures), startup: newStartup(metrics, signatures),
signatures: signatures,
} }
return proc return proc
@ -514,7 +515,7 @@ func (p process) messageSubscriberHandler(natsConn *nats.Conn, thisNode string,
out := []byte{} out := []byte{}
var err error var err error
if p.verifySignature(message) { if p.signatures.verifySignature(message) {
// Call the method handler for the specified method. // Call the method handler for the specified method.
out, err = mh.handler(p, message, thisNode) out, err = mh.handler(p, message, thisNode)
@ -535,7 +536,7 @@ func (p process) messageSubscriberHandler(natsConn *nats.Conn, thisNode string,
p.processes.errorKernel.errSend(p, message, er) p.processes.errorKernel.errSend(p, message, er)
} }
if p.verifySignature(message) { if p.signatures.verifySignature(message) {
_, err := mf.handler(p, message, thisNode) _, err := mf.handler(p, message, thisNode)
@ -552,22 +553,6 @@ func (p process) messageSubscriberHandler(natsConn *nats.Conn, thisNode string,
} }
} }
// verifySignature
func (p process) verifySignature(m Message) bool {
if p.configuration.AllowEmptySignature {
fmt.Printf(" * verifySignature: AllowEmptySignature set to TRUE\n")
return true
}
// Verify if the signature matches.
argsStringified := argsToString(m.MethodArgs)
ok := ed25519.Verify(p.processes.SignPublicKey, []byte(argsStringified), m.ArgSignature)
fmt.Printf(" * verifySignature, result: %v, fromNode: %v, method: %v, signature: %s\n", ok, m.FromNode, m.Method, m.ArgSignature)
return ok
}
// argsToString takes args in the format of []string and returns a string. // argsToString takes args in the format of []string and returns a string.
func argsToString(args []string) string { func argsToString(args []string) string {
return strings.Join(args, " ") return strings.Join(args, " ")
@ -641,7 +626,7 @@ func (p process) publishMessages(natsConn *nats.Conn) {
func (p process) addMethodArgSignature(m Message) []byte { func (p process) addMethodArgSignature(m Message) []byte {
argsString := argsToString(m.MethodArgs) argsString := argsToString(m.MethodArgs)
sign := ed25519.Sign(p.processes.SignPrivateKey, []byte(argsString)) sign := ed25519.Sign(p.signatures.SignPrivateKey, []byte(argsString))
return sign return sign
} }

View file

@ -2,13 +2,8 @@ package steward
import ( import (
"context" "context"
"crypto/ed25519"
"encoding/base64"
"fmt" "fmt"
"io/ioutil"
"log" "log"
"os"
"path/filepath"
"sync" "sync"
"time" "time"
@ -38,18 +33,6 @@ type processes struct {
// configuration // configuration
configuration *Configuration configuration *Configuration
// Full path to the signing keys folder
SignKeyFolder string
// Full path to private signing key.
SignKeyPrivateKeyPath string
// Full path to public signing key.
SignKeyPublicKeyPath string
// private key for ed25519 signing.
SignPrivateKey []byte
// public key for ed25519 signing.
SignPublicKey []byte
// Signatures // Signatures
Signatures *signatures Signatures *signatures
} }
@ -62,6 +45,7 @@ func newProcesses(ctx context.Context, metrics *metrics, tui *tui, errorKernel *
tui: tui, tui: tui,
errorKernel: errorKernel, errorKernel: errorKernel,
configuration: configuration, configuration: configuration,
Signatures: signatures,
} }
// Prepare the parent context for the subscribers. // Prepare the parent context for the subscribers.
@ -77,135 +61,11 @@ func newProcesses(ctx context.Context, metrics *metrics, tui *tui, errorKernel *
p.metrics = metrics p.metrics = metrics
// Set the signing key paths.
p.SignKeyFolder = filepath.Join(p.configuration.ConfigFolder, "signing")
p.SignKeyPrivateKeyPath = filepath.Join(p.SignKeyFolder, "private.key")
p.SignKeyPublicKeyPath = filepath.Join(p.SignKeyFolder, "public.key")
return &p return &p
} }
// ---------------------- // ----------------------
// loadSigningKeys will try to load the ed25519 signing keys. If the
// files are not found new keys will be generated and written to disk.
func (p *processes) loadSigningKeys(initProc process) error {
// Check if folder structure exist, if not create it.
if _, err := os.Stat(p.SignKeyFolder); os.IsNotExist(err) {
err := os.MkdirAll(p.SignKeyFolder, 0700)
if err != nil {
er := fmt.Errorf("error: failed to create directory for signing keys : %v", err)
return er
}
}
// Check if there already are any keys in the etc folder.
foundKey := false
if _, err := os.Stat(p.SignKeyPublicKeyPath); !os.IsNotExist(err) {
foundKey = true
}
if _, err := os.Stat(p.SignKeyPrivateKeyPath); !os.IsNotExist(err) {
foundKey = true
}
// If no keys where found generete a new pair, load them into the
// processes struct fields, and write them to disk.
if !foundKey {
pub, priv, err := ed25519.GenerateKey(nil)
if err != nil {
er := fmt.Errorf("error: failed to generate ed25519 keys for signing: %v", err)
return er
}
pubB64string := base64.RawStdEncoding.EncodeToString(pub)
privB64string := base64.RawStdEncoding.EncodeToString(priv)
// Write public key to file.
err = p.writeSigningKey(p.SignKeyPublicKeyPath, pubB64string)
if err != nil {
return err
}
// Write private key to file.
err = p.writeSigningKey(p.SignKeyPrivateKeyPath, privB64string)
if err != nil {
return err
}
// Also store the keys in the processes structure so we can
// reference them from there when we need them.
p.SignPublicKey = pub
p.SignPrivateKey = priv
er := fmt.Errorf("info: no signing keys found, generating new keys")
p.errorKernel.errSend(initProc, Message{}, er)
// We got the new generated keys now, so we can return.
return nil
}
// Key files found, load them into the processes struct fields.
pubKey, _, err := p.readKeyFile(p.SignKeyPublicKeyPath)
if err != nil {
return err
}
p.SignPublicKey = pubKey
privKey, _, err := p.readKeyFile(p.SignKeyPrivateKeyPath)
if err != nil {
return err
}
p.SignPublicKey = pubKey
p.SignPrivateKey = privKey
return nil
}
// readKeyFile will take the path of a key file as input, read the base64
// encoded data, decode the data. It will return the raw data as []byte,
// the base64 encoded data, and any eventual error.
func (p *processes) readKeyFile(keyFile string) (ed2519key []byte, b64Key []byte, err error) {
fh, err := os.Open(keyFile)
if err != nil {
er := fmt.Errorf("error: failed to open key file: %v", err)
return nil, nil, er
}
defer fh.Close()
b, err := ioutil.ReadAll(fh)
if err != nil {
er := fmt.Errorf("error: failed to read key file: %v", err)
return nil, nil, er
}
key, err := base64.RawStdEncoding.DecodeString(string(b))
if err != nil {
er := fmt.Errorf("error: failed to base64 decode key data: %v", err)
return nil, nil, er
}
return key, b, nil
}
// writeSigningKey will write the base64 encoded signing key to file.
func (p *processes) writeSigningKey(realPath string, keyB64 string) error {
fh, err := os.OpenFile(realPath, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0600)
if err != nil {
er := fmt.Errorf("error: failed to open key file for writing: %v", err)
return er
}
defer fh.Close()
_, err = fh.Write([]byte(keyB64))
if err != nil {
er := fmt.Errorf("error: failed to write key to file: %v", err)
return er
}
return nil
}
// ---------------------- // ----------------------
type procsMap struct { type procsMap struct {
@ -351,7 +211,7 @@ type startup struct {
} }
func newStartup(metrics *metrics, signatures *signatures) *startup { func newStartup(metrics *metrics, signatures *signatures) *startup {
s := startup{metrics: metrics} s := startup{metrics: metrics, Signatures: signatures}
return &s return &s
} }

View file

@ -60,17 +60,17 @@ type server struct {
// processInitial is the initial process that all other processes are tied to. // processInitial is the initial process that all other processes are tied to.
processInitial process processInitial process
// Signatures holds all the signatures, // signatures holds all the signatures,
// and the public keys // and the public keys
Signatures *signatures signatures *signatures
} }
// newServer will prepare and return a server type // newServer will prepare and return a server type
func NewServer(c *Configuration, version string) (*server, error) { func NewServer(configuration *Configuration, version string) (*server, error) {
// Set up the main background context. // Set up the main background context.
ctx, cancel := context.WithCancel(context.Background()) ctx, cancel := context.WithCancel(context.Background())
metrics := newMetrics(c.PromHostAndPort) metrics := newMetrics(configuration.PromHostAndPort)
// Start the error kernel that will do all the error handling // Start the error kernel that will do all the error handling
// that is not done within a process. // that is not done within a process.
@ -78,14 +78,14 @@ func NewServer(c *Configuration, version string) (*server, error) {
var opt nats.Option var opt nats.Option
if c.RootCAPath != "" { if configuration.RootCAPath != "" {
opt = nats.RootCAs(c.RootCAPath) opt = nats.RootCAs(configuration.RootCAPath)
} }
if c.NkeySeedFile != "" { if configuration.NkeySeedFile != "" {
var err error var err error
opt, err = nats.NkeyOptionFromSeed(c.NkeySeedFile) opt, err = nats.NkeyOptionFromSeed(configuration.NkeySeedFile)
if err != nil { if err != nil {
cancel() cancel()
return nil, fmt.Errorf("error: failed to read nkey seed file: %v", err) return nil, fmt.Errorf("error: failed to read nkey seed file: %v", err)
@ -98,16 +98,16 @@ func NewServer(c *Configuration, version string) (*server, error) {
for { for {
var err error var err error
// Setting MaxReconnects to -1 which equals unlimited. // Setting MaxReconnects to -1 which equals unlimited.
conn, err = nats.Connect(c.BrokerAddress, conn, err = nats.Connect(configuration.BrokerAddress,
opt, opt,
nats.MaxReconnects(-1), nats.MaxReconnects(-1),
nats.ReconnectJitter(time.Duration(c.NatsReconnectJitter)*time.Millisecond, time.Duration(c.NatsReconnectJitterTLS)*time.Second), nats.ReconnectJitter(time.Duration(configuration.NatsReconnectJitter)*time.Millisecond, time.Duration(configuration.NatsReconnectJitterTLS)*time.Second),
nats.Timeout(time.Second*time.Duration(c.NatsConnOptTimeout)), nats.Timeout(time.Second*time.Duration(configuration.NatsConnOptTimeout)),
) )
// If no servers where available, we loop and retry until succesful. // If no servers where available, we loop and retry until succesful.
if err != nil { if err != nil {
log.Printf("error: could not connect, waiting %v seconds, and retrying: %v\n", c.NatsConnectRetryInterval, err) log.Printf("error: could not connect, waiting %v seconds, and retrying: %v\n", configuration.NatsConnectRetryInterval, err)
time.Sleep(time.Duration(time.Second * time.Duration(c.NatsConnectRetryInterval))) time.Sleep(time.Duration(time.Second * time.Duration(configuration.NatsConnectRetryInterval)))
continue continue
} }
@ -121,8 +121,8 @@ func NewServer(c *Configuration, version string) (*server, error) {
var err error var err error
// Open the steward socket file, and start the listener if enabled. // Open the steward socket file, and start the listener if enabled.
if c.EnableSocket { if configuration.EnableSocket {
stewardSocket, err = createSocket(c.SocketFolder, "steward.sock") stewardSocket, err = createSocket(configuration.SocketFolder, "steward.sock")
if err != nil { if err != nil {
cancel() cancel()
return nil, err return nil, err
@ -131,8 +131,8 @@ func NewServer(c *Configuration, version string) (*server, error) {
// Create the tui client structure if enabled. // Create the tui client structure if enabled.
var tuiClient *tui var tuiClient *tui
if c.EnableTUI { if configuration.EnableTUI {
tuiClient, err = newTui(Node(c.NodeName)) tuiClient, err = newTui(Node(configuration.NodeName))
if err != nil { if err != nil {
cancel() cancel()
return nil, err return nil, err
@ -140,36 +140,37 @@ func NewServer(c *Configuration, version string) (*server, error) {
} }
signatures := newSignatures() signatures := newSignatures(configuration, errorKernel)
fmt.Printf(" * DEBUG: newServer: signatures contains: %+v\n", signatures)
s := &server{ s := &server{
ctx: ctx, ctx: ctx,
cancel: cancel, cancel: cancel,
configuration: c, configuration: configuration,
nodeName: c.NodeName, nodeName: configuration.NodeName,
natsConn: conn, natsConn: conn,
StewardSocket: stewardSocket, StewardSocket: stewardSocket,
processes: newProcesses(ctx, metrics, tuiClient, errorKernel, c, signatures), processes: newProcesses(ctx, metrics, tuiClient, errorKernel, configuration, signatures),
ringBufferBulkInCh: make(chan []subjectAndMessage), ringBufferBulkInCh: make(chan []subjectAndMessage),
metrics: metrics, metrics: metrics,
version: version, version: version,
tui: tuiClient, tui: tuiClient,
errorKernel: errorKernel, errorKernel: errorKernel,
Signatures: signatures, signatures: signatures,
} }
// Create the default data folder for where subscribers should // Create the default data folder for where subscribers should
// write it's data, check if data folder exist, and create it if needed. // write it's data, check if data folder exist, and create it if needed.
if _, err := os.Stat(c.SubscribersDataFolder); os.IsNotExist(err) { if _, err := os.Stat(configuration.SubscribersDataFolder); os.IsNotExist(err) {
if c.SubscribersDataFolder == "" { if configuration.SubscribersDataFolder == "" {
return nil, fmt.Errorf("error: subscribersDataFolder value is empty, you need to provide the config or the flag value at startup %v: %v", c.SubscribersDataFolder, err) return nil, fmt.Errorf("error: subscribersDataFolder value is empty, you need to provide the config or the flag value at startup %v: %v", configuration.SubscribersDataFolder, err)
} }
err := os.Mkdir(c.SubscribersDataFolder, 0700) err := os.Mkdir(configuration.SubscribersDataFolder, 0700)
if err != nil { if err != nil {
return nil, fmt.Errorf("error: failed to create data folder directory %v: %v", c.SubscribersDataFolder, err) return nil, fmt.Errorf("error: failed to create data folder directory %v: %v", configuration.SubscribersDataFolder, err)
} }
log.Printf("info: Creating subscribers data folder at %v\n", c.SubscribersDataFolder) log.Printf("info: Creating subscribers data folder at %v\n", configuration.SubscribersDataFolder)
} }
return s, nil return s, nil
@ -253,18 +254,10 @@ func (s *server) Start() {
// //
// NB: The context of the initial process are set in processes.Start. // NB: The context of the initial process are set in processes.Start.
sub := newSubject(REQInitial, s.nodeName) sub := newSubject(REQInitial, s.nodeName)
s.processInitial = newProcess(context.TODO(), s.metrics, s.natsConn, s.processes, s.ringBufferBulkInCh, s.configuration, sub, s.errorKernel.errorCh, "", nil, s.Signatures) s.processInitial = newProcess(context.TODO(), s.metrics, s.natsConn, s.processes, s.ringBufferBulkInCh, s.configuration, sub, s.errorKernel.errorCh, "", nil, s.signatures)
// Start all wanted subscriber processes. // Start all wanted subscriber processes.
s.processes.Start(s.processInitial) s.processes.Start(s.processInitial)
// We need the initial process to be able to send error messages so
// we have to load the signing keys here.
err := s.processes.loadSigningKeys(s.processInitial)
if err != nil {
log.Printf("%v\n", err)
os.Exit(1)
}
time.Sleep(time.Second * 1) time.Sleep(time.Second * 1)
s.processes.printProcessesMap() s.processes.printProcessesMap()
@ -486,7 +479,7 @@ func (s *server) routeMessagesToProcess(dbFileName string) {
// log.Printf("info: processNewMessages: did not find that specific subject, starting new process for subject: %v\n", subjName) // log.Printf("info: processNewMessages: did not find that specific subject, starting new process for subject: %v\n", subjName)
sub := newSubject(sam.Subject.Method, sam.Subject.ToNode) sub := newSubject(sam.Subject.Method, sam.Subject.ToNode)
proc := newProcess(s.ctx, s.metrics, s.natsConn, s.processes, s.ringBufferBulkInCh, s.configuration, sub, s.errorKernel.errorCh, processKindPublisher, nil, s.Signatures) proc := newProcess(s.ctx, s.metrics, s.natsConn, s.processes, s.ringBufferBulkInCh, s.configuration, sub, s.errorKernel.errorCh, processKindPublisher, nil, s.signatures)
proc.spawnWorker(s.processes, s.natsConn) proc.spawnWorker(s.processes, s.natsConn)
// log.Printf("info: processNewMessages: new process started, subject: %v, processID: %v\n", subjName, proc.processID) // log.Printf("info: processNewMessages: new process started, subject: %v, processID: %v\n", subjName, proc.processID)

View file

@ -1,6 +1,15 @@
package steward package steward
import "sync" import (
"crypto/ed25519"
"encoding/base64"
"fmt"
"io/ioutil"
"log"
"os"
"path/filepath"
"sync"
)
type signature string type signature string
@ -11,12 +20,177 @@ type signatures struct {
// allowed is a map for holding all the allowed signatures. // allowed is a map for holding all the allowed signatures.
allowed map[signature]struct{} allowed map[signature]struct{}
mu sync.Mutex mu sync.Mutex
// Full path to the signing keys folder
SignKeyFolder string
// Full path to private signing key.
SignKeyPrivateKeyPath string
// Full path to public signing key.
SignKeyPublicKeyPath string
// private key for ed25519 signing.
SignPrivateKey []byte
// public key for ed25519 signing.
SignPublicKey []byte
configuration *Configuration
errorKernel *errorKernel
} }
func newSignatures() *signatures { func newSignatures(configuration *Configuration, errorKernel *errorKernel) *signatures {
s := signatures{ s := signatures{
allowed: make(map[signature]struct{}), allowed: make(map[signature]struct{}),
configuration: configuration,
errorKernel: errorKernel,
}
// Set the signing key paths.
s.SignKeyFolder = filepath.Join(configuration.ConfigFolder, "signing")
s.SignKeyPrivateKeyPath = filepath.Join(s.SignKeyFolder, "private.key")
s.SignKeyPublicKeyPath = filepath.Join(s.SignKeyFolder, "public.key")
err := s.loadSigningKeys()
if err != nil {
log.Printf("%v\n", err)
os.Exit(1)
} }
return &s return &s
} }
// loadSigningKeys will try to load the ed25519 signing keys. If the
// files are not found new keys will be generated and written to disk.
func (s *signatures) loadSigningKeys() error {
// Check if folder structure exist, if not create it.
if _, err := os.Stat(s.SignKeyFolder); os.IsNotExist(err) {
err := os.MkdirAll(s.SignKeyFolder, 0700)
if err != nil {
er := fmt.Errorf("error: failed to create directory for signing keys : %v", err)
return er
}
}
// Check if there already are any keys in the etc folder.
foundKey := false
if _, err := os.Stat(s.SignKeyPublicKeyPath); !os.IsNotExist(err) {
foundKey = true
}
if _, err := os.Stat(s.SignKeyPrivateKeyPath); !os.IsNotExist(err) {
foundKey = true
}
// If no keys where found generete a new pair, load them into the
// processes struct fields, and write them to disk.
if !foundKey {
pub, priv, err := ed25519.GenerateKey(nil)
if err != nil {
er := fmt.Errorf("error: failed to generate ed25519 keys for signing: %v", err)
return er
}
pubB64string := base64.RawStdEncoding.EncodeToString(pub)
privB64string := base64.RawStdEncoding.EncodeToString(priv)
// Write public key to file.
err = s.writeSigningKey(s.SignKeyPublicKeyPath, pubB64string)
if err != nil {
return err
}
// Write private key to file.
err = s.writeSigningKey(s.SignKeyPrivateKeyPath, privB64string)
if err != nil {
return err
}
// Also store the keys in the processes structure so we can
// reference them from there when we need them.
s.SignPublicKey = pub
s.SignPrivateKey = priv
er := fmt.Errorf("info: no signing keys found, generating new keys")
log.Printf("%v\n", er)
// We got the new generated keys now, so we can return.
return nil
}
// Key files found, load them into the processes struct fields.
pubKey, _, err := s.readKeyFile(s.SignKeyPublicKeyPath)
if err != nil {
return err
}
s.SignPublicKey = pubKey
privKey, _, err := s.readKeyFile(s.SignKeyPrivateKeyPath)
if err != nil {
return err
}
s.SignPublicKey = pubKey
s.SignPrivateKey = privKey
return nil
}
// writeSigningKey will write the base64 encoded signing key to file.
func (s *signatures) writeSigningKey(realPath string, keyB64 string) error {
fh, err := os.OpenFile(realPath, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0600)
if err != nil {
er := fmt.Errorf("error: failed to open key file for writing: %v", err)
return er
}
defer fh.Close()
_, err = fh.Write([]byte(keyB64))
if err != nil {
er := fmt.Errorf("error: failed to write key to file: %v", err)
return er
}
return nil
}
// readKeyFile will take the path of a key file as input, read the base64
// encoded data, decode the data. It will return the raw data as []byte,
// the base64 encoded data, and any eventual error.
func (s *signatures) readKeyFile(keyFile string) (ed2519key []byte, b64Key []byte, err error) {
fh, err := os.Open(keyFile)
if err != nil {
er := fmt.Errorf("error: failed to open key file: %v", err)
return nil, nil, er
}
defer fh.Close()
b, err := ioutil.ReadAll(fh)
if err != nil {
er := fmt.Errorf("error: failed to read key file: %v", err)
return nil, nil, er
}
key, err := base64.RawStdEncoding.DecodeString(string(b))
if err != nil {
er := fmt.Errorf("error: failed to base64 decode key data: %v", err)
return nil, nil, er
}
return key, b, nil
}
// verifySignature
func (s *signatures) verifySignature(m Message) bool {
fmt.Printf(" * DEBUG: verifySignature, method: %v ,s contains: %v\n", m.Method, s)
if s.configuration.AllowEmptySignature {
fmt.Printf(" * DEBUG: verifySignature: AllowEmptySignature set to TRUE\n")
return true
}
// Verify if the signature matches.
argsStringified := argsToString(m.MethodArgs)
ok := ed25519.Verify(s.SignPublicKey, []byte(argsStringified), m.ArgSignature)
fmt.Printf(" * DEBUG: verifySignature, result: %v, fromNode: %v, method: %v, signature: %s\n", ok, m.FromNode, m.Method, m.ArgSignature)
return ok
}

View file

@ -55,6 +55,7 @@ func TestStewardServer(t *testing.T) {
DefaultMessageRetries: 1, DefaultMessageRetries: 1,
DefaultMessageTimeout: 3, DefaultMessageTimeout: 3,
EnableSocket: true, EnableSocket: true,
// AllowEmptySignature: true,
StartSubREQCliCommand: true, StartSubREQCliCommand: true,
StartSubREQCliCommandCont: true, StartSubREQCliCommandCont: true,