0

我有 4 张桌子、customer、和。有很多,一个有很多。这一切都在我的模型中设置好了。现在我试图为每个客户提供一个视图,显示与该客户相关的每个连接。这就是我的观点:customer_sitesiteconnectioncustomersitecustomer_sitessiteconnections

 <% @connection.each do |l| %>
   <tr>
      <td><%= l.interface %></td>
      <td><%= l.device %></td>
      <td><%= l.speed %></td>
      <td><%= l.site.name %></td>
   </tr>
 <% end %>

这是我的控制器:

def show
  @customer = Customer.find(params[:id])
  @connection = Connection.all(where connection.site.customer_site.customer.id == params[:id])
  respond_to do |format|
    format.html # show.html.erb
    format.json { render json: @customer }
  end
end

显然这@connection部分不正确,我只是不确定我需要放什么才能正确链接记录......

4

1 回答 1

1

正如@Matt 在他的评论中提到的,最简单的方法是使用has_many带有:through选项的关联。您可以在 Rails指南中阅读更多相关信息。

class Site < ActiveRecord::Base
  has_many :customer_sites, foreign_key: :site_id
  has_many :connections
end

class CustomerSite < ActiveRecord::Base
  belongs_to :site
  belongs_to :customer
end
 
class Customer < ActiveRecord::Base
  has_many :customer_sites, foreign_key: :customer_id
  has_many :sites, through: :customer_sites
  has_many :connections, through: :sites
end

在控制器中:

def show
  @customer = Customer.find(params[:id])
  @connections = @customer.connections
  ...
end

如果还不够清楚,请告诉我。

于 2013-05-23T13:25:02.453 回答