Attention
TYPO3 v11 has reached end-of-life as of October 31th 2024 and is no longer being maintained. Use the version switcher on the top left of this page to select documentation for a supported version of TYPO3.
Need more time before upgrading? You can purchase Extended Long Term Support (ELTS) for TYPO3 v11 here: TYPO3 ELTS.
Expression builder
Table of Contents
Introduction
The
\TYPO3\ class is
responsible for dynamically creating SQL query parts for
WHERE and
JOIN ON conditions. Functions like
->min may also be used in
SELECT parts.
It takes care of building query conditions and ensures that table and column
names are quoted within the created expressions / SQL fragments. It is a facade
to the actual Doctrine DBAL
Expression.
The expression builder is used in the context of the query builder to ensure that queries are built based on the requirements of the database platform being used.
Basic usage
An instance of the
Expression is retrieved from the
Query object:
$expressionBuilder = $queryBuilder->expr();
It is good practice not to assign an instance of the
Expression to
a variable, but to use it directly within the code flow of the query builder
context:
<?php
declare(strict_types=1);
namespace MyVendor\MyExtension\Domain\Repository;
use TYPO3\CMS\Core\Database\Connection;
use TYPO3\CMS\Core\Database\ConnectionPool;
final class MyTableRepository
{
private const TABLE_NAME = 'tt_content';
private ConnectionPool $connectionPool;
public function __construct(ConnectionPool $connectionPool)
{
$this->connectionPool = $connectionPool;
}
public function findSomething()
{
$queryBuilder = $this->connectionPool->getQueryBuilderForTable(self::TABLE_NAME);
$rows = $queryBuilder
->select('uid', 'header', 'bodytext')
->from(self::TABLE_NAME)
->where(
// `bodytext` = 'lorem' AND `header` = 'dolor'
$queryBuilder->expr()->eq(
'bodytext',
$queryBuilder->createNamedParameter('lorem', Connection::PARAM_STR)
),
$queryBuilder->expr()->eq(
'header',
$queryBuilder->createNamedParameter('dolor', Connection::PARAM_STR)
),
)
->executeQuery()
->fetchAllAssociative();
// ...
}
}
See available parameter types.
Warning
It is of crucial importance to quote values correctly to not introduce SQL injection attack vectors into your application. See the according section of the query builder for details.
Junctions
Changed in version 11.5.10
The
and and
or methods are deprecated and replaced by
and and
or to match with Doctrine DBAL, which deprecated
these methods.
->andconjunction() ->ordisjunction()
Combine multiple single expressions with
AND or
OR. Nesting is
possible, both methods are variadic and accept any number of arguments, which
are all combined. However, it usually makes little sense to pass zero or only
one argument.
Example to find
tt_ records:
// use TYPO3\CMS\Core\Database\Connection;
// WHERE
// (`tt_content`.`CType` = 'list')
// AND (
// (`tt_content`.`list_type` = 'example_pi1')
// OR
// (`tt_content`.`list_type` = 'example_pi2')
// )
$queryBuilder = $this->connectionPool->getQueryBuilderForTable('tt_content');
$queryBuilder->where(
$queryBuilder->expr()->eq('CType', $queryBuilder->createNamedParameter('list')),
$queryBuilder->expr()->or(
$queryBuilder->expr()->eq(
'list_type',
$queryBuilder->createNamedParameter('example_pi1', Connection::PARAM_STR)
),
$queryBuilder->expr()->eq(
'list_type',
$queryBuilder->createNamedParameter('example_pi2', Connection::PARAM_STR)
)
)
)
Read how to correctly instantiate a query builder with the connection pool. See available parameter types.
Comparisons
A set of methods to create various comparison expressions or SQL functions:
->eq"equal" comparison($field Name, $value) =->neq"not equal" comparison($field Name, $value) !=->lt"less than" comparison($field Name, $value) <->lte"less than or equal" comparison($field Name, $value) <=->gt"greater than" comparison($field Name, $value) >->gte"greater than or equal" comparison($field Name, $value) >=->is"IS NULL" comparisonNull ($field Name) ->is"IS NOT NULL" comparisonNot Null ($field Name) ->like"LIKE" comparison($field Name, $value) ->not"NOT LIKE" comparisonLike ($field Name, $value) ->in"IN ()" comparison($field Name, $value Array) ->not"NOT IN ()" comparisonIn ($field Name, $value Array) ->in"FIND_IN_SET('42',Set ($field Name, $value) a)" Find a value in a comma separated list of valuesField ->not"NOT FIND_IN_SET('42',In Set ($field Name, $value) a)" Find a value not in a comma separated list of valuesField ->bitA bitwise AND operationAnd ($field Name, $value) &
Remarks and warnings:
- The first argument
$fieldis always quoted automatically.Name -
All methods that have a
$valueor$valueas second argument must be quoted, usually by calling $queryBuilder->createNamedParameter() or $queryBuilder->quoteIdentifier().List Warning
Failing to quote will end up in SQL injections!
->likeand() ->notvalues must be additionally quoted with a call to $queryBuilder->escapeLikeWildcards($value) to suppress the special meaning ofLike () %characters from$value.
Examples:
// use TYPO3\CMS\Core\Database\Connection;
// `bodytext` = 'foo' - string comparison
->eq('bodytext', $queryBuilder->createNamedParameter('foo'))
// `tt_content`.`bodytext` = 'foo'
->eq('tt_content.bodytext', $queryBuilder->createNamedParameter('foo'))
// `aTableAlias`.`bodytext` = 'foo'
->eq('aTableAlias.bodytext', $queryBuilder->createNamedParameter('foo'))
// `uid` = 42 - integer comparison
->eq('uid', $queryBuilder->createNamedParameter(42, Connection::PARAM_INT))
// `uid` >= 42
->gte('uid', $queryBuilder->createNamedParameter(42, Connection::PARAM_INT))
// `bodytext` LIKE 'lorem'
->like(
'bodytext',
$queryBuilder->createNamedParameter(
$queryBuilder->escapeLikeWildcards('lorem')
)
)
// `bodytext` LIKE '%lorem%'
->like(
'bodytext',
$queryBuilder->createNamedParameter(
'%' . $queryBuilder->escapeLikeWildcards('lorem') . '%'
)
)
// usergroup does not contain 42
->notInSet('usergroup', $queryBuilder->createNamedParameter('42'))
// use TYPO3\CMS\Core\Database\Connection;
// `uid` IN (42, 0, 44) - properly sanitized, mind the intExplode and PARAM_INT_ARRAY
->in(
'uid',
$queryBuilder->createNamedParameter(
GeneralUtility::intExplode(',', '42, karl, 44', true),
Connection::PARAM_INT_ARRAY
)
)
// use TYPO3\CMS\Core\Database\Connection;
// `CType` IN ('media', 'multimedia') - properly sanitized, mind the PARAM_STR_ARRAY
->in(
'CType',
$queryBuilder->createNamedParameter(
['media', 'multimedia'],
Connection::PARAM_STR_ARRAY
)
)
See available parameter types.
Aggregate Functions
Aggregate functions used in
SELECT parts, often combined with
GROUP BY. The first argument is the field name (or table name / alias
with field name), the second argument is an optional alias.
->min"MIN()" calculation($field Name, $alias = NULL) ->max"MAX()" calculation($field Name, $alias = NULL) ->avg"AVG()" calculation($field Name, $alias = NULL) ->sum"SUM()" calculation($field Name, $alias = NULL) ->count"COUNT()" calculation($field Name, $alias = NULL)
Examples:
// Calculate the average creation timestamp of all rows from tt_content
// SELECT AVG(`crdate`) AS `averagecreation` FROM `tt_content`
$queryBuilder = $this->connectionPool->getQueryBuilderForTable('tt_content');
$result = $queryBuilder
->addSelectLiteral(
$queryBuilder->expr()->avg('crdate', 'averagecreation')
)
->from('tt_content')
->executeQuery()
->fetchAssociative();
// Distinct list of all existing endtime values from tt_content
// SELECT `uid`, MAX(`endtime`) AS `maxendtime` FROM `tt_content` GROUP BY `endtime`
$statement = $queryBuilder
->select('uid')
->addSelectLiteral(
$queryBuilder->expr()->max('endtime', 'maxendtime')
)
->from('tt_content')
->groupBy('endtime')
->executeQuery();
Read how to correctly instantiate a query builder with the connection pool.
Various Expressions
trim()
Using the
->trim expression ensures that the fields are trimmed at the
database level. The following examples give a better idea of what is possible:
// use TYPO3\CMS\Core\Database\Connection
// use TYPO3\CMS\Core\Database\Query\Expression\ExpressionBuilder;
$queryBuilder = $this->connectionPool->getQueryBuilderForTable('tt_content');
$queryBuilder->expr()->comparison(
$queryBuilder->expr()->trim($fieldName),
ExpressionBuilder::EQ,
$queryBuilder->createNamedParameter('', Connection::PARAM_STR)
);
Read how to correctly instantiate a query builder with the connection pool. See available parameter types.
The call to
$query can be one of the following:
trimresults in('field Name') TRIM("table Name"."field Name") trimresults in('field Name', Trim Mode:: LEADING, 'x') TRIM(LEADING "x" FROM "table Name"."field Name") trimresults in('field Name', Trim Mode:: TRAILING, 'x') TRIM(TRAILING "x" FROM "table Name"."field Name") trimresults in('field Name', Trim Mode:: BOTH, 'x') TRIM(BOTH "x" FROM "table Name"."field Name")
length()
The
->length string function can be used to return the length of a
string in bytes. The signature of the method signature is
$field
with an optional alias
->length:
// use TYPO3\CMS\Core\Database\Connection;
// use TYPO3\CMS\Core\Database\Query\Expression\ExpressionBuilder;
$queryBuilder = $this->connectionPool->getQueryBuilderForTable('tt_content');
$queryBuilder->expr()->comparison(
$queryBuilder->expr()->length($fieldName),
ExpressionBuilder::GT,
$queryBuilder->createNamedParameter(0, Connection::PARAM_INT)
);
Read how to correctly instantiate a query builder with the connection pool. See available parameter types.