Rails:使用AREL进行批处理的属性查询

Chu*_*ckE 8 sql activerecord ruby-on-rails arel

我想使用类似的东西find_in_batches,但我想分组一个特定的属性,比如,让我们说,id,而不是分组完全实例化的AR对象.所以,基本上,混合使用find_in_batchespluck:

Cars.where(:engine => "Turbo").pluck(:id).find_in_batches do |ids|
  puts ids
end

# [1, 2, 3....]
# ...
Run Code Online (Sandbox Code Playgroud)

有没有办法做到这一点(也许与Arel),而不必自己编写OFFSET/LIMIT逻辑或重复分页宝石如paginate或kaminari?

m_x*_*m_x 2

这不是理想的解决方案,但这里有一种方法,只需复制粘贴大部分内容,find_in_batches但会产生一个关系而不是记录数组(未经测试) - 只需将其猴子修补到Relation

def in_batches( options = {} )
  relation = self

  unless arel.orders.blank? && arel.taken.blank?
    ActiveRecord::Base.logger.warn("Scoped order and limit are ignored, it's forced to be batch order and batch size")
  end

  if (finder_options = options.except(:start, :batch_size)).present?
    raise "You can't specify an order, it's forced to be #{batch_order}" if options[:order].present?
    raise "You can't specify a limit, it's forced to be the batch_size"  if options[:limit].present?

    relation = apply_finder_options(finder_options)
  end

  start = options.delete(:start)
  batch_size = options.delete(:batch_size) || 1000

  relation = relation.reorder(batch_order).limit(batch_size)
  relation = start ? relation.where(table[primary_key].gteq(start)) : relation

  while ( size = relation.size ) > 0    

    yield relation

    break if size < batch_size

    primary_key_offset = relation.last.id
    if primary_key_offset
      relation = relation.where(table[primary_key].gt(primary_key_offset))
    else
      raise "Primary key not included in the custom select clause"
    end
  end
end
Run Code Online (Sandbox Code Playgroud)

有了这个,你应该能够做到:

Cars.where(:engine => "Turbo").in_batches do |relation|
  relation.pluck(:id)
end
Run Code Online (Sandbox Code Playgroud)

这不是最好的实现(特别是在primary_key_offset计算方面,它实例化了一条记录),但你明白了。