terraform/helper/schema/provider.go

84 lines
2.0 KiB
Go
Raw Normal View History

2014-08-17 23:45:43 +02:00
package schema
import (
"fmt"
2014-08-18 04:32:11 +02:00
"sort"
2014-08-17 23:45:43 +02:00
"github.com/hashicorp/terraform/terraform"
)
// Provider represents a Resource provider in Terraform, and properly
// implements all of the ResourceProvider API.
//
// This is a friendlier API than the core Terraform ResourceProvider API,
// and is recommended to be used over that.
type Provider struct {
2014-08-18 00:07:01 +02:00
Schema map[string]*Schema
ResourcesMap map[string]*Resource
2014-08-17 23:45:43 +02:00
ConfigureFunc ConfigureFunc
2014-08-17 23:45:43 +02:00
}
// ConfigureFunc is the function used to configure a Provider.
type ConfigureFunc func(*ResourceData) error
// Validate validates the provider configuration against the schema.
func (p *Provider) Validate(c *terraform.ResourceConfig) ([]string, []error) {
return schemaMap(p.Schema).Validate(c)
}
// ValidateResource validates the resource configuration against the
// proper schema.
func (p *Provider) ValidateResource(
t string, c *terraform.ResourceConfig) ([]string, []error) {
2014-08-18 00:07:01 +02:00
r, ok := p.ResourcesMap[t]
2014-08-17 23:45:43 +02:00
if !ok {
return nil, []error{fmt.Errorf(
"Provider doesn't support resource: %s", t)}
}
return r.Validate(c)
}
// Configure implementation of terraform.ResourceProvider interface.
func (p *Provider) Configure(c *terraform.ResourceConfig) error {
// No configuration
if p.ConfigureFunc == nil {
return nil
}
sm := schemaMap(p.Schema)
// Get a ResourceData for this configuration. To do this, we actually
// generate an intermediary "diff" although that is never exposed.
diff, err := sm.Diff(nil, c)
if err != nil {
return err
}
data, err := sm.Data(nil, diff)
if err != nil {
return err
}
return p.ConfigureFunc(data)
}
2014-08-18 00:07:01 +02:00
// Resources implementation of terraform.ResourceProvider interface.
func (p *Provider) Resources() []terraform.ResourceType {
2014-08-18 04:32:11 +02:00
keys := make([]string, 0, len(p.ResourcesMap))
2014-08-18 00:07:01 +02:00
for k, _ := range p.ResourcesMap {
2014-08-18 04:32:11 +02:00
keys = append(keys, k)
}
sort.Strings(keys)
result := make([]terraform.ResourceType, 0, len(keys))
for _, k := range keys {
2014-08-18 00:07:01 +02:00
result = append(result, terraform.ResourceType{
Name: k,
})
}
return result
}