Skip to content
This repository was archived by the owner on Jan 21, 2020. It is now read-only.

Commit 5f7f0a5

Browse files
committed
Initial OpenStack plugin
Signed-off-by: Dan Finneran <[email protected]>
1 parent 4d3a3c4 commit 5f7f0a5

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

46 files changed

+5545
-0
lines changed

cmd/infrakit/main.go

+1
Original file line numberDiff line numberDiff line change
@@ -54,6 +54,7 @@ import (
5454
_ "github.com/docker/infrakit/pkg/run/v0/maas"
5555
_ "github.com/docker/infrakit/pkg/run/v0/manager"
5656
_ "github.com/docker/infrakit/pkg/run/v0/oneview"
57+
_ "github.com/docker/infrakit/pkg/run/v0/openstack"
5758
_ "github.com/docker/infrakit/pkg/run/v0/oracle"
5859
_ "github.com/docker/infrakit/pkg/run/v0/packet"
5960
_ "github.com/docker/infrakit/pkg/run/v0/rackhd"

pkg/provider/openstack/plugin.go

+191
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,191 @@
1+
package openstack
2+
3+
import (
4+
"crypto/tls"
5+
"crypto/x509"
6+
"errors"
7+
"fmt"
8+
"io/ioutil"
9+
"math/rand"
10+
"net/http"
11+
"os"
12+
"time"
13+
14+
logutil "github.com/docker/infrakit/pkg/log"
15+
"github.com/docker/infrakit/pkg/spi"
16+
"github.com/docker/infrakit/pkg/spi/instance"
17+
"github.com/docker/infrakit/pkg/types"
18+
19+
"github.com/gophercloud/gophercloud"
20+
"github.com/gophercloud/gophercloud/openstack"
21+
)
22+
23+
var log = logutil.New("module", "cli/x")
24+
25+
// Options capture the config parameters required to create the plugin
26+
type Options struct {
27+
OStackAuthURL string
28+
OStackUserName string
29+
OStackPassword string
30+
OStackProject string
31+
OStackUserDomain string
32+
OStackCACert string
33+
OStackInsecure bool
34+
}
35+
36+
//miniFSM for managing the provisioning -> provisioned state
37+
type provisioningFSM struct {
38+
countdown int64 // ideally will be a counter of minutes / seconds
39+
tags map[string]string // tags that will be passed back per a describe function
40+
instanceName string // name that we will use as a lookup to the actual backend that is privisioning
41+
}
42+
43+
// Spec is just whatever that can be unmarshalled into a generic JSON map
44+
type Spec map[string]interface{}
45+
46+
// This contains the the details for the oneview instance
47+
type plugin struct {
48+
fsm []provisioningFSM
49+
provider *gophercloud.ProviderClient
50+
}
51+
52+
func init() {
53+
rand.Seed(time.Now().UTC().UnixNano())
54+
}
55+
56+
// NewOpenStackInstancePlugin will take the cmdline/env configuration
57+
func NewOpenStackInstancePlugin(openStackOptions Options) instance.Plugin {
58+
59+
authOpts := gophercloud.AuthOptions{
60+
DomainName: openStackOptions.OStackUserDomain,
61+
IdentityEndpoint: openStackOptions.OStackAuthURL,
62+
Username: openStackOptions.OStackUserName,
63+
Password: openStackOptions.OStackPassword,
64+
TenantName: openStackOptions.OStackProject,
65+
}
66+
67+
provider, err := openstack.NewClient(authOpts.IdentityEndpoint)
68+
if err != nil {
69+
log.Crit("Failed to connect to OpenStack: %s", err)
70+
os.Exit(-1)
71+
}
72+
73+
provider.HTTPClient, err = openstackHTTPClient(openStackOptions.OStackCACert, openStackOptions.OStackInsecure)
74+
if err != nil {
75+
log.Crit("Failed to authenticate with certificate:", "error", err.Error)
76+
os.Exit(-1)
77+
}
78+
79+
err = openstack.Authenticate(provider, authOpts)
80+
if err != nil {
81+
log.Crit("Failed to authenticate with OpenStack:", "error", err)
82+
os.Exit(-1)
83+
}
84+
85+
// Exit with an error if we can't connect to OpenStack
86+
if err != nil {
87+
log.Crit("Error Logging into OpenStack")
88+
os.Exit(-1)
89+
}
90+
91+
log.Info("Succesfully logged in to OpenStack")
92+
93+
return &plugin{
94+
provider: provider,
95+
}
96+
}
97+
98+
// Info returns a vendor specific name and version
99+
func (p *plugin) VendorInfo() *spi.VendorInfo {
100+
return &spi.VendorInfo{
101+
InterfaceSpec: spi.InterfaceSpec{
102+
Name: "infrakit-instance-openstack",
103+
Version: "0.6.0",
104+
},
105+
URL: "https://github.com/docker/infrakit",
106+
}
107+
}
108+
109+
// ExampleProperties returns the properties / config of this plugin
110+
func (p *plugin) ExampleProperties() *types.Any {
111+
any, err := types.AnyValue(Spec{
112+
"exampleString": "a_string",
113+
"exampleBool": true,
114+
"exampleInt": 1,
115+
})
116+
if err != nil {
117+
return nil
118+
}
119+
return any
120+
}
121+
122+
// Validate performs local validation on a provision request.
123+
func (p *plugin) Validate(req *types.Any) error {
124+
log.Debug("validate", req.String())
125+
126+
spec := Spec{}
127+
if err := req.Decode(&spec); err != nil {
128+
return err
129+
}
130+
131+
log.Debug("Validated:", spec)
132+
return nil
133+
}
134+
135+
// Provision creates a new instance based on the spec.
136+
func (p *plugin) Provision(spec instance.Spec) (*instance.ID, error) {
137+
138+
var properties map[string]interface{}
139+
140+
if spec.Properties != nil {
141+
if err := spec.Properties.Decode(&properties); err != nil {
142+
return nil, fmt.Errorf("Invalid instance properties: %s", err)
143+
}
144+
}
145+
146+
instanceName := instance.ID(fmt.Sprintf("InfraKit-%d", rand.Int63()))
147+
148+
return &instanceName, nil
149+
}
150+
151+
// Label labels the instance
152+
func (p *plugin) Label(instance instance.ID, labels map[string]string) error {
153+
return fmt.Errorf("Openstack label updates are not implemented yet")
154+
}
155+
156+
// Destroy terminates an existing instance.
157+
func (p *plugin) Destroy(instance instance.ID, context instance.Context) error {
158+
log.Info("Currently running %s on instance: %v", context, instance)
159+
return nil
160+
}
161+
162+
// DescribeInstances returns descriptions of all instances matching all of the provided tags.
163+
// TODO - need to define the fitlering of tags => AND or OR of matches?
164+
func (p *plugin) DescribeInstances(tags map[string]string, properties bool) ([]instance.Description, error) {
165+
log.Debug("describe-instances", tags)
166+
results := []instance.Description{}
167+
168+
return results, nil
169+
}
170+
171+
func openstackHTTPClient(cacert string, insecure bool) (http.Client, error) {
172+
if cacert == "" {
173+
return http.Client{}, nil
174+
}
175+
176+
caCertPool := x509.NewCertPool()
177+
caCert, err := ioutil.ReadFile(cacert)
178+
if err != nil {
179+
return http.Client{}, errors.New("Can't read certificate file")
180+
}
181+
caCertPool.AppendCertsFromPEM(caCert)
182+
183+
tlsConfig := &tls.Config{
184+
RootCAs: caCertPool,
185+
InsecureSkipVerify: insecure,
186+
}
187+
tlsConfig.BuildNameToCertificate()
188+
transport := &http.Transport{TLSClientConfig: tlsConfig}
189+
190+
return http.Client{Transport: transport}, nil
191+
}

pkg/run/v0/openstack/openstack.go

+110
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,110 @@
1+
package oneview
2+
3+
import (
4+
"strings"
5+
6+
"github.com/docker/infrakit/pkg/launch/inproc"
7+
logutil "github.com/docker/infrakit/pkg/log"
8+
"github.com/docker/infrakit/pkg/plugin"
9+
"github.com/docker/infrakit/pkg/provider/openstack"
10+
"github.com/docker/infrakit/pkg/run"
11+
"github.com/docker/infrakit/pkg/run/local"
12+
"github.com/docker/infrakit/pkg/run/scope"
13+
"github.com/docker/infrakit/pkg/spi/instance"
14+
"github.com/docker/infrakit/pkg/types"
15+
)
16+
17+
var log = logutil.New("module", "cli/x")
18+
19+
const (
20+
// Kind is the canonical name of the plugin for starting up, etc.
21+
Kind = "openstack"
22+
23+
// EnvNamespaceTags is the env to set for namespace tags. It's k=v,...
24+
EnvNamespaceTags = "INFRAKIT_OPENSTACK_NAMESPACE_TAGS"
25+
26+
// EnvOStackURL is the env for setting the OpenStack auth URL to connect to
27+
EnvOStackURL = "INFRAKIT_OPENSTACK_AUTHURL"
28+
29+
// EnvOStackUser is the Open Stack Username
30+
EnvOStackUser = "INFRAKIT_OPENSTACK_USER"
31+
32+
// EnvOStackPass is the Open Stack Password
33+
EnvOStackPass = "INFRAKIT_OPENSTACK_PASS"
34+
35+
// EnvOStackDomain is the Open Stack API Domain
36+
EnvOStackDomain = "INFRAKIT_OPENSTACK_DOMAIN"
37+
38+
// EnvOStackProject is the Open Stack Project
39+
EnvOStackProject = "INFRAKIT_OPENSTACK_PROJECT"
40+
)
41+
42+
func init() {
43+
inproc.Register(Kind, Run, DefaultOptions)
44+
}
45+
46+
// Options capture the options for starting up the plugin.
47+
type Options struct {
48+
// Namespace is a set of kv pairs for tags that namespaces the resource instances
49+
// TODO - this is currently implemented in AWS and other cloud providers but not
50+
// in Open Stack
51+
Namespace map[string]string
52+
53+
// OneViews is a list of OneView Servers - each corresponds to config of a plugin instance
54+
OpenStacks []openstack.Options
55+
}
56+
57+
func defaultNamespace() map[string]string {
58+
t := map[string]string{}
59+
list := local.Getenv(EnvNamespaceTags, "")
60+
for _, v := range strings.Split(list, ",") {
61+
p := strings.Split(v, "=")
62+
if len(p) == 2 {
63+
t[p[0]] = p[1]
64+
}
65+
}
66+
return t
67+
}
68+
69+
func defaultOSOptions() openstack.Options {
70+
71+
return openstack.Options{
72+
OStackAuthURL: local.Getenv(EnvOStackURL, ""),
73+
OStackUserName: local.Getenv(EnvOStackUser, ""),
74+
OStackPassword: local.Getenv(EnvOStackPass, ""),
75+
OStackProject: local.Getenv(EnvOStackProject, ""),
76+
OStackUserDomain: local.Getenv(EnvOStackDomain, ""),
77+
}
78+
}
79+
80+
// DefaultOptions return an Options with default values filled in.
81+
var DefaultOptions = Options{
82+
Namespace: defaultNamespace(),
83+
OpenStacks: []openstack.Options{
84+
defaultOSOptions(),
85+
},
86+
}
87+
88+
// Run runs the plugin, blocking the current thread. Error is returned immediately
89+
// if the plugin cannot be started.
90+
func Run(scope scope.Scope, name plugin.Name,
91+
config *types.Any) (transport plugin.Transport, impls map[run.PluginCode]interface{}, onStop func(), err error) {
92+
93+
options := DefaultOptions
94+
err = config.Decode(&options)
95+
if err != nil {
96+
return
97+
}
98+
99+
bareMetal := map[string]instance.Plugin{}
100+
101+
for _, os := range options.OpenStacks {
102+
bareMetal[os.OStackAuthURL] = openstack.NewOpenStackInstancePlugin(os)
103+
}
104+
105+
transport.Name = name
106+
impls = map[run.PluginCode]interface{}{
107+
run.Instance: bareMetal,
108+
}
109+
return
110+
}

vendor.conf

+2
Original file line numberDiff line numberDiff line change
@@ -175,3 +175,5 @@ github.com/micdoher/terraform-provider-ucs/ucsclient 50940f9
175175
github.com/micdoher/terraform-provider-ucs/ucsclient/ucsinternal e82c113
176176
github.com/micdoher/GoUtils 799bb49
177177
gopkg.in/xmlpath.v2 860cbec
178+
github.com/gophercloud/gophercloud 6e5b7d6
179+
github.com/gophercloud/gophercloud/openstack 6e5b7d6

vendor/github.com/gophercloud/gophercloud/.gitignore

+2
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

vendor/github.com/gophercloud/gophercloud/.travis.yml

+21
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

vendor/github.com/gophercloud/gophercloud/.zuul.yaml

+12
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

vendor/github.com/gophercloud/gophercloud/CHANGELOG.md

Whitespace-only changes.

0 commit comments

Comments
 (0)