Is it possible to configure a mongoid field
to deserialize as a Struct
rather than a Hash
? (with defaults)
My use case : a company with a subscription plan stored as a hash in my model.
Previously as a hash
class Company
include Mongoid::Document
field :subscription, type: Hash, default: {
ends_at: 0,
quantity: 0,
started_at: 0,
cancelled: false,
}
I wish I didn't have to write Company.first.subscription[:ends_at]
, I'd rather write Company.subscription.ends_at
I figured something like the following would work better
class Company
include Mongoid::Document
field :subscription_plan, type: Struct, default: Struct.new(
:ends_at, :quantity, :started_at, :cancelled
) do
def initialize(
ends_at: nil,
quantity: 0,
starts_at: nil,
cancelled: false
); super end
end
end
It would be even better if the plan could be defined in a class
class SubscriptionPlan < Struct.new(
ends_at, :quantity, :starts_at, :cancelled
) do
def initialize(
ends_at: nil,
quantity: 0,
starts_at: nil,
cancelled: false
); super; end
end
class Company
field :subscription_plan, type: SubscriptionPlan, default: SubscriptionPlan.new
end
How can I make it work ?
Take this with a grain of salt, as I've never used either MongoDB or Mongoid. Still, googling for "custom type" brought me to this documentation.
Here's an adapted version of the custom type example :
This should bring you closer to what you wanted to do.
Note that the default
SubscriptionPlan
will be shared by every company with a default. It might lead to some weird bugs if you modify the default plan in one company.