controller and main command

This commit is contained in:
Denis Mishin 2023-08-08 16:15:00 -04:00
parent 5ba601d129
commit 3452474564
12 changed files with 437 additions and 2 deletions

View file

@ -0,0 +1,36 @@
package controller
import (
"context"
"fmt"
"net/http"
cluster_api "github.com/pomerium/zero-sdk/cluster"
connect_api "github.com/pomerium/zero-sdk/connect"
connect_mux "github.com/pomerium/zero-sdk/connect-mux"
token_api "github.com/pomerium/zero-sdk/token"
)
func (c *controller) InitAPI(ctx context.Context) error {
fetcher, err := cluster_api.NewTokenFetcher(c.cfg.clusterAPIEndpoint)
if err != nil {
return fmt.Errorf("error creating token fetcher: %w", err)
}
tokenCache := token_api.NewCache(fetcher, c.cfg.apiToken)
clusterClient, err := cluster_api.NewAuthorizedClient(c.cfg.clusterAPIEndpoint, tokenCache.GetToken, http.DefaultClient)
if err != nil {
return fmt.Errorf("error creating cluster client: %w", err)
}
connectClient, err := connect_api.NewAuthorizedConnectClient(ctx, c.cfg.connectAPIEndpoint, tokenCache.GetToken)
if err != nil {
return fmt.Errorf("error creating connect client: %w", err)
}
c.connectMux = connect_mux.Start(ctx, connectClient)
c.clusterClient = clusterClient
return nil
}

View file

@ -0,0 +1,86 @@
package controller
import "time"
// Option configures a controller.
type Option func(*controllerConfig)
type controllerConfig struct {
apiToken string
clusterAPIEndpoint string
connectAPIEndpoint string
tmpDir string
bootstrapConfigFileName string
reconcilerLeaseDuration time.Duration
databrokerRequestTimeout time.Duration
}
// WithTmpDir sets the temporary directory to use.
func WithTmpDir(dir string) Option {
return func(c *controllerConfig) {
c.tmpDir = dir
}
}
// WithClusterAPIEndpoint sets the endpoint to use for the cluster API
func WithClusterAPIEndpoint(endpoint string) Option {
return func(c *controllerConfig) {
c.clusterAPIEndpoint = endpoint
}
}
// WithConnectAPIEndpoint sets the endpoint to use for the connect API
func WithConnectAPIEndpoint(endpoint string) Option {
return func(c *controllerConfig) {
c.connectAPIEndpoint = endpoint
}
}
// WithAPIToken sets the API token to use for authentication.
func WithAPIToken(token string) Option {
return func(c *controllerConfig) {
c.apiToken = token
}
}
// WithBootstrapConfigFileName sets the name of the file to store the bootstrap config in.
func WithBootstrapConfigFileName(name string) Option {
return func(c *controllerConfig) {
c.bootstrapConfigFileName = name
}
}
// WithDatabrokerLeaseDuration sets the lease duration for the
func WithDatabrokerLeaseDuration(duration time.Duration) Option {
return func(c *controllerConfig) {
c.reconcilerLeaseDuration = duration
}
}
// WithDatabrokerRequestTimeout sets the timeout for databroker requests.
func WithDatabrokerRequestTimeout(timeout time.Duration) Option {
return func(c *controllerConfig) {
c.databrokerRequestTimeout = timeout
}
}
func newControllerConfig(opts ...Option) *controllerConfig {
c := new(controllerConfig)
for _, opt := range []Option{
WithClusterAPIEndpoint("https://console.pomerium.com/cluster/v1"),
WithConnectAPIEndpoint("https://connect.pomerium.com"),
WithBootstrapConfigFileName("/var/cache/pomerium-bootstrap.dat"),
WithDatabrokerLeaseDuration(time.Minute),
WithDatabrokerRequestTimeout(time.Second * 30),
} {
opt(c)
}
for _, opt := range opts {
opt(c)
}
return c
}

View file

