 
Nutype is a proc macro that allows adding extra constraints like sanitization and validation to the regular newtype pattern. The generated code makes it impossible to instantiate a value without passing the checks. It works this way even with serde deserialization.
- Quick start
- Inner types (String | Integer | Float | Other)
- Custom (sanitizers | validators | errors)
- Constants
- Recipes
- Breaking constraints with new_unchecked
- Feature Flags
- Support Ukrainian military forces
- Similar projects
use nutype::nutype;
// Define newtype Username
#[nutype(
    sanitize(trim, lowercase),
    validate(not_empty, len_char_max = 20),
    derive(Debug, PartialEq, Clone),
)]
pub struct Username(String);
// We can obtain a value of Username with `::try_new()`.
// Note that Username holds a sanitized string
assert_eq!(
    Username::try_new("   FooBar  ").unwrap().into_inner(),
    "foobar"
);
// It's impossible to obtain an invalid Username
// Note that we also got `UsernameError` enum generated implicitly
// based on the validation rules.
assert_eq!(
    Username::try_new("   "),
    Err(UsernameError::NotEmptyViolated),
);
assert_eq!(
    Username::try_new("TheUserNameIsVeryVeryLong"),
    Err(UsernameError::LenCharMaxViolated),
);For more please see:
Available sanitizers, validators, and derivable traits are determined by the inner type, which falls into the following categories:
- String
- Integer (u8,u16,u32,u64,u128,i8,i16,i32,i64,i128,usize,isize)
- Float (f32,f64)
- Anything else
At the moment the string inner type supports only String (owned) type.
| Sanitizer | Description | Example | 
|---|---|---|
| trim | Removes leading and trailing whitespaces | trim | 
| lowercase | Converts the string to lowercase | lowercase | 
| uppercase | Converts the string to uppercase | uppercase | 
| with | Custom sanitizer. A function or closure that receives Stringand returnsString | with = |mut s: String| ( s.truncate(5); s ) | 
| Validator | Description | Error variant | Example | 
|---|---|---|---|
| len_char_min | Min length of the string (in chars, not bytes) | LenCharMinViolated | len_char_min = 5 | 
| len_char_max | Max length of the string (in chars, not bytes) | LenCharMaxViolated | len_char_max = 255 | 
| not_empty | Rejects an empty string | NotEmptyViolated | not_empty | 
| regex | Validates format with a regex. Requires regexfeature. | RegexViolated | regex = "^[0-9]{7}$"orregex = ID_REGEX | 
| predicate | Custom validator. A function or closure that receives &strand returnsbool | PredicateViolated | predicate = |s: &str| s.contains('@') | 
| with | Custom validator with a custom error | N/A | (see example below) | 
Requirements:
- regexfeature of- nutypeis enabled.
- You have to explicitly include regexas a dependency.
There are a number of ways you can use regex.
A regular expression can be defined right in place:
#[nutype(validate(regex = "^[0-9]{3}-[0-9]{3}$"))]
pub struct PhoneNumber(String);or it can be defined with std::sync::LazyLock:
use regex::Regex;
static PHONE_NUMBER_REGEX: LazyLock<Regex> = LazyLock::new(|| Regex::new("^[0-9]{3}-[0-9]{3}$").unwrap());
#[nutype(validate(regex = PHONE_NUMBER_REGEX))]
pub struct PhoneNumber(String);or it can be defined with lazy_static:
use lazy_static::lazy_static;
use regex::Regex;
lazy_static! {
    static ref PHONE_NUMBER_REGEX: Regex = Regex::new("^[0-9]{3}-[0-9]{3}$").unwrap();
}
#[nutype(validate(regex = PHONE_NUMBER_REGEX))]
pub struct PhoneNumber(String);or once_cell:
use once_cell::sync::Lazy;
use regex::Regex;
static PHONE_NUMBER_REGEX: Lazy<Regex> =
    Lazy::new(|| Regex::new("[0-9]{3}-[0-9]{3}$").unwrap());
