我有以下查询:
$query = Doctrine_Query::create()
->from('Member m')
->where("m.type='1'")
->andWhere("m.name LIKE '%$term%'")
->orWhere("m.surname LIKE '%$term%'")
->orWhere("m.company LIKE '%$term%'")
->orderBy('id DESC');
但它不能像我想的那样工作 - 它忽略了type
列。
我需要的是m.type=1
的结果集,此查询中的其他一些字段为LIKE 'something'
。
答案 0 :(得分:20)
$query = Doctrine_Query::create()
->from('Member m')
->where('m.type = 1 AND m.name LIKE ?', '%'.$term.'%')
->orWhere('m.type = 1 AND m.surname LIKE ?', '%'.$term.'%')
->orWhere('m.type = 1 AND m.company LIKE ?', '%'.$term.'%')
->orderBy('m.id DESC');
您的OR条件不包括第一个条件。还建议对变量使用?
以确保Doctrine转义它们。
答案 1 :(得分:19)
Tom's answer是正确的,尽管我希望将代码重复/重复保持在最低限度。
这种方式也应该有效,同时做一种更简洁,更清洁的方式
$query = Doctrine_Query::create()
->from('Member m')
->where('m.type = ?', 1)
->andWhere('m.name LIKE :term OR m.surname LIKE :term OR m.company LIKE :term', array(':term' => '%' . $term . '%'))
->orderBy('m.id DESC');