Merge pull request #5533 from smarterclayton/burn_yaml_with_fire

Burn YAML with fire (kind of)
This commit is contained in:
Clayton Coleman
2015-03-23 13:45:52 -04:00
13 changed files with 149 additions and 164 deletions

View File

@@ -29,6 +29,7 @@ import (
"github.com/GoogleCloudPlatform/kubernetes/pkg/api/latest" "github.com/GoogleCloudPlatform/kubernetes/pkg/api/latest"
"github.com/GoogleCloudPlatform/kubernetes/pkg/api/validation" "github.com/GoogleCloudPlatform/kubernetes/pkg/api/validation"
"github.com/GoogleCloudPlatform/kubernetes/pkg/runtime" "github.com/GoogleCloudPlatform/kubernetes/pkg/runtime"
"github.com/GoogleCloudPlatform/kubernetes/pkg/util/yaml"
"github.com/golang/glog" "github.com/golang/glog"
) )
@@ -88,6 +89,15 @@ func walkJSONFiles(inDir string, fn func(name, path string, data []byte)) error
return err return err
} }
name := strings.TrimSuffix(file, ext) name := strings.TrimSuffix(file, ext)
if ext == ".yaml" {
out, err := yaml.ToJSON(data)
if err != nil {
return err
}
data = out
}
fn(name, path, data) fn(name, path, data)
} }
return nil return nil
@@ -215,14 +225,18 @@ func TestReadme(t *testing.T) {
//t.Logf("testing (%s): \n%s", subtype, content) //t.Logf("testing (%s): \n%s", subtype, content)
expectedType := &api.Pod{} expectedType := &api.Pod{}
if err := latest.Codec.DecodeInto([]byte(content), expectedType); err != nil { json, err := yaml.ToJSON([]byte(content))
if err != nil {
t.Errorf("%s could not be converted to JSON: %v\n%s", path, err, string(content))
}
if err := latest.Codec.DecodeInto(json, expectedType); err != nil {
t.Errorf("%s did not decode correctly: %v\n%s", path, err, string(content)) t.Errorf("%s did not decode correctly: %v\n%s", path, err, string(content))
continue continue
} }
if errors := validateObject(expectedType); len(errors) > 0 { if errors := validateObject(expectedType); len(errors) > 0 {
t.Errorf("%s did not validate correctly: %v", path, errors) t.Errorf("%s did not validate correctly: %v", path, errors)
} }
_, err := latest.Codec.Encode(expectedType) _, err = latest.Codec.Encode(expectedType)
if err != nil { if err != nil {
t.Errorf("Could not encode object: %v", err) t.Errorf("Could not encode object: %v", err)
continue continue

View File

@@ -13,8 +13,8 @@
"name": "kubernetes-serve-hostname", "name": "kubernetes-serve-hostname",
"image": "kubernetes/serve_hostname", "image": "kubernetes/serve_hostname",
"cpu": 1000, "cpu": 1000,
"memory": 1048576, "memory": 1048576
}] }]
} }
}, }
} }

View File

