100 lines
2.4 KiB
Go
100 lines
2.4 KiB
Go
package services
|
|
|
|
import (
|
|
"bytes"
|
|
"context"
|
|
"encoding/json"
|
|
"net/http"
|
|
"net/url"
|
|
|
|
"github.com/lestrrat-go/jwx/jwk"
|
|
log "github.com/sirupsen/logrus"
|
|
"golang.org/x/oauth2"
|
|
)
|
|
|
|
type oidcContextKey int
|
|
|
|
const (
|
|
ctxOidcConfig oidcContextKey = iota
|
|
ctxOAuth2Config
|
|
ctxOidcJwks
|
|
)
|
|
|
|
type OpenIDConfiguration struct {
|
|
AuthorizationEndpoint string `json:"authorization_endpoint"`
|
|
TokenEndpoint string `json:"token_endpoint"`
|
|
JwksUri string `json:"jwks_uri"`
|
|
EndSessionEndpoint string `json:"end_session_endpoint"`
|
|
}
|
|
|
|
type OidcParams struct {
|
|
OidcServer string
|
|
OidcClientId string
|
|
OidcClientSecret string
|
|
APIClient *http.Client
|
|
}
|
|
|
|
func DiscoverOIDC(ctx context.Context, logger *log.Logger, params *OidcParams) (context.Context, error) {
|
|
var discoveryUrl *url.URL
|
|
|
|
discoveryUrl, err := url.Parse(params.OidcServer)
|
|
if err != nil {
|
|
logger.Fatalf("could not parse oidc.server parameter value %s: %s", params.OidcServer, err)
|
|
} else {
|
|
discoveryUrl.Path = "/.well-known/openid-configuration"
|
|
}
|
|
|
|
var body []byte
|
|
var req *http.Request
|
|
req, err = http.NewRequest(http.MethodGet, discoveryUrl.String(), bytes.NewBuffer(body))
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
req.Header = map[string][]string{
|
|
"Accept": {"application/json"},
|
|
}
|
|
|
|
resp, err := params.APIClient.Do(req)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
dec := json.NewDecoder(resp.Body)
|
|
discoveryResponse := &OpenIDConfiguration{}
|
|
err = dec.Decode(discoveryResponse)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
ctx = context.WithValue(ctx, ctxOidcConfig, discoveryResponse)
|
|
|
|
oauth2Config := &oauth2.Config{
|
|
ClientID: params.OidcClientId,
|
|
ClientSecret: params.OidcClientSecret,
|
|
Endpoint: oauth2.Endpoint{
|
|
AuthURL: discoveryResponse.AuthorizationEndpoint,
|
|
TokenURL: discoveryResponse.TokenEndpoint,
|
|
},
|
|
Scopes: []string{"openid", "offline"},
|
|
}
|
|
ctx = context.WithValue(ctx, ctxOAuth2Config, oauth2Config)
|
|
|
|
keySet, err := jwk.FetchHTTP(discoveryResponse.JwksUri, jwk.WithHTTPClient(params.APIClient))
|
|
if err != nil {
|
|
log.Fatalf("could not fetch JWKs: %s", err)
|
|
}
|
|
ctx = context.WithValue(ctx, ctxOidcJwks, keySet)
|
|
|
|
return ctx, nil
|
|
}
|
|
|
|
func GetOidcConfig(ctx context.Context) *OpenIDConfiguration {
|
|
return ctx.Value(ctxOidcConfig).(*OpenIDConfiguration)
|
|
}
|
|
|
|
func GetOAuth2Config(ctx context.Context) *oauth2.Config {
|
|
return ctx.Value(ctxOAuth2Config).(*oauth2.Config)
|
|
}
|
|
|
|
func GetJwkSet(ctx context.Context) *jwk.Set {
|
|
return ctx.Value(ctxOidcJwks).(*jwk.Set)
|
|
}
|