0

我正在升级到 slim v3。我应该如何使用数据库连接?我正在考虑注入疙瘩的服务:

数据库连接

final class DBConnection {

    private $db;

    public function __construct() {
        try {
            // Code to open up a DB connection in $db var...
        } catch (Exception $ex) {
            // TODO $app->error ?
        }
    }

    public function getDB() {
        return $this->db;
    }

}

索引.php

$container = new \Slim\Container;

$container['db'] = function($container) {
    $connection = new DBConnection();
    return $connection->getDB();
};

如果 db 连接引发 PDO(或通用)异常怎么办?在 v2 中,我有类似的东西

$app->error

怎么办?我也定义了一个自定义的errorHandler,我怎样才能以某种方式“重定向”对该路由的控制?

4

1 回答 1

0

Slim 3 的错误处理非常简单,如文档中所述

由于您在实例化之前定义了容器服务Slim\App,因此请按以下方式定义错误处理程序(在 中index.php):

$container['errorHandler'] = function($container) {
    return function ($request, $response, $exception) use ($container) {
        return $container['response']->withStatus(500)
                                     ->withHeader('Content-Type', 'text/html')
                                     ->write($exception->getMessage());
    };
};

所有异常都将被定义的处理程序捕获,只要:

  • 以前没有捕获到异常(就像在您的示例代码中一样)
  • 例外不是以下之一:
    • Slim\Exception\MethodNotAllowedException
    • Slim\Exception\NotFoundException
    • Slim\Exception\SlimException

对于前两个,您也可以定义自己的处理程序。

所以,回到你的例子:

final class DBConnection {

    private $db;

    public function __construct() {
        // Code to open up a DB connection in $db var...
        // Don't have to catch here
    }

    public function getDB() {
        return $this->db;
    }
}
于 2016-10-03T12:41:00.557 回答