0

我正在编写一个库搜索引擎,用户可以使用 CodeIgniter 根据各种标准(例如作者、标题、出版商等)进行搜索。所以,我定义了BookSearch所有负责搜索数据库的类都将实现的接口

interface BookSearch{
/**
Returns all the books based on a given criteria as a query result.
*/
public function search($search_query);
}

如果我想实现基于作者的搜索,我可以将他的类写AuthorSearch

class AuthorSearch implements BookSearch extends CI_Model{

function __construct(){
    parent::__construct();
}

public function search($authorname){
    //Implement search function here...
    //Return query result which we can display via foreach
}
}

现在,我定义了一个控制器来使用这些类并显示我的结果,

class Search extends CI_Controller{

/**
These constants will contain the class names of the models
which will carry out the search. Pass as $search_method.
*/
const AUTHOR = "AuthorSearch";
const TITLE = "TitleSearch";
const PUBLISHER = "PublisherSearch";

public function display($search_method, $search_query){
    $this->load->model($search_method);
}
}

这就是我遇到问题的地方。CodeIgniter 手册说,要调用模型中的方法(即search),我编写$this->AuthorSearch->search($search_query). 但是由于我将搜索类的类名作为字符串,我真的不能做$this->$search_method->search($search_query)对吗?

如果这是在 Java 中,我会将对象加载到我的常量中。我知道 PHP5 有类型提示,但这个项目的目标平台有 PHP4。而且,我正在寻找一种更“CodeIgniter”的方式来进行这种抽象。有什么提示吗?

4

2 回答 2

1

你真的可以做到$this->$search_method->search($search_query)。同样在 CI 中,您可以根据需要分配库名称。

public function display($search_method, $search_query){
    $this->load->model($search_method, 'currentSearchModel');
    $this->currentSearchModel->search($search_query);
}
于 2012-04-07T10:01:59.197 回答
1

你在说什么驱动模型。事实上,你可以做你建议不能做的事情:

<?php
$this->{$search_method}->search($search_query);

CodeIgniter 有CI_Driver_Library&CI_Driver类来执行此操作(请参阅CodeIgniter 驱动程序)。

但是,我发现实现接口/扩展抽象类通常更简单,就像您正在做的那样。继承比 CI 的驱动更好。

于 2012-04-07T20:06:52.780 回答