16

有什么方法可以防止回形针上传验证的验证消息出现两次?

这是我的模型:

has_attached_file :photo, :styles => { :thumb => "215x165" }, :default_url => "/images/:style/missing.png"

validates_attachment :photo, :presence => true,
:content_type => { :content_type => "image/jpg" },
:size => { :in => 0..0.5.megabytes }

这是我的看法:

<% if @product.errors.any? %>
<p>The following errors were found:</p>
  <ul>
    <% @product.errors.full_messages.each do |message| %>
      <li>- <%= message %></li>
    <% end %>
  </ul>
<% end %>

如果我上传无效文件,我会收到以下错误消息:

  • 照片内容类型无效
  • 照片无效

有什么办法可以只显示其中一个吗?我尝试将 message: 添加到模型中。但是,这也只是出现了两次!

谢谢!

4

3 回答 3

25

如果您检查 @model.errors 哈希,您可以看到它为 :photo 属性返回一个数组,并为每个回形针验证器返回一条消息。

{:photo_content_type=>["is invalid"], 
 :photo=>["is invalid", "must be less than 1048576 Bytes"], 
 :photo_file_size=>["must be less than 1048576 Bytes"] }

您需要使用一些 Ruby 过滤其中的很多。有很多方法可以解决这个问题(有关一些想法,请参见此处),但快速修复可能是删除 :photo 数组并仅使用来自回形针生成的属性的消息。

@model.errors.delete(:photo)

这应该给你一个@model.errors.full_messages这样的:

["Photo content type is invalid", "Photo file size must be less than 1048576 Bytes"]
于 2013-12-18T02:21:07.540 回答
15

在我看来,下面是一个更好的解决方案

class YourModel < ActiveRecord::Base
  ...

  after_validation :clean_paperclip_errors

  def clean_paperclip_errors
    errors.delete(:photo)
  end
end

在此处查看@rubiety 的评论

于 2014-11-06T08:26:06.540 回答
3

请注意,在您不需要存在验证之前,先前答案中的解决方案效果很好。那是因为 @model.errors.delete(:photo) 将删除重复项以及您的存在验证错误。下面的代码保留指定为retain_specified_errors 方法参数的属性的验证错误。

class YourModel < ActiveRecord::Base
  ...

  after_validation {
    retain_specified_errors(%i(attr another_att))
  }

  def retain_specified_errors(attrs_to_retain)
    errors.each do |attr|
      unless attrs_to_retain.include?(attr)
        errors.delete(attr)
      end
    end
  end
end
于 2015-07-10T15:52:43.623 回答