Doctrine2:PostgreSQL的年,月,日或DATE_FORMAT

时间:2018-06-16 17:18:01

标签: postgresql doctrine-orm symfony4

由于Doctrine2中没有DAY()MONTH()YEAR()DATE_FORMAT(),因此在使用PostgreSQL时,如何在查询生成器中使用其中一个函数?数据库?

我找到了几个教程,但它们都适用于MySQL,没有适用于PostgreSQL。

1 个答案:

答案 0 :(得分:1)

由于数据库供应商之间的SQL语法不同,因此创建独立于供应商的解决方案是不可能的(或者至少不那么容易)。所以这是PostgreSQL的一种方式。

我们将要使用的SQL函数是to_char(),请参阅https://www.postgresql.org/docs/9.6/static/functions-formatting.html

首先我们需要创建一个自定义DQL函数,请参阅https://www.doctrine-project.org/projects/doctrine-orm/en/2.6/cookbook/dql-user-defined-functions.html

namespace App\DQL;

use Doctrine\ORM\Query\AST\Functions\FunctionNode;
use Doctrine\ORM\Query\Parser;
use Doctrine\ORM\Query\Lexer;
use Doctrine\ORM\Query\SqlWalker;

class ToChar extends FunctionNode
{
    public $timestamp = null;
    public $pattern = null;

    // This tells Doctrine's Lexer how to parse the expression:
    public function parse(Parser $parser)
    {
        $parser->match(Lexer::T_IDENTIFIER);
        $parser->match(Lexer::T_OPEN_PARENTHESIS);
        $this->timestamp = $parser->ArithmeticPrimary();
        $parser->match(Lexer::T_COMMA);
        $this->pattern = $parser->ArithmeticPrimary(); // I'm not sure about `ArithmeticPrimary()` but it works. Post a comment, if you know more details!
        $parser->match(Lexer::T_CLOSE_PARENTHESIS);
    }

    // This tells Doctrine how to create SQL from the expression - namely by (basically) keeping it as is:
    public function getSql(SqlWalker $sqlWalker)
    {
        return 'to_char('.$this->timestamp->dispatch($sqlWalker) . ', ' . $this->pattern->dispatch($sqlWalker) . ')';
    }
}

然后我们在Symfony 4中注册它,见https://symfony.com/doc/current/doctrine/custom_dql_functions.html

# config/packages/doctrine.yaml

doctrine:
    orm:
        dql:
            string_functions:
                to_char: App\DQL\ToChar

现在我们可以在任何存储库中使用它:

return $this->createQueryBuilder('a')
    ->select("to_char(a.timestamp, 'YYYY') AS year")
    ->groupBy('year')
    ->orderBy('year', 'ASC')
    ->getQuery()
    ->getResult()
;