如何访问 belongs_to 属性的父级

How to access Parent of belongs_to attribute

我有以下型号:

class League < ApplicationRecord
    has_many :games
end
class Game < ApplicationRecord
    belongs_to :league
end

在我的用户 show.html.erb 中,我试图通过此代码段 game.league.title 显示用户的游戏和与游戏相关的联赛,这是视图:

<div class="hidden text-center" id="tab-settings">
  <% current_user.games.each do |game| %>
    <ul>
      <li class="w-1/2 mb-4 text-left border-2 rounded-md border-coolGray-900">
        <p class=""><%= game.start_time&.strftime("%a %b %d, %Y %l:%M%P")  %> - <%= game.end_time&.strftime("%l:%M%P")  %></p>
        <p class="mb-2"><%= game.league.title %> - <%= game.home_team %> vs <%= game.away_team %></p>
      </li>
    </ul>
  <% end %>
</div>

game.league.titlereturns undefined method "title" for nil:NilClass错误;然而,当我进入控制台时,game.league.title 查询完美。

按照 here 给出的建议,我在视图中尝试了以下操作:

<p class="mb-2"><%= game.league.try(:title) %> etc...</p>

而且效果很好。

为什么 game.league.try(:title) 有效但 game.league.title return 出错?

您的数据有误。如果您希望能够调用 game.league 而没有潜在的 nil 错误,您需要将 games.league_id 列定义为 NOT NULLGame.where(league_id: nil) 将为您提供包含空值的记录列表。

Since Rails 5 belongs_to 默认情况下对列应用存在验证。但是,如果您使用任何绕过验证的方法,这无论如何都不能阻止空值潜入。或者,如果记录是在 Rails 之外创建的,甚至是在 Rails.

的旧版本中创建的

如果您希望联盟可以为空,您可以使用安全导航运算符:

<p class="mb-2"><%= game.league&.title %> etc...</p>

Object#try 是一种 ActiveSupport 方法,它早于 Ruby 2.3 中引入的安全导航运算符。虽然它确实有其用途,但通常应该首选运算符。

你也可以使用 Module#delegate:

class Game
  # ...
  delegate :title, to: :game, allow_nil: true, prefix: true
end
<p class="mb-2"><%= game.league_title %> etc...</p>