4

这更像是一个风格问题。

在编写查询时,我总是发现自己检查查询的结果是否为空白,这似乎 - 我不知道,在某种程度上过于冗长或错误。

前任。

def some_action
  @product = Product.where(:name => params[:name]).first
end

如果没有 name = params[:name] 的产品,我会得到一个 nil 值,它会破坏事情。

我已经开始写这样的东西

def some_action
  product = Product.where(:name -> params[:name])
  @product = product if !product.blank?
end

是否有更简洁的方法来处理 nil 和空白值?当事情依赖于其他关系时,这变得更加令人头疼

前任。

def some_action
  @order = Order.where(:id => params[:id]).first
  # if order doesn't exist, I get a nil value, and I'll get an error in my app
  if !@order.nil?
    @products_on_sale = @order.products.where(:on_sale => true).all
  end
end

基本上,有什么我还没有学到的东西可以让处理 nil、空白和潜在的视图破坏实例变量更有效吗?

谢谢

4

2 回答 2

3

如果它只是风格相关,我会看看 Rails 的 Object# try方法,或者考虑类似andand

使用您的示例,尝试:

def some_action
  @order = Order.where(:id => params[:id]).first
  @products_on_sale = @order.try(:where, {:onsale => true}).try(:all)
end

或使用 andand:

def some_action
  @order = Order.where(:id => params[:id]).first
  @products_on_sale = @order.andand.where(:onsale => true).andand.all
end
于 2013-01-10T00:50:42.987 回答
2

好吧,即使您在控制器中绕过“零破坏”,您的视图中仍然会遇到这个问题。if在您的控制器中有一个语句并将视图重定向到“未找到”页面比if在您的视图中有多个 s要容易得多。

或者你可以添加这个

protected
  def rescue_not_found
  render :template => 'application/not_found', :status => :not_found
end

到你的application_controller. 在此处查看更多信息:https ://ariejan.net/2011/10/14/rails-3-customized-exception-handling

于 2013-01-10T00:50:04.220 回答