What is Valico?

Build Status

Valico is a validation and coercion tool for JSON objects, written in Rust. It designed to be a support library for the various REST-like frameworks or other tools that need to validate and coerce JSON input from outside world.

Valico has two features:

References:

```toml

Cargo.toml

valico = "2" ```

API docs

JSON Schema

It passes the entire JSON-Schema-Test-Suite except for remoteRefs and maxLength/minLength when using unicode surrogate pairs. It also can validate your schema and give you an explanation about what is wrong in it.

Example

~~~rust extern crate serde_json; extern crate valico;

use serdejson::Value; use valico::jsonschema; use std::fs::File;

fn main() { let jsonschema: Value = serdejson::from_reader(File::open("tests/schema/schema.json").unwrap()).unwrap();

let mut scope = json_schema::Scope::new();
let schema = scope.compile_and_return(json_v4_schema.clone(), false).unwrap();

println!("Is valid: {}", schema.validate(&json_v4_schema).is_valid());

} ~~~

JSON Schema builder

Valico goes with valico::json_schema::schema(|scheme| { /* .. */ }) -> json::Json function that allows to use simple DSL to generate your schemes. It allows you not to use strings and raw JSON manipulation. It also prevent some kinds of spelling and type errors.

~~~rust builder::schema(|s| { s.properties(|properties| { properties.insert("prop1", |prop1| { prop1.maximum(10f64, false); }); }); s.patternproperties(|properties| { properties.insert("prop.*", |prop| { prop.maximum(1000f64, false); }); }); s.additionalproperties_schema(|additional| { additional.maximum(5f64, false) }); }) ~~~

TODO more docs about JSON Schema here

DSL

Basic Usage

All Valico stuff is making by Builder instance. Below is a simple example showing how one can create and setup Builder:

~~~rust let params = Builder::build(|params| { params.reqnested("user", Builder::list(), |params| { params.reqtyped("name", jsondsl::string()); params.reqtyped("friendids", jsondsl::arrayof(jsondsl::u64())) }); }); ~~~

Later params instance can be used to process one or more JSON objects with it's process method with signature fn process(&self, tree: &mut JsonObject) -> ValicoResult<()>.

Note that Valico will mutate borrowed JSON value if some coercion is needed.

Example:

~~~rust extern crate valico; extern crate serde_json;

use valico::jsondsl; use serdejson::{fromstr, tostring_pretty};

