Plumb
Composable data validation and coercion in Ruby. WiP.
Installation
TODO
Usage
Include base types
Include base types in your own namespace:
module Types
# Include Plumb base types, such as String, Integer, Boolean
include Plumb::Types
# Define your own types
Email = String[/&/]
end
# Use them
result = Types::String.resolve("hello")
result.valid? # true
result.errors # nil
result = Types::Email.resolve("foo")
result.valid? # false
result.errors # ""
#resolve(value) => Result
#resolve takes an input value and returns a Result::Valid or Result::Invalid
result = Types::Integer.resolve(10)
result.valid? # true
result.value # 10
result = Types::Integer.resolve('10')
result.valid? # false
result.value # '10'
result.errors # 'must be an Integer'
#parse(value) => value
#parse takes an input value and returns the parsed/coerced value if successful. or it raises an exception if failed.
Types::Integer.parse(10) # 10
Types::Integer.parse('10') # raises Plumb::TypeError
Built-in types
Types::ValueTypes::ArrayTypes::TrueTypes::SymbolTypes::BooleanTypes::InterfaceTypes::FalseTypes::TupleTypes::SplitTypes::BlankTypes::AnyTypes::StaticTypes::UndefinedTypes::NilTypes::PresentTypes::IntegerTypes::NumericTypes::StringTypes::HashTypes::Lax::IntegerTypes::Lax::StringTypes::Lax::SymbolTypes::Forms::BooleanTypes::Forms::NilTypes::Forms::TrueTypes::Forms::False
#present
Checks that the value is not blank ("" if string, [] if array, {} if Hash, or nil)
Types::String.present.resolve('') # Failure with errors
Types::Array[Types::String].resolve([]) # Failure with errors
#nullable
Allow nil values.
nullable_str = Types::String.nullable
nullable_srt.parse(nil) # nil
nullable_str.parse('hello') # 'hello'
nullable_str.parse(10) # TypeError
Note that this is syntax sugar for
nullable_str = Types::String | Types::Nil
#not
Negates a type.
NotEmail = Types::Email.not
NotEmail.parse('hello') # "hello"
NotEmail.parse('[email protected]') # error
#options
Sets allowed options for value.
type = Types::String.(['a', 'b', 'c'])
type.resolve('a') # Valid
type.resolve('x') # Failure
For arrays, it checks that all elements in array are included in options.
type = Types::Array.(['a', 'b'])
type.resolve(['a', 'a', 'b']) # Valid
type.resolve(['a', 'x', 'b']) # Failure
#transform
Transform value. Requires specifying the resulting type of the value after transformation.
StringToInt = Types::String.transform(Integer) { |value| value.to_i }
# Same as
StringToInt = Types::String.transform(Integer, &:to_i)
StringToInteger.parse('10') # => 10
#default
Default value when no value given (ie. when key is missing in Hash payloads. See Types::Hash below).
str = Types::String.default('nope'.freeze)
str.parse() # 'nope'
str.parse('yup') # 'yup'
Note that this is syntax sugar for:
# A String, or if it's Undefined pipe to a static string value.
str = Types::String | (Types::Undefined >> 'nope'.freeze)
Meaning that you can compose your own semantics for a "default" value.
Example when you want to apply a default when the given value is nil.
str = Types::String | (Types::Nil >> 'nope'.freeze)
str.parse(nil) # 'nope'
str.parse('yup') # 'yup'
Same if you want to apply a default to several cases.
str = Types::String | ((Types::Nil | Types::Undefined) >> 'nope'.freeze)
#match and #[]
Checks the value against a regular expression (or anything that responds to #===).
email = Types::String.match(/@/)
# Same as
email = Types::String[/@/]
email.parse('hello') # fails
email.parse('[email protected]') # '[email protected]'
It can be combined with other methods. For example to cast strings as integers, but only if they look like integers.
StringToInt = Types::String[/^\d+$/].transform(::Integer, &:to_i)
StringToInt.parse('100') # => 100
StringToInt.parse('100lol') # fails
It can be used with other #=== interfaces.
AgeBracket = Types::Integer[21..45]
AgeBracket.parse(22) # 22
AgeBracket.parse(20) # fails
# With literal values
Twenty = Types::Integer[20]
Twenty.parse(20) # 20
Twenty.parse(21) # type error
#build
Build a custom object or class.
User = Data.define(:name)
UserType = Types::String.build(User)
UserType.parse('Joe') # #<data User name="Joe">
It takes an argument for a custom factory method on the object constructor.
class User
def self.create(attrs)
new(attrs)
end
end
UserType = Types::String.build(User, :create)
You can also pass a block
UserType = Types::String.build(User) { |name| User.new(name) }
Note that this case is identical to #transform with a block.
UserType = Types::String.transform(User) { |name| User.new(name) }
#check
Pass the value through an arbitrary validation
type = Types::String.check('must start with "Role:"') { |value| value.start_with?('Role:') }
type.parse('Role: Manager') # 'Role: Manager'
type.parse('Manager') # fails
#value
Constrain a type to a specific value. Compares with #==
hello = Types::String.value('hello')
hello.parse('hello') # 'hello'
hello.parse('bye') # fails
hello.parse(10) # fails 'not a string'
All scalar types support this:
ten = Types::Integer.value(10)
#meta and #metadata
Add metadata to a type
type = Types::String.(description: 'A long text')
type.[:description] # 'A long text'
#metadata combines keys from type compositions.
type = Types::String.(description: 'A long text') >> Types::String.match(/@/).(note: 'An email address')
type.[:description] # 'A long text'
type.[:note] # 'An email address'
#metadata also computes the target type.
Types::String.[:type] # String
Types::String.transform(Integer, &:to_i).[:type] # Integer
# Multiple target types for unions
(Types::String | Types::Integer).[:type] # [String, Integer]
TODO: document custom visitors.
Types::Hash
Employee = Types::Hash[
name: Types::String.present,
age?: Types::Lax::Integer,
role: Types::String.(%w[product accounts sales]).default('product')
]
Company = Types::Hash[
name: Types::String.present,
employees: Types::Array[Employee]
]
result = Company.resolve(
name: 'ACME',
employees: [
{ name: 'Joe', age: 40, role: 'product' },
{ name: 'Joan', age: 38, role: 'engineer' }
]
)
result.valid? # true
result = Company.resolve(
name: 'ACME',
employees: [{ name: 'Joe' }]
)
result.valid? # false
result.errors[:employees][0][:age] # ["must be a Numeric"]
Merging hash definitions
Use Types::Hash#+ to merge two definitions. Keys in the second hash override the first one's.
User = Types::Hash[name: Types::String, age: Types::Integer]
Employee = Types::Hash[name: Types::String, company: Types::String]
StaffMember = User + Employee # Hash[:name, :age, :company]
Hash intersections
Use Types::Hash#& to produce a new Hash definition with keys present in both.
intersection = User & Employee # Hash[:name]
Types::Hash#tagged_by
Use #tagged_by to resolve what definition to use based on the value of a common key.
NameUpdatedEvent = Types::Hash[type: 'name_updated', name: Types::String]
AgeUpdatedEvent = Types::Hash[type: 'age_updated', age: Types::Integer]
Events = Types::Hash.tagged_by(
:type,
NameUpdatedEvent,
AgeUpdatedEvent
)
Events.parse(type: 'name_updated', name: 'Joe') # Uses NameUpdatedEvent definition
Hash maps
You can also use Hash syntax to define a hash map with specific types for all keys and values:
currencies = Types::Hash[Types::Symbol, Types::String]
currencies.parse(usd: 'USD', gbp: 'GBP') # Ok
currencies.parse('usd' => 'USD') # Error. Keys must be Symbols
Types::Array
names = Types::Array[Types::String.present]
names_or_ages = Types::Array[Types::String.present | Types::Integer[21..]]
Concurrent arrays
Use Types::Array#concurrent to process array elements concurrently (using Concurrent Ruby for now).
ImageDownload = Types::URL >> ->(result) { HTTP.get(result.value) }
Images = Types::Array[ImageDownload].concurrent
# Images are downloaded concurrently and returned in order.
Images.parse(['https://images.com/1.png', 'https://images.com/2.png'])
TODO: pluggable concurrently engines (Async?)
Types::Tuple
Status = Types::Symbol.(i[ok error])
Result = Types::Tuple[Status, Types::String]
Result.parse([:ok, 'all good']) # [:ok, 'all good']
Result.parse([:ok, 'all bad', 'nope']) # type error
Note that literal values can be used too.
Ok = Types::Tuple[:ok, nil]
Error = Types::Tuple[:error, Types::String.present]
Status = Ok | Error
Plumb::Schema
TODO
Plumb::Pipeline
TODO
Plumb::Struct
TODO
Composing types with #>> ("And")
Email = Types::String.match(/@/)
Greeting = Email >> ->(result) { result.valid("Your email is #{result.value}") }
Greeting.parse('[email protected]') # "Your email is [email protected]"
Disjunction with #| ("Or")
StringOrInt = Types::String | Types::Integer
StringOrInt.parse('hello') # "hello"
StringOrInt.parse(10) # 10
StringOrInt.parse({}) # raises Plumb::TypeError
Custom default value logic for non-emails
EmailOrDefault = Greeting | Types::Static['no email']
EmailOrDefault.parse('[email protected]') # "Your email is [email protected]"
EmailOrDefault.parse('nope') # "no email"
Composing with #>> and #|
require 'money'
module Types
include Plumb::Types
Money = Any[::Money]
IntToMoney = Integer.transform(::Money) { |v| ::Money.new(v, 'USD') }
StringToInt = String.match(/^\d+$/).transform(::Integer, &:to_i)
USD = Money.check { |amount| amount.currency.code == 'UDS' }
ToUSD = Money.transform(::Money) { |amount| amount.exchange_to('USD') }
FlexibleUSD = (Money | ((Integer | StringToInt) >> IntToMoney)) >> (USD | ToUSD)
end
FlexibleUSD.parse('1000') # Money(USD 10.00)
FlexibleUSD.parse(1000) # Money(USD 10.00)
FlexibleUSD.parse(Money.new(1000, 'GBP')) # Money(USD 15.00)
Recursive types
You can use a proc to defer evaluation of recursive definitions.
LinkedList = Types::Hash[
value: Types::Any,
next: Types::Nil | proc { |result| LinkedList.(result) }
]
LinkedList.parse(
value: 1,
next: {
value: 2,
next: {
value: 3,
next: nil
}
}
)
You can also use #defer
LinkedList = Types::Hash[
value: Types::Any,
next: Types::Any.defer { LinkedList } | Types::Nil
]
Type-specific Rules
TODO
Custom types
Compose procs or lambdas directly
Greeting = Types::String >> ->(result) { result.valid("Hello #{result.value}") }
or a custom class that responds to #call(Result::Valid) => Result::Valid | Result::Invalid
class Greeting
def initialize(gr = 'Hello')
@gr = gr
end
def call(result)
result.valid("#{gr} #{result.value}")
end
end
MyType = Types::String >> Greeting.new('Hola')
You can return result.invalid(errors: "this is invalid") to halt processing.
JSON Schema
User = Types::Hash[
name: Types::String,
age: Types::Integer[21..]
]
json_schema = Plumb::JSONSchemaVisitor.call(User)
{
'$schema'=>'https://json-schema.org/draft-08/schema#',
'type' => 'object',
'properties' => {
'name' => {'type' => 'string'},
'age' => {'type' =>'integer', 'minimum' => 21}
},
'required' =>['name', 'age']
}
Development
After checking out the repo, run bin/setup to install dependencies. Then, run rake spec to run the tests. You can also run bin/console for an interactive prompt that will allow you to experiment.
To install this gem onto your local machine, run bundle exec rake install. To release a new version, update the version number in version.rb, and then run bundle exec rake release, which will create a git tag for the version, push git commits and the created tag, and push the .gem file to rubygems.org.
Contributing
Bug reports and pull requests are welcome on GitHub at https://github.com/ismasan/plumb.
License
The gem is available as open source under the terms of the MIT License.