在Rails查询中包含LIKE子句的最佳方法是什么?

时间:2011-08-13 14:34:59

标签: ruby-on-rails ruby-on-rails-3 activerecord

在Rails查询中包含LIKE子句的最佳方法是什么,即(完全不正确)的内容:

 Question.where(:content => 'LIKE %farming%')

3 个答案:

答案 0 :(得分:40)

您将使用以下语法:

Question.where("content LIKE ?" , "%#{farming}%")

答案 1 :(得分:33)

如果这是Rails 3,您可以使用Arel的matches。这具有与数据库无关的优点。例如:

Question.where(Question.arel_table[:content].matches("%#{string}%"))

这有点笨拙,但很容易被提取到范围,例如:

class Question

  def self.match_scope_condition(col, query)
    arel_table[col].matches("%#{query}%")
  end

  scope :matching, lambda {|*args|
    col, opts = args.shift, args.extract_options!
    op = opts[:operator] || :or
    where args.flatten.map {|query| match_scope_condition(col, query) }.inject(&op)
  }

  scope :matching_content, lambda {|*query|
    matching(:content, *query)
  }
end

Question.matching_content('farming', 'dancing') # farming or dancing
Question.matching_content('farming', 'dancing', :operator => :and) # farming and dancing
Question.matching(:other_column, 'farming', 'dancing') # same thing for a different col

当然要加入“AND”,您可以将范围链接起来。

编辑:+1到metawhere并发出吱吱声(虽然没有尝试过,但看起来很酷)他们都添加了这种类型的功能等等。

答案 2 :(得分:9)

如果你想要非常性感的条件并且没有外部依赖的问题,我强烈推荐MetaWhere并且它是继任者Squeel

# MetaWhere
Question.where(:content.like => '%farming%')

# MetaWhere with operators overloaded
Question.where(:content =~ '%farming%')

# Squeel
Question.where { :content.matches => '%farming%' }

# Squeel with operators overloaded
Question.where { :content =~ '%farming%' }