Decanter is a Ruby gem that makes it easy to transform incoming data before it hits the model. You can think of Decanter as the opposite of Active Model Serializers (AMS). While AMS transforms your outbound data into a format that your frontend consumes, Decanter transforms your incoming data into a format that your backend consumes.
gem 'decanter', '~> 4.0'
Declare a Decanter
for a model:
# app/decanters/trip_decanter.rb
class TripDecanter < Decanter::Base
input :name, :string
input :start_date, :date
input :end_date, :date
end
Then, transform incoming params in your controller using Decanter#decant
:
# app/controllers/trips_controller.rb
def create
trip_params = params.require(:trip) # or params[:trip] if you are not using Strong Parameters
decanted_trip_params = TripDecanter.decant(trip_params)
@trip = Trip.new(decanted_trip_params)
# ...any response logic
end
Decanter comes with custom generators for creating Decanter
and Parser
files:
rails g decanter Trip name:string start_date:date end_date:date
# Creates app/decanters/trip_decanter.rb:
class TripDecanter < Decanter::Base
input :name, :string
input :start_date, :date
input :end_date, :date
end
rails g parser TruncatedString
# Creates lib/decanter/parsers/truncated_string_parser.rb:
class TruncatedStringParser < Decanter::Parser::ValueParser
parser do |value, options|
value
end
end
Learn more about using custom parsers
When using the Rails resource generator in a project that includes Decanter, a decanter will be automatically created for the new resource:
rails g resource Trip name:string start_date:date end_date:date
# Creates app/decanters/trip_decanter.rb:
class TripDecanter < Decanter::Base
input :name, :string
input :start_date, :date
input :end_date, :date
end
Decanter can decant a collection of a resource, applying the patterns used in the fast JSON API gem:
# app/controllers/trips_controller.rb
def create
trip_params = {
trips: [
{ name: 'Disney World', start_date: '12/24/2018', end_date: '12/28/2018' },
{ name: 'Yosemite', start_date: '5/1/2017', end_date: '5/4/2017' }
]
}
decanted_trip_params = TripDecanter.decant(trip_params[:trips])
Trip.create(decanted_trip_params) # bulk create trips with decanted params
end
You can use the is_collection
option for explicit control over decanting collections.
decanted_trip_params = TripDecanter.decant(trip_params[:trips], is_collection: true)
If this option is not provided, autodetect logic is used to determine if the providing incoming params holds a single object or collection of objects.
nil
or not provided: will try to autodetect single vs collectiontrue
will always treat the incoming params args as collectionfalse
will always treat incoming params args as single objecttruthy
will raise an error
Decanters can declare relationships using ActiveRecord
-style declarators:
class TripDecanter < Decanter::Base
has_many :destinations
end
This decanter will look up and apply the corresponding DestinationDecanter
whenever necessary to transform nested resources.
Decanter comes with the following parsers out of the box:
:boolean
:date
:date_time
:float
:integer
:pass
:phone
:string
:array
Note: these parsers are designed to operate on a single value, except for :array
. This parser expects an array, and will use the parse_each
option to call a given parser on each of its elements:
input :ids, :array, parse_each: :integer
Some parsers can receive options that modify their behavior. These options are passed in as named arguments to input
:
Example:
input :start_date, :date, parse_format: '%Y-%m-%d'
Available Options:
Parser | Option | Default | Notes |
---|---|---|---|
ArrayParser |
parse_each |
N/A | Accepts a parser type, then uses that parser to parse each element in the array. If this option is not defined, each element is simply returned. |
DateParser |
parse_format |
'%m/%d/%Y' |
Accepts any format string accepted by Ruby's strftime method |
DateTimeParser |
parse_format |
'%m/%d/%Y %I:%M:%S %p' |
Accepts any format string accepted by Ruby's strftime method |
By default, Decanter#decant
will raise an exception when unexpected parameters are passed. To override this behavior, you can change the strict mode option to one of:
true
(default): unhandled keys will raise an unexpected parameters exceptionfalse
: all parameter key-value pairs will be included in the result:ignore
: unhandled keys will be excluded from the decanted result
class TripDecanter < Decanter::Base
strict false
# ...
end
Or explicitly ignore a key:
class TripDecanter < Decanter::Base
ignore :created_at, :updated_at
# ...
end
You can also disable strict mode globally using a global configuration setting.
To add a custom parser, first create a parser class:
# app/parsers/truncated_string_parser.rb
class TruncatedStringParser < Decanter::Parser::ValueParser
parser do |value, options|
length = options.fetch(:length, 100)
value.truncate(length)
end
end
Then, use the appropriate key to look up the parser:
input :name, :truncated_string #=> TruncatedStringParser
#parse <block>
: (required) recieves a block for parsing a value. Block parameters are|value, options|
forValueParser
and|name, value, options|
forHashParser
.#allow [<class>]
: skips parse step if the incoming valueis_a?
instance of class(es).#pre [<parser>]
: applies the given parser(s) before parsing the value.
Decanter::Parser::ValueParser
: subclasses are expected to return a single value.Decanter::Parser::HashParser
: subclasses are expected to return a hash of keys and values.
Sometimes, you may want to take several inputs and combine them into one finished input prior to sending to your model. You can achieve this with a custom parser:
class TripDecanter < Decanter::Base
input [:day, :month, :year], :squash_date, key: :start_date
end
class SquashDateParser < Decanter::Parser::ValueParser
parser do |values, options|
day, month, year = values.map(&:to_i)
Date.new(year, month, day)
end
end
You can compose multiple parsers by using the #pre
method:
class FloatPercentParser < Decanter::Parser::ValueParser
pre :float
parser do |val, options|
val / 100
end
end
Or by declaring multiple parsers for a single input:
class SomeDecanter < Decanter::Base
input :some_percent, [:float, :percent]
end
If you provide the option :required
for an input in your decanter, an exception will be thrown if the parameter is nil
or an empty string.
class TripDecanter < Decanter::Base
input :name, :string, required: true
end
Note: we recommend using Active Record validations to check for presence of an attribute, rather than using the required
option. This method is intended for use in non-RESTful routes or cases where Active Record validations are not available.
If you provide the option :default_value
for an input in your decanter, the input key will be initialized with the given default value. Input keys not found in the incoming data parameters will be set to the provided default rather than ignoring the missing key. Note: nil
and empty keys will not be overridden.
class TripDecanter < Decanter::Base
input :name, :string
input :destination, :string, default_value: 'Chicago'
end
TripDecanter.decant({ name: 'Vacation 2020' })
=> { name: 'Vacation 2020', destination: 'Chicago' }
You can generate a local copy of the default configuration with rails generate decanter:install
. This will create an initializer where you can do global configuration:
Setting strict mode to :ignore will log out any unhandled keys. To avoid excessive logging, the global configuration can be set to log_unhandled_keys = false
# ./config/initializers/decanter.rb
Decanter.config do |config|
config.strict = false
config.log_unhandled_keys = false
end
This project is maintained by developers at LaunchPad Lab. Contributions of any kind are welcome!
We aim to provide a response to incoming issues within 48 hours. However, please note that we are an active dev shop and these responses may be as simple as "we do not have time to respond to this right now, but can address it at {x} time".
For detailed information specific to contributing to this project, reference our Contribution guide.