5

至少这似乎是正在发生的事情。我正在尝试为网站创建一个搜索栏,它确实有效,但它没有读取只会撤回已批准内容的 where 子句。你可以明白为什么这会是一个问题。

无论如何,这就是我的模型中的内容

$match = $this->input->post('search');      
$this->db->where('approved', 'y');  
$this->db->like('description', $match);
$this->db->or_like('title', $match);
$this->db->or_like('body', $match);
$this->db->or_like('author', $match);

$query = $this->db->get('story_tbl');

return $query->result();

当我打印出查询时,它似乎看到了 where 子句,但是当我取回这些东西时,它会拉出未经批准或正在审查的东西。

这是我打印的查询

SELECT * FROM (`story_tbl`) WHERE `approved` = 'y' AND `description` LIKE 
'%another%' OR `title` LIKE '%another%' OR `body` LIKE '%another%' OR 
`author` LIKE '%another%'
4

2 回答 2

3

您的查询应该是

SELECT * FROM (`story_tbl`) WHERE `approved` = 'y' AND (`description` LIKE
'%another%' OR `title` LIKE '%another%' OR `body` LIKE '%another%' OR
`author` LIKE '%another%')

检查那些括号。因此,您最好的选择是使用 plain $this->db->query()。如果您坚持使用活动记录,则必须对那些括号这样做-

$match = $this->input->post('search');
$this->db->where('approved', 'y');
$this->db->where("(`description` LIKE '%$match%'");
$this->db->or_where("`title` LIKE '%$match%'");
$this->db->or_where("`body` LIKE '%$match%'");
$this->db->or_where("`author` LIKE '%$match%')");
$query = $this->db->get('story_tbl');

编辑:

true AND true OR true OR true    //true
false AND true OR true OR true   //true just like your where clause is ignored
false AND false OR false OR true //Still true
false AND true OR false OR false //false
false AND false OR false OR false //false

因此,此查询将返回已批准 = 'y' 或标题、正文、作者与 'another' 匹配的所有行

在我发布的查询中

true AND (true OR true OR true)    //true
false AND (true OR true OR true)   //false, where clause is checked
true AND (false OR false OR false) //false
true AND (true OR false OR false)  //true

这将返回已批准 = 'y' 并且标题或正文或作者或描述与“另一个”匹配的行。我相信这是您想要实现的目标。

于 2013-05-26T19:41:19.287 回答
0

您可以为此使用 codeigniters 的 group_start() 和 group_end()。代码可以这样修改

$match = $this->input->post('search');      
$this->db->where('approved', 'y');

$this->db->group_start(); //start group
$this->db->like('description', $match);
$this->db->or_like('title', $match);
$this->db->or_like('body', $match);
$this->db->or_like('author', $match);
$this->db->group_end(); //close group

$query = $this->db->get('story_tbl');

return $query->result(); 
于 2021-04-17T07:49:34.863 回答