kops/upup/pkg/fi/nodeup/nodetasks/bootstrap_client.go

230 lines
5.6 KiB
Go

/*
Copyright 2020 The Kubernetes Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package nodetasks
import (
"bufio"
"bytes"
"context"
"crypto/tls"
"crypto/x509"
"encoding/json"
"encoding/pem"
"fmt"
"io/ioutil"
"net"
"net/http"
"net/url"
"path"
"time"
"k8s.io/kops/pkg/apis/nodeup"
"k8s.io/kops/pkg/pki"
"k8s.io/kops/upup/pkg/fi"
"k8s.io/kops/upup/pkg/fi/cloudup"
)
type BootstrapClientTask struct {
// Certs are the requested certificates.
Certs map[string]*BootstrapCert
// KeypairIDs are the keypair IDs of the CAs to use for issuing certificates.
KeypairIDs map[string]string
// Client holds the client wrapper for the kops-bootstrap protocol
Client *KopsBootstrapClient
keys map[string]*pki.PrivateKey
}
type BootstrapCert struct {
Cert *fi.TaskDependentResource
Key *fi.TaskDependentResource
}
var _ fi.Task = &BootstrapClientTask{}
var _ fi.HasName = &BootstrapClientTask{}
var _ fi.HasDependencies = &BootstrapClientTask{}
func (b *BootstrapClientTask) GetDependencies(tasks map[string]fi.Task) []fi.Task {
// BootstrapClient depends on the protokube service to ensure gossip DNS
var deps []fi.Task
for _, v := range tasks {
if svc, ok := v.(*Service); ok && svc.Name == protokubeService {
deps = append(deps, v)
}
}
return deps
}
func (b *BootstrapClientTask) GetName() *string {
name := "BootstrapClient"
return &name
}
func (b *BootstrapClientTask) String() string {
return "BootstrapClientTask"
}
func (b *BootstrapClientTask) Run(c *fi.Context) error {
ctx := context.TODO()
req := nodeup.BootstrapRequest{
APIVersion: nodeup.BootstrapAPIVersion,
Certs: map[string]string{},
KeypairIDs: b.KeypairIDs,
}
if b.keys == nil {
b.keys = map[string]*pki.PrivateKey{}
}
for name, certRequest := range b.Certs {
key, ok := b.keys[name]
if !ok {
var err error
key, err = pki.GeneratePrivateKey()
if err != nil {
return fmt.Errorf("generating private key: %v", err)
}
certRequest.Key.Resource = &asBytesResource{key}
b.keys[name] = key
}
pkData, err := x509.MarshalPKIXPublicKey(key.Key.Public())
if err != nil {
return fmt.Errorf("marshalling public key: %v", err)
}
// TODO perhaps send a CSR instead to prove we own the private key?
req.Certs[name] = string(pem.EncodeToMemory(&pem.Block{Type: "RSA PUBLIC KEY", Bytes: pkData}))
}
resp, err := b.Client.QueryBootstrap(ctx, &req)
if err != nil {
return err
}
for name, certRequest := range b.Certs {
cert, ok := resp.Certs[name]
if !ok {
return fmt.Errorf("kops-controller did not return a %q certificate", name)
}
certificate, err := pki.ParsePEMCertificate([]byte(cert))
if err != nil {
return fmt.Errorf("parsing %q certificate: %v", name, err)
}
certRequest.Cert.Resource = asBytesResource{certificate}
}
return nil
}
type KopsBootstrapClient struct {
// Authenticator generates authentication credentials for requests.
Authenticator fi.Authenticator
// CAs are the CA certificates for kops-controller.
CAs []byte
// BaseURL is the base URL for the server
BaseURL url.URL
httpClient *http.Client
}
func (b *KopsBootstrapClient) QueryBootstrap(ctx context.Context, req *nodeup.BootstrapRequest) (*nodeup.BootstrapResponse, error) {
if b.httpClient == nil {
certPool := x509.NewCertPool()
certPool.AppendCertsFromPEM(b.CAs)
b.httpClient = &http.Client{
Timeout: time.Duration(15) * time.Second,
Transport: &http.Transport{
TLSClientConfig: &tls.Config{
RootCAs: certPool,
MinVersion: tls.VersionTLS12,
},
},
}
}
if ips, err := net.LookupIP(b.BaseURL.Hostname()); err != nil {
if dnsErr, ok := err.(*net.DNSError); ok && dnsErr.IsNotFound {
return nil, fi.NewTryAgainLaterError(fmt.Sprintf("kops-controller DNS not setup yet (not found: %v)", dnsErr))
}
return nil, err
} else {
for _, ip := range ips {
if ip.String() != cloudup.PlaceholderIP {
break
} else {
return nil, fi.NewTryAgainLaterError(fmt.Sprintf("kops-controller DNS not setup yet (placeholder IP found: %v)", ips))
}
}
}
reqBytes, err := json.Marshal(req)
if err != nil {
return nil, err
}
bootstrapURL := b.BaseURL
bootstrapURL.Path = path.Join(bootstrapURL.Path, "/bootstrap")
httpReq, err := http.NewRequestWithContext(ctx, "POST", bootstrapURL.String(), bytes.NewReader(reqBytes))
if err != nil {
return nil, err
}
httpReq.Header.Set("Content-Type", "application/json")
token, err := b.Authenticator.CreateToken(reqBytes)
if err != nil {
return nil, err
}
httpReq.Header.Set("Authorization", token)
resp, err := b.httpClient.Do(httpReq)
if err != nil {
return nil, err
}
if resp.Body != nil {
defer resp.Body.Close()
}
if resp.StatusCode != http.StatusOK {
detail := ""
if resp.Body != nil {
scanner := bufio.NewScanner(resp.Body)
if scanner.Scan() {
detail = scanner.Text()
}
}
return nil, fmt.Errorf("bootstrap returned status code %d: %s", resp.StatusCode, detail)
}
var bootstrapResp nodeup.BootstrapResponse
body, err := ioutil.ReadAll(resp.Body)
if err != nil {
return nil, err
}
err = json.Unmarshal(body, &bootstrapResp)
if err != nil {
return nil, err
}
return &bootstrapResp, nil
}