3

私は Cover モデルを持っています。ファイルには、「小、中、大」を表す整数を返すcover.rbメソッドも定義しています。size私の質問は、小/中/大のカバーをすべて取得するにはどうすればよいですか? を使用すると思いますscopeが、メソッドを条件として渡すsize方法がわかりません。

class Cover < ActiveRecord::Base
  attr_accessible :length, :width

  # TODO
  scope :small
  scope :intermediate
  scope :large

  # I have simplified the method for clarity.
  # 0 - small; 1 - intermediate;  2 - large
  def size
    std_length = std_width = 15
    if length < std_length && width < std_width
      0
    elsif length > std_length && width > std_width
      2
    else
      1
    end
  end

end
4

3 に答える 3

4

これはうまくいくかもしれません:

class Cover < ActiveRecord::Base
  attr_accessible :length, :width

  scope :of_size, lambda{ |size| 
                          case size
                            when :small
                              where('width < 15 AND height < 15')
                            when :large
                              where('width > 15 AND height > 15')
                            when :intermediate
                              where('(width < 15 AND height > 15) OR (width > 15 AND height < 15)')
                            else
                              where(id: -1) # workaround to return empty AR::Relation
                        }

  def size
    std_length = std_width = 15
    return :small if length < std_length && width < std_width
    return :large if length > std_length && width > std_width
    return :intermediate
  end

end

そして、次のように使用します。

Cover.of_size(:small) # => returns an array of Cover with size == small

複数の引数で動作させるには:

# in the model:
scope :of_size, lambda{ |*size| all.select{ |cover| [size].flatten.include?(cover.size) } }
# how to call it:
Cover.of_size(:small, :large) # returns an array of covers with Large OR Small size
于 2012-12-14T18:55:33.080 に答える
0

3 つのサイズのいずれかを渡すことを検討している場合は、3 つのスコープのいずれかを呼び出すこともできます。より読みやすくなります。

scope :small, where('width < 15 AND height < 15')
scope :large, where('width > 15 AND height > 15')
scope :intermediate, where('(width < 15 AND height > 15) OR (width > 15 AND height < 15)')
于 2013-05-22T23:08:22.910 に答える
0

最も簡単な解決策はクラスメソッドだと思います:

def self.small
  Cover.all.select {|c| c.size == 0}
end
于 2012-12-14T18:57:39.200 に答える