Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
menu search
person
Welcome To Ask or Share your Answers For Others

Categories

I have seen Rails find method taking a block as

Consumer.find do |c|
  c.id == 3
end

Which is similar to Consumer.find(3).

What are some of the use cases where we can actually use block for a find ?

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
2.1k views
Welcome To Ask or Share your Answers For Others

1 Answer

It's a shortcut for .to_a.find { ... }. Here's the method's source code:

def find(*args)
  if block_given?
    to_a.find(*args) { |*block_args| yield(*block_args) }
  else
    find_with_ids(*args)
  end
end

If you pass a block, it calls .to_a (loading all records) and invokes Enumerable#find on the array.

In other words, it allows you to use Enumerable#find on a ActiveRecord::Relation. This can be useful if your condition can't be expressed or evaluated in SQL, e.g. querying serialized attributes:

Consumer.find { |c| c.preferences[:foo] == :bar }

To avoid confusion, I'd prefer the more explicit version, though:

Consumer.all.to_a.find { |c| c.preferences[:foo] == :bar }

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
...