A derivable macro for declaring a builder pattern.
```rust use builder_pattern::Builder;
enum Gender { Male, Female, Nonbinary }
struct Person { #[into] name: String, age: i32, #[default(Gender::Nonbinary)] gender: Gender, }
let p1 = Person::new() .name(String::from("Joe")) .age(27) .build();
// Orders does not matter.
let p2 = Person::new()
.age(32)
// &str
is implicitly converted into String
// because of into
attribute!
.name("Jack")
.gender(Gender::Male).build();
// name
field required - Compilation error.
let p3 = Person::new()
.age(15)
.build();
```
Add builder-pattern
to Cargo.toml
.
toml
// Cargo.toml
[dependencies]
builder-pattern = "0.3"
build
function is allowed only the all of required fields are provided. No Result, No Unwrap. Just use it.#[default(expr)]
A field having this attribute will be considered as optional and the expr
will be evaluated as a default value of the field. build
function can be called without providing this field.
#[into]
A setter function for a field having this attribute will accept an Into
trait as a parameter. You can use this setter with implicit conversion.
Example:
```rust
struct Test { #[into] pub name: String, }
let test = Test::new()
// &str
is implicitly converted into String
.
.name("Hello")
.build();
```
#[validator(expr)]
Implement a validator for a field. expr
could be a validating function that takes the field's type and returns Result
.
```rust
struct Test { #[validator(isnotempty)] #[into] pub name: String, }
fn isnotempty(name: String) -> Result let test1 = Test::new().name(""); // Err(())
let test2 = Test::new().name("Hello").unwrap().build();
``` The following code ```rust struct Person {
#[into]
#[validator(isnotempty)]
name: String,
age: i32,
#[default(Gender::Nonbinary)]
gender: Gender,
} ``` will generates: ```rust
struct PersonBuilder impl Person {
// Create an empty builder
fn new() -> PersonBuilder<(), (), ()> {
PersonBuilder {
name: None,
age: None,
// Default value
gender: Some(Gender::Nonbinary),
_phantom: PhantomData
}
}
} // Builder for // Builder for // Builder for // How it works
[derive(Builder)]
name
.
implInto
traits.
fn nameIntoType
into String
.
name: Some(value.into()),
age: self.age,
gender: self.gender,
phantom: PhantomData,
}),
Err() => Err(())
}
}
}age
.
implgender
.
implbuild
function
// It can be called regardless of whether T3
is ()
or Gender
.
impl