Documentation ¶
Overview ¶
Package schema provides a validation framework for the API resources.
See http://github.com/rs/rest-layer for full REST Layer documentation.
Index ¶
- Variables
- func VerifyPassword(hash interface{}, password []byte) bool
- type AllOf
- type And
- type AnyOf
- type Array
- type Bool
- type Boundaries
- type Compiler
- type Dict
- type Equal
- type ErrorMap
- type Exist
- type Expression
- type Field
- type FieldHandler
- type FieldSerializer
- type FieldValidator
- type Fields
- type Float
- type GreaterOrEqual
- type GreaterThan
- type IP
- type In
- type Integer
- type LowerOrEqual
- type LowerThan
- type NotEqual
- type NotExist
- type NotIn
- type Null
- type Object
- type Or
- type Param
- type Params
- type Password
- type PreQuery
- type Query
- type Reference
- type Schema
- func (s Schema) Compile() error
- func (s Schema) GetField(name string) *Field
- func (s Schema) Prepare(ctx context.Context, payload map[string]interface{}, ...) (changes map[string]interface{}, base map[string]interface{})
- func (s Schema) Validate(changes map[string]interface{}, base map[string]interface{}) (doc map[string]interface{}, errs map[string][]interface{})
- type String
- type Time
- type URL
- type Validator
- type Value
Examples ¶
Constants ¶
This section is empty.
Variables ¶
var ( // NewID is a field hook handler that generates a new globally unique id if none exist, // to be used in schema with OnInit. // // The generated ID is a Mongo like base64 object id (mgo/bson code has been embedded // into this function to prevent dep) NewID = func(ctx context.Context, value interface{}) interface{} { if value == nil { value = newID() } return value } // IDField is a common schema field configuration that generate an globally unique id // for new item id. IDField = Field{ Description: "The item's id", Required: true, ReadOnly: true, OnInit: NewID, Filterable: true, Sortable: true, Validator: &String{ Regexp: "^[0-9a-v]{20}$", }, } )
var ( // Now is a field hook handler that returns the current time, to be used in // schema with OnInit and OnUpdate. Now = func(ctx context.Context, value interface{}) interface{} { return time.Now() } // CreatedField is a common schema field configuration for "created" fields. It stores // the creation date of the item. CreatedField = Field{ Description: "The time at which the item has been inserted", Required: true, ReadOnly: true, OnInit: Now, Sortable: true, Validator: &Time{}, } // UpdatedField is a common schema field configuration for "updated" fields. It stores // the current date each time the item is modified. UpdatedField = Field{ Description: "The time at which the item has been last updated", Required: true, ReadOnly: true, OnInit: Now, OnUpdate: Now, Sortable: true, Validator: &Time{}, } )
var ( // PasswordField is a common schema field for passwords. It encrypt the password using bcrypt // before storage and hide the value so the hash can't be read back. PasswordField = Field{ Description: "Write-only field storing a secret password.", Required: true, Hidden: true, Validator: &Password{}, } )
var Tombstone = internal{}
Tombstone is used to mark a field for removal
Functions ¶
func VerifyPassword ¶
VerifyPassword compare a field of an item payload containig a hashed password with a clear text password and return true if they match.
Types ¶
type AllOf ¶
type AllOf []FieldValidator
AllOf validates that all the sub field validators validates
type And ¶
type And []Expression
And joins query clauses with a logical AND, returns all documents that match the conditions of both clauses.
type AnyOf ¶
type AnyOf []FieldValidator
AnyOf validates if any of the sub field validators validates
type Array ¶
type Array struct { // ValuesValidator is the validator to apply on array items ValuesValidator FieldValidator // MinLen defines the minimum array length (default 0) MinLen int // MaxLen defines the maximum array length (default no limit) MaxLen int }
Array validates array values
type Boundaries ¶
Boundaries defines min/max for an integer
type Compiler ¶
type Compiler interface {
Compile() error
}
Compiler is an interface defining a validator that can be compiled at run time in order to check validator configuration validity and/or prepare some data for a faster execution.
type Dict ¶
type Dict struct { // KeysValidator is the validator to apply on dict keys KeysValidator FieldValidator // ValuesValidator is the validator to apply on dict values ValuesValidator FieldValidator // MinLen defines the minimum number of fields (default 0) MinLen int // MaxLen defines the maximum number of fields (default no limit) MaxLen int }
Dict validates array values
Example ¶
package main import ( "github.com/rs/rest-layer/schema" ) func main() { _ = schema.Schema{ Fields: schema.Fields{ "dict": schema.Field{ Validator: &schema.Dict{ // Limit dict keys to foo and bar keys only KeysValidator: &schema.String{ Allowed: []string{"foo", "bar"}, }, // Allow either string or integer as dict value ValuesValidator: &schema.AnyOf{ 0: &schema.String{}, 1: &schema.Integer{}, }, }, }, }, } }
Output:
type Exist ¶
type Exist struct {
Field string
}
Exist matches all values which are present, even if nil
type Expression ¶
Expression is a query or query component that can be matched against a payoad.
type Field ¶
type Field struct { // Description stores a short description of the field useful for automatic // documentation generation. Description string // Required throws an error when the field is not provided at creation. Required bool // ReadOnly throws an error when a field is changed by the client. // Default and OnInit/OnUpdate hooks can be used to set/change read-only // fields. ReadOnly bool // Hidden allows writes but hides the field's content from the client. When // this field is enabled, PUTing the document without the field would not // remove the field but use the previous document's value if any. Hidden bool // Default defines the value be stored on the field when when item is // created and this field is not provided by the client. Default interface{} // OnInit can be set to a function to generate the value of this field // when item is created. The function takes the current value if any // and returns the value to be stored. OnInit func(ctx context.Context, value interface{}) interface{} // OnUpdate can be set to a function to generate the value of this field // when item is updated. The function takes the current value if any // and returns the value to be stored. OnUpdate func(ctx context.Context, value interface{}) interface{} // Params defines a param handler for the field. The handler may change the field's // value depending on the passed parameters. Params Params // Handler is the piece of logic modifying the field value based on passed parameters. // This handler is only called if at least on parameter is provided. Handler FieldHandler // Validator is used to validate the field's format. Please note you *must* pass in pointers to // FieldValidator instances otherwise `schema` will not be able to discover other interfaces, // such as `Compiler`, and *will* prevent schema from initializing specific FieldValidators // correctly causing unexpected runtime errors. // @see http://research.swtch.com/interfaces for more details. Validator FieldValidator // Dependency rejects the field if the schema query doesn't match the document. // Use schema.Q(`{"field": "value"}`) to populate this field. Dependency *PreQuery // Filterable defines that the field can be used with the `filter` parameter. // When this property is set to `true`, you may want to ensure the backend // database has this field indexed. Filterable bool // Sortable defines that the field can be used with the `sort` parameter. // When this property is set to `true`, you may want to ensure the backend // database has this field indexed. Sortable bool // Schema can be set to a sub-schema to allow multi-level schema. Schema *Schema }
Field specifies the info for a single field of a spec
type FieldHandler ¶
type FieldHandler func(ctx context.Context, value interface{}, params map[string]interface{}) (interface{}, error)
FieldHandler is the piece of logic modifying the field value based on passed parameters
type FieldSerializer ¶
type FieldSerializer interface { // Serialize is called when the data is coming from it internal storable form and // needs to be prepared for representation (i.e.: just before JSON marshaling) Serialize(value interface{}) (interface{}, error) }
FieldSerializer is used to convert the value between it's representation form and it internal storable form. A FieldValidator which implement this interface will have its Serialize method called before marshaling.
type FieldValidator ¶
type FieldValidator interface {
Validate(value interface{}) (interface{}, error)
}
FieldValidator is an interface for all individual validators. It takes a value to validate as argument and returned the normalized value or an error if validation failed.
type Float ¶
type Float struct { Allowed []float64 Boundaries *Boundaries }
Float validates float based values
type GreaterOrEqual ¶
GreaterOrEqual matches values that are greater than or equal to a specified value.
func (GreaterOrEqual) Match ¶
func (e GreaterOrEqual) Match(payload map[string]interface{}) bool
Match implements Expression interface
type GreaterThan ¶
GreaterThan matches values that are greater than a specified value.
func (GreaterThan) Match ¶
func (e GreaterThan) Match(payload map[string]interface{}) bool
Match implements Expression interface
type IP ¶
type IP struct { // StoreBinary activates storage of the IP as binary to save space. // The storage requirement is 4 bytes for IPv4 and 16 bytes for IPv6. StoreBinary bool }
IP validates IP values
type Integer ¶
type Integer struct { Allowed []int Boundaries *Boundaries }
Integer validates integer based values
type LowerOrEqual ¶
LowerOrEqual matches values that are less than or equal to a specified value.
func (LowerOrEqual) Match ¶
func (e LowerOrEqual) Match(payload map[string]interface{}) bool
Match implements Expression interface
type Object ¶
type Object struct {
Schema *Schema
}
Object validates objects which are defined by Schemas.
type Or ¶
type Or []Expression
Or joins query clauses with a logical OR, returns all documents that match the conditions of either clause.
type Param ¶
type Param struct { // Description of the parameter Description string // Validator to use for this parameter Validator FieldValidator }
Param define an individual field parameter with its validator
type Password ¶
type Password struct { // MinLen defines the minimum password length (default 0) MinLen int // MaxLen defines the maximum password length (default no limit) MaxLen int // Cost sets a custom bcrypt hashing cose. Cost int }
Password cryptes a field password using bcrypt algorithm
type PreQuery ¶
type PreQuery struct {
// contains filtered or unexported fields
}
PreQuery stores a query as string so it can be parsed/validated later
type Query ¶
type Query []Expression
Query defines an expression against a schema to perform a match on schema's data.
func NewQuery ¶
NewQuery returns a new query with the provided key/value validated against validator
func ParseQuery ¶
ParseQuery parses and validate a query as string
type Schema ¶
type Schema struct { // Description of the object described by this schema Description string // Fields defines the schema's allowed fields Fields Fields // MinLen defines the minimum number of fields (default 0) MinLen int // MaxLen defines the maximum number of fields (default no limit) MaxLen int }
Schema defines fields for a document
func (Schema) Compile ¶
Compile implements Compiler interface and call the same function on each field. Note: if you use schema as a standalone library, it is the *caller's* responsibility to invoke the Compile method before using Prepare or Validate on a Schema instance, otherwise FieldValidator instances may not be initialized correctly.
func (Schema) GetField ¶
GetField returns the validator for the field if the given field name is present in the schema.
You may reference sub field using dotted notation field.subfield
func (Schema) Prepare ¶
func (s Schema) Prepare(ctx context.Context, payload map[string]interface{}, original *map[string]interface{}, replace bool) (changes map[string]interface{}, base map[string]interface{})
Prepare takes a payload with an optional original payout when updating an existing item and return two maps, one containing changes operated by the user and another defining either exising data (from the current item) or data generated by the system thru "default" value or hooks.
If the original map is nil, prepare will act as if the payload is a new document. The OnInit hook is executed for each field if any, and default values are assigned to missing fields.
When the original map is defined, the payload is considered as an update on the original document, default values are not assigned, and only fields which are different than in the original are left in the change map. The OnUpdate hook is executed on each field.
If the replace argument is set to true with the original document set, the behavior is slightly different as any field not present in the payload but present in the original are set to nil in the change map (instead of just behing absent). This instruct the validator that the field has been edited, so ReadOnly flag can throw an error and the field will be removed from the output document. The OnInit is also called instead of the OnUpdate.
func (Schema) Validate ¶
func (s Schema) Validate(changes map[string]interface{}, base map[string]interface{}) (doc map[string]interface{}, errs map[string][]interface{})
Validate validates changes applied on a base document in regard to the schema and generate an result document with the changes applied to the base document. All errors in the process are reported in the returned errs value.
type String ¶
type String struct { Regexp string Allowed []string MaxLen int MinLen int // contains filtered or unexported fields }
String validates string based values
type Time ¶
type Time struct { TimeLayouts []string // TimeLayouts is set of time layouts we want to validate // contains filtered or unexported fields }
Time validates time based values
type Validator ¶
type Validator interface { GetField(name string) *Field Prepare(ctx context.Context, payload map[string]interface{}, original *map[string]interface{}, replace bool) (changes map[string]interface{}, base map[string]interface{}) Validate(changes map[string]interface{}, base map[string]interface{}) (doc map[string]interface{}, errs map[string][]interface{}) }
Validator is an interface used to validate schema against actual data
Source Files ¶
Directories ¶
Path | Synopsis |
---|---|
Package encoding is the intended hierarchy location for encoding Schema to other formats.
|
Package encoding is the intended hierarchy location for encoding Schema to other formats. |
jsonschema
Package jsonschema provides JSON Schema Draft 4 encoding support for schema.Schema.
|
Package jsonschema provides JSON Schema Draft 4 encoding support for schema.Schema. |