我有一个带有序列化数据的模型,我想使用best_in_place
gem 编辑这些数据。使用 best_in_place gem 时,默认情况下这是不可能的。如何才能做到这一点?
问问题
426 次
1 回答
4
可以通过扩展请求method_missing
并将respond_to_missing?
请求转发到序列化数据来完成。假设您已Hash
在data
. 例如,在包含序列化数据的类中,您可以使用以下代码:
def method_missing(method_name, *arguments, &block) # forewards the arguments to the correct methods
if method_name.to_s =~ /data_(.+)\=/
key = method_name.to_s.match(/data_(.+)=/)[1]
self.send('data_setter=', key, arguments.first)
elsif method_name.to_s =~ /data_(.+)/
key = method_name.to_s.match(/data_(.+)/)[1]
self.send('data_getter', column_number)
else
super
end
end
def respond_to_missing?(method_name, include_private = false) # prevents giving UndefinedMethod error
method_name.to_s.start_with?('data_') || super
end
def data_getter(key)
self.data[key.to_i] if self.data.kind_of?(Array)
self.data[key.to_sym] if self.data.kind_of?(Hash)
end
def data_setter(key, value)
self.data[key.to_i] = value if self.data.kind_of?(Array)
self.data[key.to_sym] = value if self.data.kind_of?(Hash)
value # the method returns value because best_in_place sets the returned value as text
end
现在您可以使用 getter object.data_name 访问 object.data[:name] 并使用 setter object.data_name="test" 设置值。但是要使用此功能,best_in_place
您需要将其动态添加到attr_accessible
列表中。为此,您需要更改 的行为mass_assignment_authorizer
并使对象响应accessable_methods
一组方法名称,这些方法名称应允许像这样进行编辑:
def accessable_methods # returns a list of all the methods that are responded dynamicly
self.data.keys.map{|x| "data_#{x.to_s}".to_sym }
end
private
def mass_assignment_authorizer(user) # adds the list to the accessible list.
super + self.accessable_methods
end
所以在视图中你现在可以调用
best_in_place @object, :data_name
编辑@object.data[:name]的序列化数据
// 您也可以使用元素索引而不是属性名称对数组执行此操作:
<% @object.data.count.times do |index| %>
<%= best_in_place @object, "data_#{index}".to_sym %>
<% end %>
您不需要更改其余代码。
于 2014-01-22T15:25:29.767 回答