fn main() {

let params = json_dsl::Builder::build(|params| {
    params.req_nested("user", json_dsl::array(), |params| {
        params.req_typed("name", json_dsl::string());
        params.req_typed("friend_ids", json_dsl::array_of(json_dsl::u64()))
    });
});

let mut obj = from_str(r#"{"user": {"name": "Frodo", "friend_ids": ["1223"]}}"#).unwrap();

let state = params.process(&mut obj, &None);
if state.is_valid() {
    println!("Result object is {}", to_string_pretty(&obj).unwrap());
} else {
    panic!("Errors during process: {:?}", state);
}

} ~~~

Also you can look to the [specs] for more details and examples.

Validation and coercion

You can define validations and coercion options for your parameters using a Builder::build block. Parameters can be optional and required. Requires parameters must be always present. Optional parameters can be omitted.

When parameter is present in JSON all validation and coercions will be applied and error fired if something goes wrong.

Builder

This functions are available in Builder to define parameters:

~~~rust

// Parameter is required, no coercion fn req_defined(&mut self, name: &str);

// Parameter is required, with coercion fn req_typed(&mut self, name: &str, coercer: Box);

// Parameter is required, with coercion and nested checks fn reqnested(&mut self, name: &str, coercer: Box, nestdef: |&mut Builder|);

// Parameter is required, setup with Param DSL fn req(&mut self, name: &str, param_builder: |&mut Param|);

// Parameter is optional, no coercion fn opt_defined(&mut self, name: &str);

// Parameter is optional, with coercion fn opt_typed(&mut self, name: &str, coercer: Box);

// Parameter is optional, with coercion and nested checks fn optnested(&mut self, name: &str, coercer: Box, nestdef: |&mut Builder|);

// Parameter is required, setup with Param DSL fn opt(&mut self, name: &str, param_builder: |&mut Param|);

~~~

Built-in Coercers

Available list of coercers:

Example of usage:

~~~rust let params = Builder::build(|params| { params.reqtyped("id", jsondsl::u64()); params.reqtyped("name", jsondsl::string()); params.opttyped("isactive", jsondsl::boolean()); params.opttyped("tags", jsondsl::arrayof(json_dsl::strings())); }); ~~~

Nested processing

You can specify rules to nesting processing for lists and objects:

~~~rust let params = Builder::build(|params| { params.reqnested("user", jsondsl::object(), |params| { params.reqtyped("name", jsondsl::string()); params.opttyped("isactive", jsondsl::boolean()); params.opttyped("tags", jsondsl::arrayof(json_dsl::strings())); }); });

let params = Builder::build(|params| { params.reqnested("users", Builder::list(), |params| { params.reqtyped("name", jsondsl::string()); params.opttyped("isactive", jsondsl::boolean()); params.opttyped("tags", jsondsl::arrayof(jsondsl::strings())); }); }); ~~~

Nesting level is not limited in Valico.

Validate with JSON Schema

DSL allows to use JSON Schema validations to validate objects at the Builder level and the Param level:

~~~rust let params = json_dsl::Builder::build(|params| { params.req("a", |a| { a.schema(|schema| { schema.integer(); schema.maximum(10f64, false); }) }); }); ~~~

Note that JSON Schema validates object AFTER coerce pass:

~~~rust let mut params = jsondsl::Builder::build(|params| { params.req("a", |a| { a.coerce(jsondsl::u64()); a.schema(|schema| { schema.maximum(10f64, false); }) }); }); ~~~

Don't forget to create a json_schema::Scope BEFORE processing:

~~~rust let mut scope = jsonschema::Scope::new(); params.buildschemes(&mut scope).unwrap(); ~~~

Parameters DSL

You can use DSL block to setup parameters with more flexible way:

~~~rust let params = Builder::build(|params| { params.req("user", |user| { user.desc("Parameter is used to create new user"); user.coerce(json_dsl::object());

    // this allows null to be a valid value
    user.allow_null();

    user.nest(|params| {
        params.req_typed("name", json_dsl::string());
        params.opt("kind", |kind| {
            kind.coerce(json_dsl::string());

            // optional parameters can have default values
            kind.default("simeple_user".to_string())
        });
    });
});

}); ~~~

Parameter validations

DSL supports several parameter validations. They considered outdated and likely to be removed in the future in favour of JSON Schema validation.

allow_values

Parameters can be restricted to a specific set of values with allow_values:

~~~rust let params = Builder::build(|params| { params.req("kind", |kind| { kind.coerce(jsondsl::string()); kind.allowvalues(&["circle".tostring(), "square".tostring()]); }) }) ~~~

reject_values

Some values can be rejected with reject_values:

~~~rust let params = Builder::build(|params| { params.req("userrole", |kind| { kind.coerce(jsondsl::string()); kind.rejectvalues(&["admin".tostring(), "manager".to_string()]); }) }) ~~~

regex

String values can be tested with Regex:

~~~rust let params = Builder::build(|params| { params.req("nickname", |a| { a.coerce(json_dsl::string());

    // force all nicknames to start with "Amazing"
    a.regex(regex!("^Amazing"));
})

}); ~~~

validate_with

Sometimes it's usefull to use some custom function as validator:

~~~rust let params = Builder::build(|params| { params.req("pushkinbirthday", |a| { a.coerce(jsondsl::u64());

    fn guess(val: &Json) -> Result<(), String> {
        if *val == 1799u.to_json() {
            Ok(())
        } else {
            Err("No!".to_string())
        }
    }

    a.validate_with(guess);
});

}); ~~~

validate

One can use custom validator. Docs in Progress.

Builder validations

Some validators can be specified in Builder DSL block to validate a set of parameters.

mutually_exclusive

Parameters can be defined as mutually_exclusive, ensuring that they aren't present at the same time in a request.

~~~rust let params = Builder::build(|params| { params.optdefined("vodka"); params.optdefined("beer");

params.mutually_exclusive(&["vodka", "beer"]);

}); ~~~

Multiple sets can be defined:

~~~rust let params = Builder::build(|params| { params.optdefined("vodka"); params.optdefined("beer"); params.mutually_exclusive(&["vodka", "beer"]);

params.opt_defined("lard");
params.opt_defined("jamon");
params.mutually_exclusive(&["lard", "jamon"]);

}); ~~~

Warning: Never define mutually exclusive sets with any required params. Two mutually exclusive required params will mean params are never valid. One required param mutually exclusive with an optional param will mean the latter is never valid.

exactlyoneof

Parameters can be defined as 'exactlyoneof', ensuring that exactly one parameter gets selected.

~~~rust let params = Builder::build(|params| { params.optdefined("vodka"); params.optdefined("beer"); params.exactlyoneof(["vodka", "beer"]); }); ~~~

atleastone_of

Parameters can be defined as 'atleastone_of', ensuring that at least one parameter gets selected.

~~~rust let params = Builder::build(|params| { params.optdefined("vodka"); params.optdefined("beer"); params.optdefined("wine"); params.exactlyone_of(["vodka", "beer", "wine"]); }); ~~~

validate_with

Sometimes it's usefull to use some custom function as validator:

~~~rust let params = Builder::build(|params| { params.reqdefined("monstername");

fn validate_params(_: &JsonObject) -> Result<(),String> {
    Err("YOU SHALL NOT PASS".to_string())
}

params.validate_with(validate_params);

}); ~~~

validate

One can use custom validator. Docs in Progress.

Building for other targets

Web Assembly

For WebAssembly, enable the js feature:

```toml

Cargo.toml

valico = { version = "2", features = ["js"] } ```