我正在创建一个视图助手来以一种格式呈现数据集。我做了这些课程
require 'app/data_list/helper'
module App
module DataList
autoload :Builder, 'app/data_list/builder'
@@data_list_tag = :ol
@@list_tag = :ul
end
end
ActionView::Base.send :include, App::DataList::Helper
帮助
module App
module DataList
module Helper
def data_list_for(object, html_options={}, &block)
builder = App::DataList::Builder
arr_content = []
object.each do |o|
arr_content << capture(builder.new(o, self), &block)
end
content_tag(:ol, arr_content.join(" ").html_safe, html_options).html_safe
end
end
end
end
建设者是
require 'app/data_list/column'
module App
module DataList
class Builder
include App::DataList::Column
include ActionView::Helpers::TagHelper
include ActionView::Helpers::AssetTagHelper
attr_reader :object, :template
def initialize(object, template)
@object, @template = object, template
end
protected
def wrap_list_item(name, value, options, &block)
content_tag(:li, value).html_safe
end
end
end
end
列模块是
module App
module DataList
module Column
def column(attribute_name, options={}, &block)
collection_block, block = block, nil if block_given?
puts attribute_name
value = if block
block
elsif @object.respond_to?(:"human_#{attribute_name}")
@object.send :"human_#{attribute_name}"
else
@object.send(attribute_name)
end
wrap_list_item(attribute_name, value, options, &collection_block)
end
end
end
end
现在我编写代码来测试它
<%= data_list_for @contracts do |l| %>
<%= l.column :age %>
<%= l.column :contact do |c| %>
<%= c.column :phones %>
<% end %>
<%= l.column :company %>
<% end %>
每件事情都运转良好,age
,contact
,company
工作正常。但phones
的{{1}}未显示。
有没有人有想法,我知道我在代码中遗漏了一些东西。寻求你的帮助。
完整来源的更新问题为enter link description here
答案 0 :(得分:1)
我可以在列模块中看到两个问题。
1)如果提供了一个块,则将其设置为nil - 因此if block
始终返回false。 2)即使block
不是nil,你只是将块作为值返回,而不是实际将控制传递给块。你应该打电话给block.call
或屈服。隐式块执行得更快,所以我认为你的列模块应该更像这样:
module DataList
module Column
def column(attribute_name, options={})
value = begin
if block_given?
yield self.class.new(@object.send(attribute_name), @template)
elsif @object.respond_to?(:"human_#{attribute_name}")
@object.send :"human_#{attribute_name}"
else
@object.send(attribute_name)
end
end
wrap_list_item(attribute_name, value, options)
end
end
end
答案 1 :(得分:0)
该解决方案现已发布在discussion。
中