@ -0,0 +1,80 @@
// Package controller implements Pomerium managed mode
package controller
import (
"context"
"errors"
"fmt"
"golang.org/x/sync/errgroup"
"github.com/pomerium/pomerium/internal/log"
"github.com/pomerium/pomerium/internal/zero/bootstrap"
"github.com/pomerium/pomerium/pkg/cmd/pomerium"
"github.com/pomerium/pomerium/pkg/grpc/databroker"
cluster_api "github.com/pomerium/zero-sdk/cluster"
connect_mux "github.com/pomerium/zero-sdk/connect-mux"
)
// Run runs Pomerium is managed mode using the provided token.
func Run(ctx context.Context, opts ...Option) error {
c := controller{cfg: newControllerConfig(opts...)}
err := c.InitAPI(ctx)
if err != nil {
return fmt.Errorf("error initializing cloud api: %w", err)
}
src, err := bootstrap.New([]byte(c.cfg.apiToken))
if err != nil {
return fmt.Errorf("error creating bootstrap config: %w", err)
}
c.bootstrapConfig = src
err = c.InitDatabrokerClient(ctx, src.GetConfig())
if err != nil {
return fmt.Errorf("init databroker client: %w", err)
}
eg, ctx := errgroup.WithContext(ctx)
eg.Go(func() error { return run(ctx, "zero-bootstrap", c.runBootstrap, nil) })
eg.Go(func() error { return run(ctx, "pomerium-core", c.runPomeriumCore, src.WaitReady) })
eg.Go(func() error { return run(ctx, "zero-reconciler", c.RunReconciler, src.WaitReady) })
eg.Go(func() error { return run(ctx, "connect-log", c.RunConnectLog, nil) })
return eg.Wait()
}
type controller struct {
cfg *controllerConfig
connectMux *connect_mux.Mux
clusterClient cluster_api.ClientWithResponsesInterface
bootstrapConfig *bootstrap.Source
databrokerClient databroker.DataBrokerServiceClient
}
func run(ctx context.Context, name string, runFn func(context.Context) error, waitFn func(context.Context) error) error {
if waitFn != nil {
log.Ctx(ctx).Info().Str("name", name).Msg("waiting for initial configuration")
err := waitFn(ctx)
if err != nil {
return fmt.Errorf("%s: error waiting for initial configuration: %w", name, err)
}
}
log.Ctx(ctx).Info().Str("name", name).Msg("starting")
err := runFn(ctx)
if err != nil && !errors.Is(err, context.Canceled) {
return fmt.Errorf("%s: %w", name, err)
}
return nil
}
func (c *controller) runBootstrap(ctx context.Context) error {
return c.bootstrapConfig.Run(ctx, c.clusterClient, c.connectMux, c.cfg.bootstrapConfigFileName)
}
func (c *controller) runPomeriumCore(ctx context.Context) error {
return pomerium.Run(ctx, c.bootstrapConfig)
}

View file

@ -0,0 +1,46 @@
package controller
import (
"context"
"encoding/base64"
"fmt"
"net"
"net/url"
"google.golang.org/grpc"
"github.com/pomerium/pomerium/config"
"github.com/pomerium/pomerium/pkg/grpc/databroker"
"github.com/pomerium/pomerium/pkg/grpcutil"
)
func (c *controller) InitDatabrokerClient(ctx context.Context, cfg *config.Config) error {
conn, err := c.newDataBrokerConnection(ctx, cfg)
if err != nil {
return fmt.Errorf("databroker connection: %w", err)
}
c.databrokerClient = databroker.NewDataBrokerServiceClient(conn)
return nil
}
// GetDataBrokerServiceClient implements the databroker.Leaser interface.
func (c *controller) GetDataBrokerServiceClient() databroker.DataBrokerServiceClient {
return c.databrokerClient
}
func (c *controller) newDataBrokerConnection(ctx context.Context, cfg *config.Config) (*grpc.ClientConn, error) {
sharedSecret, err := base64.StdEncoding.DecodeString(cfg.Options.SharedKey)
if err != nil {
return nil, fmt.Errorf("decode shared_secret: %w", err)
}
return grpcutil.NewGRPCClientConn(ctx, &grpcutil.Options{
Address: &url.URL{
Scheme: "http",
Host: net.JoinHostPort("localhost", cfg.GRPCPort),
},
ServiceName: "databroker",
SignedJWTKey: sharedSecret,
RequestTimeout: c.cfg.databrokerRequestTimeout,
})
}

View file

@ -0,0 +1,29 @@
package controller
import (
"context"
"github.com/rs/zerolog"
"github.com/pomerium/pomerium/internal/log"
connect_mux "github.com/pomerium/zero-sdk/connect-mux"
)
func (c *controller) RunConnectLog(ctx context.Context) error {
logger := log.Ctx(ctx).With().Str("service", "connect-mux").Logger().Level(zerolog.InfoLevel)
return c.connectMux.Watch(ctx,
connect_mux.WithOnConnected(func(ctx context.Context) {
logger.Info().Msg("connected")
}),
connect_mux.WithOnDisconnected(func(ctx context.Context) {
logger.Info().Msg("disconnected")
}),
connect_mux.WithOnBootstrapConfigUpdated(func(ctx context.Context) {
logger.Info().Msg("bootstrap config updated")
}),
connect_mux.WithOnBundleUpdated(func(ctx context.Context, key string) {
logger.Info().Str("key", key).Msg("bundle updated")
}),
)
}

View file

@ -0,0 +1,24 @@
package controller
import (
"context"
"github.com/pomerium/pomerium/internal/log"
"github.com/pomerium/pomerium/internal/zero/reconciler"
"github.com/pomerium/pomerium/pkg/grpc/databroker"
)
func (c *controller) RunReconciler(ctx context.Context) error {
leaser := databroker.NewLeaser("zero-reconciler", c.cfg.reconcilerLeaseDuration, c)
return leaser.Run(ctx)
}
// RunLeased implements the databroker.Leaser interface.
func (c *controller) RunLeased(ctx context.Context) error {
log.Ctx(ctx).Info().Msg("starting reconciler")
return reconciler.Run(ctx,
reconciler.WithClusterAPIClient(c.clusterClient),
reconciler.WithConnectMux(c.connectMux),
reconciler.WithDataBrokerClient(c.GetDataBrokerServiceClient()),
)
}