0

我需要一些帮助来打印我的哈希值。在我的“web.rb”文件中,我有:

class Main < Sinatra::Base

    j = {}
    j['Cordovan Communication'] = {:title => 'UX Lead', :className => 'cordovan', :images => ['http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150']}
    j['Telia'] = {:title => 'Creative Director', :className => 'telia', :images => ['http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150']}


    get '/' do
        @jobs = j
        erb :welcome
    end
end

在“welcome.rb”中,我正在打印哈希值,但它不起作用:

<% @jobs.each do |job| %>  
    <div class="row">
        <div class="span12">
            <h2><%=h job.title %></h2>
        </div>
    </div>
<% end %> 

这是我的错误信息:

NoMethodError at / undefined method `title' for #<Array:0x10c144da0>
4

2 回答 2

7

想想@jobs看起来像什么:

@jobs = {
  'Cordovan Communication' => {
    :title => 'UX Lead', 
    :className => 'cordovan',
    :images => ['http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150']},
  'Telia' => {
    :title => 'Creative Director',
    :className => 'telia',
    :images => ['http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150','http://placehold.it/350x150']}
}

然后记住,each在散列上调用将一个键和一个值传递给块,你会看到你有:

@jobs.each do |name, details|
  # On first step, name = 'Cordovan Communication', details = {:title => 'UX Lead', ...}
end

所以你想要的可能是:

<% @jobs.each do |name, details| %>  
    <div class="row">
        <div class="span12">
            <h2><%=h details[:title] %></h2>
        </div>
    </div>
<% end %> 
于 2013-03-11T15:53:44.463 回答
2

Ruby 哈希没有自动方法创建,例如,您不能调用job.title,因为对象上没有title方法Hash。相反,您可以调用job[:title].

另请注意,这@jobs是一个哈希,而不是一个数组,因此您可能想要调用@jobs.each_pair而不是@jobs.each. 可以使用@jobs.each,但在这种情况下,它不会给你所期望的。

于 2013-03-11T15:54:09.403 回答