如何创建一个助手方法来检查对象的存在状态



我正在使用Rails4,并且还使用ActsAsParanoid来处理我的视图中删除的依赖项。

order.rb

class Order < ActiveRecord::Base
  ...
  has_many :ice_creams
  accepts_nested_attributes_for :ice_creams
  validates :user, :shift, :discount, :total, :total_after_discount, :paid, :remaining, presence: true
  ...
end

ice_cream.rb

class IceCream < ActiveRecord::Base
  ...
  belongs_to :sauce, with_deleted: true
  belongs_to :order
  validates :size, :basis, :flavors, :ice_cream_price, :extras_price, :total_price, presence: true
  ...
end

app/views/订单/show.html.erb

...
<ul>
  ...
  <li>Total:<%= @order.total %><li>
</ul>
<% @order.ice_creams.each do |ice_cream| %>
  ...
  <ul class=leaders>
    <li>Ice Craem Id:<%= ice_cream.id %></li>
    <li>Sauce:<%= ice_cream.sauce.present? ? ice_cream.sauce.name : "Deleted Value!" %></li>
  ...
<% end %>
...

如果我删除了一个sauce, ActsAsParanoid软删除它,并保存我的视图从打破。present?方法帮助我永久删除了sauces,但正如你可能看到的,sauces在任何ice_cream中都是可选的,所以如果任何ice_cream没有sauce,也会显示deleted value

所以我必须想出更多的逻辑来确定是否有冰淇淋没有酱汁,或者有删除的酱汁。所以我写了这个辅助方法。

引入application_helper . rb之后

def chk(obj, atr)
  if send("#{obj}.#{atr}_id") && send("#{obj}.#{atr}.present?")
    send("#{obj}.#{atr}.name")
  elsif send("#{obj}.#{atr}_id.present?") and send("#{obj}.#{atr}.blank?")
    "Deleted Value!"
  elsif send("#{obj}.#{atr}_id.nil?")
    "N/A"
  end
end

然后使用…

app/views/订单/show.html.erb

...
<%= chk(ice_cream, sauce %>
...

But It return NoMethodError in Orders#show

未定义的方法' atr'为#<冰淇淋:0 x007fcae3a6a1c0>

我的问题是……

    我的代码有什么问题?如何解决这个问题?
  • 总的来说,我的方法被认为是处理这种情况的好方法吗?

对不起,我还没有完全了解整个情况,所以可能有一个更好的解决方案,但现在我不能提出它。

你当前的代码有什么问题,我认为是你如何调用chk。应该是

...
<%= chk(ice_cream, 'sauce') %>
...

注意,第二个参数是一个String实例(也可以是Symbol)。

我认为你的chk方法应该是这样的

def chk(obj, atr)
  attribute_id = obj.send("#{atr}_id")
  attribute = obj.send(atr)
  if attribute_id && attribute.present?
    attribute.name
  elsif attribute_id.present? and attribute.blank?
    "Deleted Value!"
  elsif attribute_id.nil?
    "N/A"
  end
end

我刚刚重构了你的方法,所以它应该是语法正确的。但是我还没有检查所有的if逻辑。

也许这样会更简洁

def chk(obj, attr)
  attr_id  = obj.send("#{attr}_id")
  attr_obj = obj.send(attr)
  if attr_id.present?
    attr_obj.present? ? attr_obj.name : 'Deleted Value!'
  else
    'N/A'
  end
end

相关内容

  • 没有找到相关文章