constellation/coordinator/internal/initserver/initserver.go

210 lines
6.1 KiB
Go
Raw Normal View History

2022-06-21 15:59:12 +00:00
package initserver
import (
"context"
"fmt"
"net"
"strings"
"github.com/edgelesssys/constellation/coordinator/initproto"
"github.com/edgelesssys/constellation/coordinator/internal/diskencryption"
2022-06-28 16:23:24 +00:00
"github.com/edgelesssys/constellation/coordinator/internal/kubernetes"
2022-06-28 16:33:27 +00:00
"github.com/edgelesssys/constellation/coordinator/internal/nodelock"
2022-06-21 15:59:12 +00:00
"github.com/edgelesssys/constellation/coordinator/nodestate"
"github.com/edgelesssys/constellation/coordinator/role"
"github.com/edgelesssys/constellation/coordinator/util"
attestationtypes "github.com/edgelesssys/constellation/internal/attestation/types"
2022-06-28 16:33:27 +00:00
"github.com/edgelesssys/constellation/internal/constants"
2022-06-21 15:59:12 +00:00
"github.com/edgelesssys/constellation/internal/file"
grpc_middleware "github.com/grpc-ecosystem/go-grpc-middleware"
grpc_zap "github.com/grpc-ecosystem/go-grpc-middleware/logging/zap"
grpc_ctxtags "github.com/grpc-ecosystem/go-grpc-middleware/tags"
"go.uber.org/zap"
"google.golang.org/grpc"
"google.golang.org/grpc/codes"
"google.golang.org/grpc/status"
)
2022-06-28 16:33:27 +00:00
// Server is the initialization server, which is started on each node.
// The server handles initialization calls from the CLI and initializes the
// Kubernetes cluster.
2022-06-21 15:59:12 +00:00
type Server struct {
2022-06-28 16:33:27 +00:00
nodeLock *nodelock.Lock
initializer ClusterInitializer
disk encryptedDisk
2022-06-21 15:59:12 +00:00
fileHandler file.Handler
2022-06-28 16:33:27 +00:00
grpcServer serveStopper
2022-06-21 15:59:12 +00:00
logger *zap.Logger
initproto.UnimplementedAPIServer
}
2022-06-28 16:33:27 +00:00
// New creates a new initialization server.
func New(lock *nodelock.Lock, kube ClusterInitializer, logger *zap.Logger) *Server {
2022-06-21 15:59:12 +00:00
logger = logger.Named("initServer")
server := &Server{
2022-06-28 16:33:27 +00:00
nodeLock: lock,
disk: diskencryption.New(),
initializer: kube,
logger: logger,
2022-06-21 15:59:12 +00:00
}
grpcLogger := logger.Named("gRPC")
grpcServer := grpc.NewServer(
grpc.StreamInterceptor(grpc_middleware.ChainStreamServer(
grpc_ctxtags.StreamServerInterceptor(),
grpc_zap.StreamServerInterceptor(grpcLogger),
)),
grpc.UnaryInterceptor(grpc_middleware.ChainUnaryServer(
grpc_ctxtags.UnaryServerInterceptor(),
grpc_zap.UnaryServerInterceptor(grpcLogger),
)),
)
initproto.RegisterAPIServer(grpcServer, server)
server.grpcServer = grpcServer
return server
}
func (s *Server) Serve(ip, port string) error {
lis, err := net.Listen("tcp", net.JoinHostPort(ip, port))
if err != nil {
return fmt.Errorf("failed to listen: %w", err)
}
return s.grpcServer.Serve(lis)
}
2022-06-28 16:33:27 +00:00
// Init initializes the cluster.
2022-06-21 15:59:12 +00:00
func (s *Server) Init(ctx context.Context, req *initproto.InitRequest) (*initproto.InitResponse, error) {
2022-06-28 16:33:27 +00:00
if ok := s.nodeLock.TryLockOnce(); !ok {
// The join client seems to already have a connection to an
// existing join service. At this point, any further call to
// init does not make sense, so we just stop.
//
// The server stops itself after the current call is done.
2022-06-21 15:59:12 +00:00
go s.grpcServer.GracefulStop()
return nil, status.Error(codes.FailedPrecondition, "node is already being activated")
}
id, err := s.deriveAttestationID(req.MasterSecret)
if err != nil {
return nil, status.Errorf(codes.Internal, "%s", err)
}
if err := s.setupDisk(req.MasterSecret); err != nil {
return nil, status.Errorf(codes.Internal, "setting up disk: %s", err)
}
state := nodestate.NodeState{
Role: role.Coordinator,
OwnerID: id.Owner,
ClusterID: id.Cluster,
}
if err := state.ToFile(s.fileHandler); err != nil {
return nil, status.Errorf(codes.Internal, "persisting node state: %s", err)
}
2022-06-28 16:33:27 +00:00
kubeconfig, err := s.initializer.InitCluster(ctx,
2022-06-21 15:59:12 +00:00
req.AutoscalingNodeGroups,
req.CloudServiceAccountUri,
req.KubernetesVersion,
id,
kubernetes.KMSConfig{
MasterSecret: req.MasterSecret,
KMSURI: req.KmsUri,
StorageURI: req.StorageUri,
KeyEncryptionKeyID: req.KeyEncryptionKeyId,
UseExistingKEK: req.UseExistingKek,
},
sshProtoKeysToMap(req.SshUserKeys),
)
if err != nil {
return nil, status.Errorf(codes.Internal, "initializing cluster: %s", err)
}
return &initproto.InitResponse{
Kubeconfig: kubeconfig,
OwnerId: id.Owner,
ClusterId: id.Cluster,
}, nil
}
func (s *Server) setupDisk(masterSecret []byte) error {
if err := s.disk.Open(); err != nil {
return fmt.Errorf("opening encrypted disk: %w", err)
}
defer s.disk.Close()
uuid, err := s.disk.UUID()
if err != nil {
return fmt.Errorf("retrieving uuid of disk: %w", err)
}
uuid = strings.ToLower(uuid)
// TODO: Choose a way to salt the key derivation
diskKey, err := util.DeriveKey(masterSecret, []byte("Constellation"), []byte("key"+uuid), 32)
if err != nil {
return err
}
return s.disk.UpdatePassphrase(string(diskKey))
}
func (s *Server) deriveAttestationID(masterSecret []byte) (attestationtypes.ID, error) {
2022-06-28 16:33:27 +00:00
clusterID, err := util.GenerateRandomBytes(constants.RNGLengthDefault)
2022-06-21 15:59:12 +00:00
if err != nil {
return attestationtypes.ID{}, err
}
// TODO: Choose a way to salt the key derivation
2022-06-28 16:33:27 +00:00
ownerID, err := util.DeriveKey(masterSecret, []byte("Constellation"), []byte("id"), constants.RNGLengthDefault)
2022-06-21 15:59:12 +00:00
if err != nil {
return attestationtypes.ID{}, err
}
return attestationtypes.ID{Owner: ownerID, Cluster: clusterID}, nil
}
func sshProtoKeysToMap(keys []*initproto.SSHUserKey) map[string]string {
keyMap := make(map[string]string)
for _, key := range keys {
keyMap[key.Username] = key.PublicKey
}
return keyMap
}
2022-06-28 16:33:27 +00:00
// ClusterInitializer has the ability to initialize a cluster.
2022-06-21 15:59:12 +00:00
type ClusterInitializer interface {
2022-06-28 16:33:27 +00:00
// InitCluster initializes a new Kubernetes cluster.
2022-06-21 15:59:12 +00:00
InitCluster(
ctx context.Context,
autoscalingNodeGroups []string,
cloudServiceAccountURI string,
2022-06-28 16:33:27 +00:00
k8sVersion string,
2022-06-21 15:59:12 +00:00
id attestationtypes.ID,
2022-06-28 16:33:27 +00:00
kmsConfig kubernetes.KMSConfig,
2022-06-21 15:59:12 +00:00
sshUserKeys map[string]string,
) ([]byte, error)
}
2022-06-28 16:33:27 +00:00
type encryptedDisk interface {
2022-06-21 15:59:12 +00:00
// Open prepares the underlying device for disk operations.
Open() error
// Close closes the underlying device.
Close() error
// UUID gets the device's UUID.
UUID() (string, error)
// UpdatePassphrase switches the initial random passphrase of the encrypted disk to a permanent passphrase.
UpdatePassphrase(passphrase string) error
}
2022-06-28 16:33:27 +00:00
type serveStopper interface {
// Serve starts the server.
Serve(lis net.Listener) error
// GracefulStop stops the server and blocks until all requests are done.
GracefulStop()
}