如果有人能为我批评这种方法,我将非常感激。
我正在构建一个用户可以定义多个属性的应用程序。生成表单以与其用户共享,非常类似于Wufoo。
这是我的方法。
用户has_many来源& Source embeds_many source_attributes
此处,所有用户定义的字段都存储在SourceAttributes中。当我需要生成表单时,我会像这样生成一个模型。
#source.rb
def initialize_set
model_name = self.set_name.gsub(' ','').classify
# Unique Class name
klass_name = "#{model_name}#{self.user.id}"
object = self
klass = Class.new do
include Mongoid::Document
# Collection names have to be set manually or they don't seem to work
store_in collection: self.collection_name
# Pick up attributes from SourceAttribute & define fields here
object.source_attributes.each do |m|
field m.field_name.gsub(' ','').underscore, type: object.class.mapping[m.field_type]
end
def self.collection_name
self.name.tableize
end
end
# I get a warning here when the class is re-loaded. Should i worry? I'm considering Object.send :remove_const here
Object.const_set klass_name, klass
end
通过这种方法,我将为用户定义的每个表单都有一个单独的集合。这似乎有效,但我有几个问题。
我上面生成的字段似乎不是类型安全的。我能够在整数字段中保存字符串。
该类型似乎已正确设置。
我通过调用klass&中的字段来仔细检查这个。检查选项[:type]属性。 击>
我正在使用简单的形式&它不会自动识别类型。我必须明确地使用as:
我不确定我在飞行中生成模型的方法是否正确。我以前从未见过有人使用过它。
转到单独的问题。请检查评论。
<击> 更新1:
所以我错了。我的模型是类型安全的,但它似乎无声地失败。有没有办法可以让它抛出异常?
# age is correctly defined as an Integer
klass.fields.slice "age"
=> {"age"=>#<Mongoid::Fields::Standard:0xb7edf64 @name="age", @options={:type=>Integer, :klass=>Engineer50bc91a481ee9e19ab000006}, @label=nil, @default_val=nil, @type=Integer>}
# silently sets age to 0
klass.create!(age: "ABC")
=> #<Engineer50bc91a481ee9e19ab000006 _id: 50cff12181ee9e16f1000003, _type: nil, employee_code: nil, name: nil, age: 0, years: nil, number: nil>
# returns true when saved
object = klass.new
object.age = "ABC"
=> "ABC"
object.save
=> true
PS:这是我第一次使用mongoid:)
更新2:
我对整数验证的问题可能在于Ruby&amp;不是mongoid。
正如我之前的更新中提到的那样,
# silently sets age to 0
klass.create!(age: "ABC")
=> #<Engineer50bc91a481ee9e19ab000006 _id: 50cff12181ee9e16f1000003, _type: nil, employee_code: nil, name: nil, age: 0, years: nil, number: nil>
我相信“ABC”正在进行类型转换
"ABC".to_i
=> 0
我试图通过使用validates_numericality_of来解决这个问题,就像这样
object.model_attributes.where(field_type: "Number").map(&:field_name).each do |o|
validates_numericality_of o.gsub(' ','').underscore.to_sym
end
不幸的是,这也会检查是否存在。我试过这个解决方法
validates_numericality_of o.gsub(' ','').underscore.to_sym, allow_nil: true
但这完全忽略了数值验证。尝试了allow_blank也没有运气。
击>