从 Zend Framework 1 中的应用程序对象获取数据库适配器

Get db adapter from application object in Zend Framework 1

我正在开发一个用 Zend Framework 编写的应用程序。我想创建一个独立的API。我从 public/index.php 复制过来,这里是关键代码:

/** Zend_Application */
require_once 'Zend/Application.php';

// Create application, bootstrap, and run
$application = new Zend_Application(APPLICATION_ENV, APPLICATION_PATH . '/configs/application.ini');
$application->bootstrap()->run();

我已经复制了减去 run() 指令,现在我正在尝试编写数据库查询。我试过:

$application->_connection; //not declared, fails
$application->_db; //same deal
$application->select(); //same deal

我想运行这样的事情:

$result = $application->_some_connection_object_but_where->query( .. );

你能帮我回答"but where"部分吗?谢谢

--编辑信息--

此外,为了回答我对此的热烈回应,我确实有一个名为 /application/Bootstrap.php 的文件,其中包含一个名为:class 的文件:

class Bootstrap extends Zend_Application_Bootstrap_Bootstrap

和这种连接方法:

protected function _initDb()
{
    $appConfig = new Zend_Config_Ini('../application/configs/application.ini', APPLICATION_ENV);
    Zend_Registry::set('appConfig',$appConfig);

    $dbConfig = new Zend_Config_Ini('../application/configs/db.ini', APPLICATION_ENV);
    Zend_Registry::set('dbConfig',$dbConfig);
    $db = new Zend_Db_Adapter_Pdo_Mysql(array(
        'host' => $dbConfig->database->params->host,
        'username' => $dbConfig->database->params->username,
        'password' => $dbConfig->database->params->password,
        'dbname' => $dbConfig->database->params->dbname,
   ));
    $db->setFetchMode(Zend_Db::FETCH_ASSOC);
    $db->getConnection(); // force a connection... do not wait for 'lazy' connection binding later
    Zend_Registry::set('db',$db);

    Zend_Db_Table::setDefaultAdapter($db);

}

如果您使用 ./application/config/application.ini 文件中的引用以 "standard" 方式引导资源,格式如下:

resources.db.adapter = mysql
resources.db.params.host = localhost
// etc

那么您应该能够使用以下方法从 Zend_Application 对象获取适配器对象:

$adapter = $application->getBootstrap()->getResource('db');

然后您可以针对该适配器编写数据库查询。

[或者 - 甚至更好 - 将该适配器提供给一个模型,该模型 encapsulates/hides 特定的数据库查询在定义明确的接口内,其实现将更易于测试。]

更新

根据请求,这里有一个将数据库适配器注入模型的示例。

class Application_Model_BaseModel
{
    protected $db;

    public function __construct($db)
    {
        $this->db = $db;
    }

}

class Application_Model_Users extends Application_Model_BaseModel
{
    public function getVerifiedUsers()
    {
        $select = $this->db->select()
            ->from('users')
            ->where(array(
                'verified' => true,
            ));
        return $this->db->fetchAll($select);
    }    
}

用法将是:

$model = new Application_Model_Users($db);
$users = $model->getVerifiedUsers();

这可能会通过使用 Zend_Db_Table_Abstract 作为基本模型进一步加强,但我有意提供了一个简单的示例来说明我将数据库适配器注入模型的意思。