@@ -22,9 +22,9 @@ import (
"reflect" "reflect"
"strings" "strings"
"github.com/GoogleCloudPlatform/kubernetes/pkg/util/yaml"
"github.com/emicklei/go-restful/swagger" "github.com/emicklei/go-restful/swagger"
"github.com/golang/glog" "github.com/golang/glog"
"gopkg.in/yaml.v2"
) )
type InvalidTypeError struct { type InvalidTypeError struct {
@@ -65,11 +65,15 @@ func NewSwaggerSchemaFromBytes(data []byte) (Schema, error) {
func (s *SwaggerSchema) ValidateBytes(data []byte) error { func (s *SwaggerSchema) ValidateBytes(data []byte) error {
var obj interface{} var obj interface{}
err := yaml.Unmarshal(data, &obj) out, err := yaml.ToJSON(data)
if err != nil { if err != nil {
return err return err
} }
fields := obj.(map[interface{}]interface{}) data = out
if err := json.Unmarshal(data, &obj); err != nil {
return err
}
fields := obj.(map[string]interface{})
apiVersion := fields["apiVersion"].(string) apiVersion := fields["apiVersion"].(string)
kind := fields["kind"].(string) kind := fields["kind"].(string)
return s.ValidateObject(obj, apiVersion, "", apiVersion+"."+kind) return s.ValidateObject(obj, apiVersion, "", apiVersion+"."+kind)
@@ -84,12 +88,12 @@ func (s *SwaggerSchema) ValidateObject(obj interface{}, apiVersion, fieldName, t
return nil return nil
} }
properties := model.Properties properties := model.Properties
fields := obj.(map[interface{}]interface{}) fields := obj.(map[string]interface{})
if len(fieldName) > 0 { if len(fieldName) > 0 {
fieldName = fieldName + "." fieldName = fieldName + "."
} }
for key, value := range fields { for key, value := range fields {
details, ok := properties[key.(string)] details, ok := properties[key]
if !ok { if !ok {
glog.V(2).Infof("couldn't find properties for %s, skipping", key) glog.V(2).Infof("couldn't find properties for %s, skipping", key)
continue continue
@@ -99,7 +103,7 @@ func (s *SwaggerSchema) ValidateObject(obj interface{}, apiVersion, fieldName, t
glog.V(2).Infof("Skipping nil field: %s", key) glog.V(2).Infof("Skipping nil field: %s", key)
continue continue
} }
err := s.validateField(value, apiVersion, fieldName+key.(string), fieldType, &details) err := s.validateField(value, apiVersion, fieldName+key, fieldType, &details)
if err != nil { if err != nil {
glog.Errorf("Validation failed for: %s, %v", key, value) glog.Errorf("Validation failed for: %s, %v", key, value)
return err return err

View File

@@ -18,6 +18,7 @@ package latest
import ( import (
"github.com/GoogleCloudPlatform/kubernetes/pkg/client/clientcmd/api/v1" "github.com/GoogleCloudPlatform/kubernetes/pkg/client/clientcmd/api/v1"
"github.com/GoogleCloudPlatform/kubernetes/pkg/runtime"
) )
// Version is the string that represents the current external default version. // Version is the string that represents the current external default version.
@@ -37,4 +38,4 @@ var Versions = []string{"v1"}
// the latest supported version. Use this Codec when writing to // the latest supported version. Use this Codec when writing to
// disk, a data store that is not dynamically versioned, or in tests. // disk, a data store that is not dynamically versioned, or in tests.
// This codec can decode any object that Kubernetes is aware of. // This codec can decode any object that Kubernetes is aware of.
var Codec = v1.Codec var Codec = runtime.YAMLDecoder(v1.Codec)

View File

@@ -17,13 +17,12 @@ limitations under the License.
package conversion package conversion
import ( import (
"encoding/json"
"errors" "errors"
"fmt" "fmt"
"github.com/ghodss/yaml"
) )
// Decode converts a YAML or JSON string back into a pointer to an api object. // Decode converts a JSON string back into a pointer to an api object.
// Deduces the type based upon the fields added by the MetaInsertionFactory // Deduces the type based upon the fields added by the MetaInsertionFactory
// technique. The object will be converted, if necessary, into the // technique. The object will be converted, if necessary, into the
// s.InternalVersion type before being returned. Decode will not decode // s.InternalVersion type before being returned. Decode will not decode
@@ -44,16 +43,12 @@ func (s *Scheme) Decode(data []byte) (interface{}, error) {
return nil, err return nil, err
} }
// yaml is a superset of json, so we use it to decode here. That way, if err := json.Unmarshal(data, obj); err != nil {
// we understand both.
err = yaml.Unmarshal(data, obj)
if err != nil {
return nil, err return nil, err
} }
// Version and Kind should be blank in memory. // Version and Kind should be blank in memory.
err = s.SetVersionAndKind("", "", obj) if err := s.SetVersionAndKind("", "", obj); err != nil {
if err != nil {
return nil, err return nil, err
} }
@@ -63,8 +58,7 @@ func (s *Scheme) Decode(data []byte) (interface{}, error) {
if err != nil { if err != nil {
return nil, err return nil, err
} }
err = s.converter.Convert(obj, objOut, 0, s.generateConvertMeta(version, s.InternalVersion)) if err := s.converter.Convert(obj, objOut, 0, s.generateConvertMeta(version, s.InternalVersion)); err != nil {
if err != nil {
return nil, err return nil, err
} }
obj = objOut obj = objOut
@@ -72,16 +66,13 @@ func (s *Scheme) Decode(data []byte) (interface{}, error) {
return obj, nil return obj, nil
} }
// DecodeInto parses a YAML or JSON string and stores it in obj. Returns an error // DecodeInto parses a JSON string and stores it in obj. Returns an error
// if data.Kind is set and doesn't match the type of obj. Obj should be a // if data.Kind is set and doesn't match the type of obj. Obj should be a
// pointer to an api type. // pointer to an api type.
// If obj's version doesn't match that in data, an attempt will be made to convert // If obj's version doesn't match that in data, an attempt will be made to convert
// data into obj's version. // data into obj's version.
func (s *Scheme) DecodeInto(data []byte, obj interface{}) error { func (s *Scheme) DecodeInto(data []byte, obj interface{}) error {
if len(data) == 0 { if len(data) == 0 {
// This is valid YAML, but it's a bad idea not to return an error
// for an empty string-- that's almost certainly not what the caller
// was expecting.
return errors.New("empty input") return errors.New("empty input")
} }
dataVersion, dataKind, err := s.DataVersionAndKind(data) dataVersion, dataKind, err := s.DataVersionAndKind(data)
@@ -107,14 +98,10 @@ func (s *Scheme) DecodeInto(data []byte, obj interface{}) error {
if err != nil { if err != nil {
return err return err
} }
// yaml is a superset of json, so we use it to decode here. That way, if err := json.Unmarshal(data, external); err != nil {
// we understand both.
err = yaml.Unmarshal(data, external)
if err != nil {
return err return err
} }
err = s.converter.Convert(external, obj, 0, s.generateConvertMeta(dataVersion, objVersion)) if err := s.converter.Convert(external, obj, 0, s.generateConvertMeta(dataVersion, objVersion)); err != nil {
if err != nil {
return err return err
} }

View File

@@ -17,10 +17,9 @@ limitations under the License.
package conversion package conversion
import ( import (
"encoding/json"
"fmt" "fmt"
"reflect" "reflect"
"github.com/ghodss/yaml"
) )
// MetaFactory is used to store and retrieve the version and kind // MetaFactory is used to store and retrieve the version and kind
@@ -33,13 +32,13 @@ type MetaFactory interface {
Interpret(data []byte) (version, kind string, err error) Interpret(data []byte) (version, kind string, err error)
} }
// DefaultMetaFactory is a default factory for versioning objects in JSON/YAML. The object // DefaultMetaFactory is a default factory for versioning objects in JSON. The object
// in memory and in the default JSON serialization will use the "kind" and "apiVersion" // in memory and in the default JSON serialization will use the "kind" and "apiVersion"
// fields. // fields.
var DefaultMetaFactory = SimpleMetaFactory{KindField: "Kind", VersionField: "APIVersion"} var DefaultMetaFactory = SimpleMetaFactory{KindField: "Kind", VersionField: "APIVersion"}
// SimpleMetaFactory provides default methods for retrieving the type and version of objects // SimpleMetaFactory provides default methods for retrieving the type and version of objects
// that are identified with an "apiVersion" and "kind" fields in their JSON/YAML // that are identified with an "apiVersion" and "kind" fields in their JSON
// serialization. It may be parameterized with the names of the fields in memory, or an // serialization. It may be parameterized with the names of the fields in memory, or an
// optional list of base structs to search for those fields in memory. // optional list of base structs to search for those fields in memory.
type SimpleMetaFactory struct { type SimpleMetaFactory struct {
@@ -51,16 +50,14 @@ type SimpleMetaFactory struct {
BaseFields []string BaseFields []string
} }
// Interpret will return the APIVersion and Kind of the JSON/YAML wire-format // Interpret will return the APIVersion and Kind of the JSON wire-format
// encoding of an object, or an error. // encoding of an object, or an error.
func (SimpleMetaFactory) Interpret(data []byte) (version, kind string, err error) { func (SimpleMetaFactory) Interpret(data []byte) (version, kind string, err error) {
findKind := struct { findKind := struct {
APIVersion string `json:"apiVersion,omitempty"` APIVersion string `json:"apiVersion,omitempty"`
Kind string `json:"kind,omitempty"` Kind string `json:"kind,omitempty"`
}{} }{}
// yaml is a superset of json, so we use it to decode here. That way, err = json.Unmarshal(data, &findKind)
// we understand both.
err = yaml.Unmarshal(data, &findKind)
if err != nil { if err != nil {
return "", "", fmt.Errorf("couldn't get version/kind: %v", err) return "", "", fmt.Errorf("couldn't get version/kind: %v", err)
} }

View File

@@ -23,6 +23,7 @@ import (
"github.com/GoogleCloudPlatform/kubernetes/pkg/api" "github.com/GoogleCloudPlatform/kubernetes/pkg/api"
"github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl" "github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl"
"github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/cmd/util" "github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/cmd/util"
"github.com/GoogleCloudPlatform/kubernetes/pkg/kubectl/resource"
"github.com/spf13/cobra" "github.com/spf13/cobra"
) )
@@ -72,56 +73,41 @@ func RunRollingUpdate(f *Factory, out io.Writer, cmd *cobra.Command, args []stri
return util.UsageError(cmd, "Must specify the controller to update") return util.UsageError(cmd, "Must specify the controller to update")
} }
oldName := args[0] oldName := args[0]
schema, err := f.Validator()
if err != nil {
return err
}
clientConfig, err := f.ClientConfig()
if err != nil {
return err
}
cmdApiVersion := clientConfig.Version
mapper, typer := f.Object()
// TODO: use resource.Builder instead
mapping, namespace, newName, data, err := util.ResourceFromFile(filename, typer, mapper, schema, cmdApiVersion)
if err != nil {
return err
}
if mapping.Kind != "ReplicationController" {
return util.UsageError(cmd, "%s does not specify a valid ReplicationController", filename)
}
if oldName == newName {
return util.UsageError(cmd, "%s cannot have the same name as the existing ReplicationController %s",
filename, oldName)
}
cmdNamespace, err := f.DefaultNamespace() cmdNamespace, err := f.DefaultNamespace()
if err != nil { if err != nil {
return err return err
} }
mapper, typer := f.Object()
// TODO: use resource.Builder instead // TODO: use resource.Builder instead
err = util.CompareNamespace(cmdNamespace, namespace) obj, err := resource.NewBuilder(mapper, typer, f.ClientMapperForCommand(cmd)).
NamespaceParam(cmdNamespace).RequireNamespace().
FilenameParam(filename).
Do().
Object()
if err != nil { if err != nil {
return err return err
} }
newRc, ok := obj.(*api.ReplicationController)
if !ok {
return util.UsageError(cmd, "%s does not specify a valid ReplicationController", filename)
}
newName := newRc.Name
if oldName == newName {
return util.UsageError(cmd, "%s cannot have the same name as the existing ReplicationController %s",
filename, oldName)
}
client, err := f.Client() client, err := f.Client()
if err != nil { if err != nil {
return err return err
} }
obj, err := mapping.Codec.Decode(data) updater := kubectl.NewRollingUpdater(newRc.Namespace, client)
if err != nil {
return err
}
newRc := obj.(*api.ReplicationController)
updater := kubectl.NewRollingUpdater(cmdNamespace, client)
// fetch rc // fetch rc
oldRc, err := client.ReplicationControllers(cmdNamespace).Get(oldName) oldRc, err := client.ReplicationControllers(newRc.Namespace).Get(oldName)
if err != nil { if err != nil {
return err return err
} }

View File

@@ -17,13 +17,9 @@ limitations under the License.
package util package util
import ( import (
"fmt"
"github.com/spf13/cobra" "github.com/spf13/cobra"
"github.com/GoogleCloudPlatform/kubernetes/pkg/api/meta" "github.com/GoogleCloudPlatform/kubernetes/pkg/api/meta"
"github.com/GoogleCloudPlatform/kubernetes/pkg/api/validation"
"github.com/GoogleCloudPlatform/kubernetes/pkg/runtime"
) )
// ResourceFromArgs expects two arguments with a given type, and extracts the fields necessary // ResourceFromArgs expects two arguments with a given type, and extracts the fields necessary
@@ -52,69 +48,3 @@ func ResourceFromArgs(cmd *cobra.Command, args []string, mapper meta.RESTMapper,
mapping, err = mapper.RESTMapping(kind, version) mapping, err = mapper.RESTMapping(kind, version)
return return
} }
// ResourceFromFile retrieves the name and namespace from a valid file. If the file does not
// resolve to a known type an error is returned. The returned mapping can be used to determine
// the correct REST endpoint to modify this resource with.
// DEPRECATED: Use resource.Builder
func ResourceFromFile(filename string, typer runtime.ObjectTyper, mapper meta.RESTMapper, schema validation.Schema, cmdVersion string) (mapping *meta.RESTMapping, namespace, name string, data []byte, err error) {
data, err = ReadConfigData(filename)
if err != nil {
return
}
objVersion, kind, err := typer.DataVersionAndKind(data)
if err != nil {
return
}
// TODO: allow unversioned objects?
if len(objVersion) == 0 {
err = fmt.Errorf("the resource in the provided file has no apiVersion defined")
}
err = schema.ValidateBytes(data)
if err != nil {
return
}
// decode using the version stored with the object (allows codec to vary across versions)
mapping, err = mapper.RESTMapping(kind, objVersion)
if err != nil {
return
}
obj, err := mapping.Codec.Decode(data)
if err != nil {
return
}
meta := mapping.MetadataAccessor
namespace, err = meta.Namespace(obj)
if err != nil {
return
}
name, err = meta.Name(obj)
if err != nil {
return
}
// if the preferred API version differs, get a different mapper
if cmdVersion != objVersion {
mapping, err = mapper.RESTMapping(kind, cmdVersion)
}
return
}
// CompareNamespace returns an error if the namespace the user has provided on the CLI
// or via the default namespace file does not match the namespace of an input file. This
// prevents a user from unintentionally updating the wrong namespace.
// DEPRECATED: Use resource.Builder
func CompareNamespace(defaultNamespace, namespace string) error {
if len(namespace) > 0 {
if defaultNamespace != namespace {
return fmt.Errorf("the namespace from the provided file %q does not match the namespace %q. You must pass '--namespace=%s' to perform this operation.", namespace, defaultNamespace, namespace)
}
}
return nil
}

View File

@@ -22,6 +22,7 @@ import (
"github.com/GoogleCloudPlatform/kubernetes/pkg/api/meta" "github.com/GoogleCloudPlatform/kubernetes/pkg/api/meta"
"github.com/GoogleCloudPlatform/kubernetes/pkg/runtime" "github.com/GoogleCloudPlatform/kubernetes/pkg/runtime"
"github.com/GoogleCloudPlatform/kubernetes/pkg/util/yaml"
) )
// Mapper is a convenience struct for holding references to the three interfaces // Mapper is a convenience struct for holding references to the three interfaces
@@ -36,6 +37,11 @@ type Mapper struct {
// if any of the decoding or client lookup steps fail. Name and namespace will be // if any of the decoding or client lookup steps fail. Name and namespace will be
// set into Info if the mapping's MetadataAccessor can retrieve them. // set into Info if the mapping's MetadataAccessor can retrieve them.
func (m *Mapper) InfoForData(data []byte, source string) (*Info, error) { func (m *Mapper) InfoForData(data []byte, source string) (*Info, error) {
json, err := yaml.ToJSON(data)
if err != nil {
return nil, fmt.Errorf("unable to parse %q: %v", err)
}
data = json
version, kind, err := m.DataVersionAndKind(data) version, kind, err := m.DataVersionAndKind(data)
if err != nil { if err != nil {
return nil, fmt.Errorf("unable to get type info from %q: %v", source, err) return nil, fmt.Errorf("unable to get type info from %q: %v", source, err)

View File

@@ -196,7 +196,7 @@ func testPrinter(t *testing.T, printer ResourcePrinter, unmarshalFunc func(data
} }
// Use real decode function to undo the versioning process. // Use real decode function to undo the versioning process.
poutput = testStruct{} poutput = testStruct{}
err = testapi.Codec().DecodeInto(buf.Bytes(), &poutput) err = runtime.YAMLDecoder(testapi.Codec()).DecodeInto(buf.Bytes(), &poutput)
if err != nil { if err != nil {
t.Fatal(err) t.Fatal(err)
} }
@@ -217,7 +217,7 @@ func testPrinter(t *testing.T, printer ResourcePrinter, unmarshalFunc func(data
} }
// Use real decode function to undo the versioning process. // Use real decode function to undo the versioning process.
objOut = api.Pod{} objOut = api.Pod{}
err = testapi.Codec().DecodeInto(buf.Bytes(), &objOut) err = runtime.YAMLDecoder(testapi.Codec()).DecodeInto(buf.Bytes(), &objOut)
if err != nil { if err != nil {
t.Fatal(err) t.Fatal(err)
} }

View File

@@ -16,11 +16,47 @@ limitations under the License.
package runtime package runtime
import (
"github.com/GoogleCloudPlatform/kubernetes/pkg/util/yaml"
)
// CodecFor returns a Codec that invokes Encode with the provided version. // CodecFor returns a Codec that invokes Encode with the provided version.
func CodecFor(scheme *Scheme, version string) Codec { func CodecFor(scheme *Scheme, version string) Codec {
return &codecWrapper{scheme, version} return &codecWrapper{scheme, version}
} }
// yamlCodec converts YAML passed to the Decoder methods to JSON.
type yamlCodec struct {
// a Codec for JSON
Codec
}
// yamlCodec implements Codec
var _ Codec = yamlCodec{}
// YAMLDecoder adds YAML decoding support to a codec that supports JSON.
func YAMLDecoder(codec Codec) Codec {
return &yamlCodec{codec}
}
func (c yamlCodec) Decode(data []byte) (Object, error) {
out, err := yaml.ToJSON(data)
if err != nil {
return nil, err
}
data = out
return c.Codec.Decode(data)
}
func (c yamlCodec) DecodeInto(data []byte, obj Object) error {
out, err := yaml.ToJSON(data)
if err != nil {
return err
}
data = out
return c.Codec.DecodeInto(data, obj)
}
// EncodeOrDie is a version of Encode which will panic instead of returning an error. For tests. // EncodeOrDie is a version of Encode which will panic instead of returning an error. For tests.
func EncodeOrDie(codec Codec, obj Object) string { func EncodeOrDie(codec Codec, obj Object) string {
bytes, err := codec.Encode(obj) bytes, err := codec.Encode(obj)

View File

@@ -27,6 +27,17 @@ import (
"github.com/golang/glog" "github.com/golang/glog"
) )
// ToJSON converts a single YAML document into a JSON document
// or returns an error. If the document appears to be JSON the
// YAML decoding path is not used (so that error messages are)
// JSON specific.
func ToJSON(data []byte) ([]byte, error) {
if hasJSONPrefix(data) {
return data, nil
}
return yaml.YAMLToJSON(data)
}
// YAMLToJSONDecoder decodes YAML documents from an io.Reader by // YAMLToJSONDecoder decodes YAML documents from an io.Reader by
// separating individual documents. It first converts the YAML // separating individual documents. It first converts the YAML
// body to JSON, then unmarshals the JSON. // body to JSON, then unmarshals the JSON.
@@ -143,11 +154,19 @@ func (d *YAMLOrJSONDecoder) Decode(into interface{}) error {
func guessJSONStream(r io.Reader, size int) (io.Reader, bool) { func guessJSONStream(r io.Reader, size int) (io.Reader, bool) {
buffer := bufio.NewReaderSize(r, size) buffer := bufio.NewReaderSize(r, size)
b, _ := buffer.Peek(size) b, _ := buffer.Peek(size)
return buffer, hasPrefix(b, []byte("{")) return buffer, hasJSONPrefix(b)
}
var jsonPrefix = []byte("{")
// hasJSONPrefix returns true if the provided buffer appears to start with
// a JSON open brace.
func hasJSONPrefix(buf []byte) bool {
return hasPrefix(buf, jsonPrefix)
} }
// Return true if the first non-whitespace bytes in buf is // Return true if the first non-whitespace bytes in buf is
// prefix // prefix.
func hasPrefix(buf []byte, prefix []byte) bool { func hasPrefix(buf []byte, prefix []byte) bool {
trim := bytes.TrimLeftFunc(buf, unicode.IsSpace) trim := bytes.TrimLeftFunc(buf, unicode.IsSpace)
return bytes.HasPrefix(trim, prefix) return bytes.HasPrefix(trim, prefix)

View File

@@ -73,7 +73,7 @@ var aPod string = `
"manifest": { "manifest": {
"version": "v1beta1", "version": "v1beta1",
"id": "a", "id": "a",
"containers": [{ "name": "foo", "image": "bar/foo", }] "containers": [{ "name": "foo", "image": "bar/foo" }]
} }
}%s }%s
} }
@@ -87,7 +87,7 @@ var aPodInBar string = `
"manifest": { "manifest": {
"version": "v1beta1", "version": "v1beta1",
"id": "a", "id": "a",
"containers": [{ "name": "foo", "image": "bar/foo", }] "containers": [{ "name": "foo", "image": "bar/foo" }]
} }
}%s }%s
} }
@@ -102,17 +102,18 @@ var aRC string = `
"replicaSelector": {"name": "a"}, "replicaSelector": {"name": "a"},
"podTemplate": { "podTemplate": {
"desiredState": { "desiredState": {
"manifest": { "manifest": {
"version": "v1beta1", "version": "v1beta1",
"id": "a", "id": "a",
"containers": [{ "containers": [{
"name": "foo", "name": "foo",
"image": "bar/foo", "image": "bar/foo"
}] }]
} }
}, },
"labels": {"name": "a"} "labels": {"name": "a"}
}}, }
},
"labels": {"name": "a"}%s "labels": {"name": "a"}%s
} }
` `
@@ -145,7 +146,7 @@ var aEvent string = `
"kind": "Minion", "kind": "Minion",
"name": "a", "name": "a",
"namespace": "default", "namespace": "default",
"apiVersion": "v1beta1", "apiVersion": "v1beta1"
}%s }%s
} }
` `
@@ -343,10 +344,11 @@ func TestAuthModeAlwaysAllow(t *testing.T) {
sub += fmt.Sprintf(",\r\n\"resourceVersion\": %v", resVersion) sub += fmt.Sprintf(",\r\n\"resourceVersion\": %v", resVersion)
} }
namespace := "default" namespace := "default"
sub += fmt.Sprintf(",\r\n\"namespace\": %v", namespace) sub += fmt.Sprintf(",\r\n\"namespace\": %q", namespace)
} }
bodyStr = fmt.Sprintf(r.body, sub) bodyStr = fmt.Sprintf(r.body, sub)
} }
r.body = bodyStr
bodyBytes := bytes.NewReader([]byte(bodyStr)) bodyBytes := bytes.NewReader([]byte(bodyStr))
req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes) req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes)
if err != nil { if err != nil {
@@ -514,10 +516,11 @@ func TestAliceNotForbiddenOrUnauthorized(t *testing.T) {
sub += fmt.Sprintf(",\r\n\"resourceVersion\": %v", resVersion) sub += fmt.Sprintf(",\r\n\"resourceVersion\": %v", resVersion)
} }
namespace := "default" namespace := "default"
sub += fmt.Sprintf(",\r\n\"namespace\": %v", namespace) sub += fmt.Sprintf(",\r\n\"namespace\": %q", namespace)
} }
bodyStr = fmt.Sprintf(r.body, sub) bodyStr = fmt.Sprintf(r.body, sub)
} }
r.body = bodyStr
bodyBytes := bytes.NewReader([]byte(bodyStr)) bodyBytes := bytes.NewReader([]byte(bodyStr))
req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes) req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes)
if err != nil { if err != nil {
@@ -767,10 +770,11 @@ func TestNamespaceAuthorization(t *testing.T) {
if len(namespace) == 0 { if len(namespace) == 0 {
namespace = "default" namespace = "default"
} }
sub += fmt.Sprintf(",\r\n\"namespace\": %v", namespace) sub += fmt.Sprintf(",\r\n\"namespace\": %q", namespace)
} }
bodyStr = fmt.Sprintf(r.body, sub) bodyStr = fmt.Sprintf(r.body, sub)
} }
r.body = bodyStr
bodyBytes := bytes.NewReader([]byte(bodyStr)) bodyBytes := bytes.NewReader([]byte(bodyStr))
req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes) req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes)
if err != nil { if err != nil {
@@ -873,6 +877,7 @@ func TestKindAuthorization(t *testing.T) {
} }
} }
} }
r.body = bodyStr
bodyBytes := bytes.NewReader([]byte(bodyStr)) bodyBytes := bytes.NewReader([]byte(bodyStr))
req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes) req, err := http.NewRequest(r.verb, s.URL+r.URL, bodyBytes)
if err != nil { if err != nil {