60 lines
1.6 KiB
Go
60 lines
1.6 KiB
Go
package schema
|
|
|
|
import (
|
|
"errors"
|
|
"fmt"
|
|
)
|
|
|
|
// EnumType represents the definition of an enum type.
|
|
type EnumType struct {
|
|
// Name is the name of the enum type. It must conform to the NameFormat regular expression.
|
|
// Its name must be unique between all enum types and object types in the module.
|
|
// The same enum, however, can be used in multiple object types and fields as long as the
|
|
// definition is identical each time
|
|
Name string
|
|
|
|
// Values is a list of distinct, non-empty values that are part of the enum type.
|
|
// Each value must conform to the NameFormat regular expression.
|
|
Values []string
|
|
}
|
|
|
|
// TypeName implements the Type interface.
|
|
func (e EnumType) TypeName() string {
|
|
return e.Name
|
|
}
|
|
|
|
func (EnumType) isType() {}
|
|
|
|
// Validate validates the enum definition.
|
|
func (e EnumType) Validate() error {
|
|
if !ValidateName(e.Name) {
|
|
return fmt.Errorf("invalid enum definition name %q", e.Name)
|
|
}
|
|
|
|
if len(e.Values) == 0 {
|
|
return errors.New("enum definition values cannot be empty")
|
|
}
|
|
seen := make(map[string]bool, len(e.Values))
|
|
for i, v := range e.Values {
|
|
if !ValidateName(v) {
|
|
return fmt.Errorf("invalid enum definition value %q at index %d for enum %s", v, i, e.Name)
|
|
}
|
|
|
|
if seen[v] {
|
|
return fmt.Errorf("duplicate enum definition value %q for enum %s", v, e.Name)
|
|
}
|
|
seen[v] = true
|
|
}
|
|
return nil
|
|
}
|
|
|
|
// ValidateValue validates that the value is a valid enum value.
|
|
func (e EnumType) ValidateValue(value string) error {
|
|
for _, v := range e.Values {
|
|
if v == value {
|
|
return nil
|
|
}
|
|
}
|
|
return fmt.Errorf("value %q is not a valid enum value for %s", value, e.Name)
|
|
}
|