#[nutype(validate(regex = PHONE_NUMBER_REGEX))]
pub struct PhoneNumber(String);The following traits can be derived for a string-based type:
Debug, Clone, PartialEq, Eq, PartialOrd, Ord, FromStr, AsRef, Deref,
From, TryFrom, Into, Hash, Borrow, Display, Default, Serialize, Deserialize.
The integer inner types are: u8, u16,u32, u64, u128, i8, i16, i32, i64, i128, usize, isize.
| Sanitizer | Description | Example | 
|---|---|---|
| with | Custom sanitizer. | with = |raw| raw.clamp(0, 100) | 
| Validator | Description | Error variant | Example | 
|---|---|---|---|
| less | Exclusive upper bound | LessViolated | less = 100 | 
| less_or_equal | Inclusive upper bound | LessOrEqualViolated | less_or_equal = 99 | 
| greater | Exclusive lower bound | GreaterViolated | greater = 17 | 
| greater_or_equal | Inclusive lower bound | GreaterOrEqualViolated | greater_or_equal = 18 | 
| predicate | Custom predicate | PredicateViolated | predicate = |num| num % 2 == 0 | 
| with | Custom validator with a custom error | N/A | (see example below) | 
The following traits can be derived for an integer-based type:
Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, FromStr, AsRef, Deref,
Into, From, TryFrom, Hash, Borrow, Display, Default, Serialize, Deserialize.
The float inner types are: f32, f64.
| Sanitizer | Description | Example | 
|---|---|---|
| with | Custom sanitizer. | with = |val| val.clamp(0.0, 100.0) | 
| Validator | Description | Error variant | Example | 
|---|---|---|---|
| less | Exclusive upper bound | LessViolated | less = 100.0 | 
| less_or_equal | Inclusive upper bound | LessOrEqualViolated | less_or_equal = 100.0 | 
| greater | Exclusive lower bound | GreaterViolated | greater = 0.0 | 
| greater_or_equal | Inclusive lower bound | GreaterOrEqualViolated | greater_or_equal = 0.0 | 
| finite | Check against NaN and infinity | FiniteViolated | finite | 
| predicate | Custom predicate | PredicateViolated | predicate = |val| val != 50.0 | 
| with | Custom validator with a custom error | N/A | (see example below) | 
The following traits can be derived for a float-based type:
Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, FromStr, AsRef, Deref,
Into, From, TryFrom, Hash, Borrow, Display, Default, Serialize, Deserialize.
It's also possible to derive Eq and Ord if the validation rules guarantee that NaN is excluded.
This can be done applying by finite validation. For example:
#[nutype(
    validate(finite),
    derive(PartialEq, Eq, PartialOrd, Ord),
)]
struct Size(f64);For any other type it is possible to define custom sanitizers with with and custom
validations with predicate:
use nutype::nutype;
#[nutype(
    derive(Debug, PartialEq, AsRef, Deref),
    sanitize(with = |mut guests| { guests.sort(); guests }),
    validate(predicate = |guests| !guests.is_empty() ),
)]
pub struct GuestList(Vec<String>);It's also possible to use generics:
#[nutype(
    sanitize(with = |mut v| { v.sort(); v }),
    validate(predicate = |vec| !vec.is_empty()),
    derive(Debug, PartialEq, AsRef, Deref),
)]
struct SortedNotEmptyVec<T: Ord>(Vec<T>);
let wise_friends = SortedNotEmptyVec::try_new(vec!["Seneca", "Zeno", "Plato"]).unwrap();
assert_eq!(wise_friends.as_ref(), &["Plato", "Seneca", "Zeno"]);
assert_eq!(wise_friends.len(), 3);
let numbers = SortedNotEmptyVec::try_new(vec![4, 2, 7, 1]).unwrap();
assert_eq!(numbers.as_ref(), &[1, 2, 4, 7]);
assert_eq!(numbers.len(), 4);You can set custom sanitizers using the with option.
A custom sanitizer is a function or closure that receives a value of an inner type with ownership and returns a sanitized value.
For example, this one
#[nutype(sanitize(with = new_to_old))]
pub struct CityName(String);
fn new_to_old(s: String) -> String {
    s.replace("New", "Old")
}is equal to the following one:
#[nutype(sanitize(with = |s| s.replace("New", "Old") ))]
pub struct CityName(String);And works the same way:
let city = CityName::new("New York");
assert_eq!(city.into_inner(), "Old York");In similar fashion it's possible to define custom validators, but a validation function receives a reference and returns bool.
Think of it as a predicate.
#[nutype(validate(predicate = is_valid_name))]
pub struct Name(String);
fn is_valid_name(name: &str) -> bool {
    // A fancy way to verify if the first character is uppercase
    name.chars().next().map(char::is_uppercase).unwrap_or(false)
}To define your own error type and implement custom validation logic, you can combine the with and error attributes:
// Define a custom error type for validation failures.
// Although it's best practice to implement `std::error::Error` for custom error types,
// we are omitting that for simplicity here.
#[derive(Debug, PartialEq)]
enum NameError {
    TooShort,
    TooLong,
}
// Define a custom validation function for `Name`.
// The function returns `Result<(), NameError>`, where `Ok(())` indicates a valid name,
// and `Err(NameError)` represents a specific validation failure.
fn validate_name(name: &str) -> Result<(), NameError> {
    if name.len() < 3 {
        Err(NameError::TooShort)
    } else if name.len() > 10 {
        Err(NameError::TooLong)
    } else {
        Ok(())
    }
}
// Define a newtype `Name` with custom validation logic and custom error.
#[nutype(
    validate(with = validate_name, error = NameError),
    derive(Debug, PartialEq),
)]
struct Name(String);It's important to ensure that the type specified in the error attribute matches the error type returned by the validation function.
You can mark a type with the const_fn flag. In that case, its new and try_new functions will be declared as const:
#[nutype(
    const_fn,
    derive(Debug),
    validate(greater_or_equal = -273.15),
)]
pub struct Celsius(f64);Since Result::unwrap() is not allowed in const contexts, we must manually handle the Result when creating constants. Any attempt to instantiate an invalid Celsius at compile time will trigger a compilation error:
const FREEZING_POINT: Celsius = match Celsius::try_new(0.0) {
    Ok(value) => value,
    Err(_) => panic!("Invalid value"),
};Alternatively, you can use a helper macro like this:
macro_rules! nutype_const {
    ($name:ident, $ty:ty, $value:expr) => {
        const $name: $ty = match <$ty>::try_new($value) {
            Ok(value) => value,
            Err(_) => panic!("Invalid value"),
        };
    };
}
nutype_const!(WATER_BOILING_POINT, Celsius, 100.0);Note that const works only for stack allocated types.
If you are dealing with a heap allocated type (e.g. String) you should consider using static with LazyLock.
The function .into_inner() takes ownership of the newtype and returns its inner type. However, if you only need to borrow the inner value (rather than consume it), you can derive AsRef. This allows you to call as_ref() to obtain a reference to the underlying data:
#[nutype(derive(AsRef))]
struct Username(String);
let username = Username::new("Jack");
assert_eq!(username.as_ref(), "Jack");#[nutype(
    derive(Default),
    default = "Anonymous",
)]
pub struct Name(String);With nutype it's possible to derive Eq and Ord if there is finite validation set.
The finite validation ensures that the valid value excludes NaN.
#[nutype(
    validate(finite),
    derive(PartialEq, Eq, PartialOrd, Ord),
)]
pub struct Weight(f64);It's discouraged, but it's possible to bypass the constraints by enabling new_unchecked crate feature and marking a type with new_unchecked:
#[nutype(
    new_unchecked,
    sanitize(trim),
    validate(len_char_min = 8)
)]
pub struct Name(String);
// Yes, you're forced to use `unsafe` here, so everyone will point fingers at YOU.
let name = unsafe { Name::new_unchecked(" boo ".to_string()) };
// `name` violates the sanitization and validation rules!!!
assert_eq!(name.into_inner(), " boo ");- arbitrary- enables derive of- arbitrary::Arbitrary.
- new_unchecked- enables generation of unsafe- ::new_unchecked()function.
- regex- allows to use- regex =validation on string-based types. Note: your crate also has to explicitly have- regexwithin its dependencies.
- serde- integrations with- serdecrate. Allows to derive- Serializeand- Deserializetraits.
- schemars08- allows to derive- JsonSchematrait of schemars crate. Note that at the moment validation rules are not respected.
- std- enabled by default. Use- default-features = falseto disable.
- If you enjoy newtype pattern and you like the idea of leveraging the Rust type system to enforce the correctness of the business logic.
- If you want to use type system to hold invariants
- If you're a DDD fan, nutype is a great helper to make your domain models even more expressive.
- You want to prototype quickly without sacrificing quality.
- You care too much about compiler time (nutype relies on heavy usage of proc macros).
- You think metaprogramming is too much implicit magic.
- IDEs may not be very helpful at giving you hints about proc macros.
- Design of nutype may enforce you to run unnecessary validation (e.g. on loading data from DB), which may have a negative impact if you aim for extreme performance.
Today I live in Berlin, I have the luxury to live a physically safe life. But I am Ukrainian. The first 25 years of my life I spent in Kharkiv, the second-largest city in Ukraine, 60km away from the border with russia. Today about a third of my home city is destroyed by russians. My parents, my relatives and my friends had to survive the artillery and air attack, living for over a month in basements.
Some of them have managed to evacuate to EU. Some others are trying to live "normal lives" in Kharkiv, doing there daily duties. And some are at the front line right now, risking their lives every second to protect the rest.
I encourage you to donate to Charity foundation of Serhiy Prytula. Just pick the project you like and donate. This is one of the best-known foundations, you can watch a little documentary about it. Your contribution to the Ukrainian military force is a contribution to my calmness, so I can spend more time developing the project.
Thank you.
- prae - A very similar crate that aims to solve the same problems but with slightly different approach.
- bounded-integer - Bounded integers for Rust.
- refinement - Convenient creation of type-safe refinement types (based on generics).
- semval - Semantic validation for Rust.
- validator - Simple validation for Rust structs (powered by macros).
MIT Β© Serhii Potapov