- Introduction
- Installation
- Usage
- Retrieving Results
- Selects
- Where Clauses
- Ordering
- Grouping
- Limit And Offset
- Embeddables
- Relations
- Query Scopes
- Collections
Hydrogen provides a beautiful, convenient and simple implementation for working with Doctrine queries. It does not affect the existing code in any way and can be used even in pre-built production applications.
The Hydrogen library has several system requirements. You need to make sure that your server meets the following requirements:
- PHP >= 7.1.3
- PDO PHP Extension
- Mbstring PHP Extension
- JSON PHP Extension
- doctrine/orm >= 2.5
- illuminate/support >= 5.5
Hydrogen utilizes Composer to manage its dependencies. So, before using Hydrogen, make sure you have Composer installed on your machine.
Stable
composer require rds/hydrogen
Dev
composer require rds/hydrogen dev-master@dev
Hydrogen interacts with the repositories of the Doctrine. In order to take advantage of additional features - you need to add the main trait to an existing implementation of the repository.
<?php
use Doctrine\ORM\EntityRepository;
use RDS\Hydrogen\Hydrogen;
class ExampleRepository extends EntityRepository
{
use Hydrogen;
}
After that you get full access to the query builder.
You may use the ->query()
method on the Repository to begin a query.
This method returns a fluent query builder instance for the given repository,
allowing you to chain more constraints onto the query and then finally
get the results using the ->get()
method:
<?php
use RDS\Hydrogen\Hydrogen;
use Doctrine\ORM\EntityRepository;
class UsersRepository extends EntityRepository
{
use Hydrogen;
public function toArray(): iterable
{
return $this->query->get();
}
}
The get()
method returns an array
containing the results,
where each result is an instance of the object (Entity) associated
with the specified repository:
foreach ($users->toArray() as $user) {
\var_dump($user);
}
In addition, you can use the method collect()
to
get a collection that is compatible with ArrayCollection:
<?php
use RDS\Hydrogen\Hydrogen;
use Doctrine\ORM\EntityRepository;
use RDS\Hydrogen\Collection\Collection;
class UsersRepository extends EntityRepository
{
use Hydrogen;
public function toCollection(): Collection
{
return $this->query->collect();
}
}
$users->toCollection()->each(function (User $user): void {
\var_dump($user);
});
Note: Direct access to the Hydrogen build, instead of the existing methods, which is provided by the Doctrine completely ignores all relations (like:
@OneToMany(..., fetch="EAGER")
).
If you just need to retrieve a single row from the database table, you may use the first method. This method will return a single Entity object:
$user = $repository->query->where('name', 'John')->first();
echo $user->getName();
If you don't even need an entire row, you may extract a single
values from a record using additional arguments for ->first()
method.
This method will return the value of the column directly:
[$name, $email] = $repository->query->where('name', 'John')->first('name', 'email');
echo $name . ' with email ' . $email;
If you would like to retrieve an array or Collection containing the values of a single Entity's field value,
you may use the additional arguments for ->get()
or ->collect()
methods.
In this example, we'll retrieve a Collection of user ids and names:
$users = $repository->query->get('id', 'name');
foreach ($users as ['id' => $id, 'name' => $name]) {
echo $id . ': ' . $name;
}
The query builder also provides a variety of aggregate methods such as count
, max
, min
,
avg
, and sum
. You may call any of these methods after constructing your query:
$count = $users->query->count();
$price = $prices->query->max('price');
Of course, you may combine these methods with other clauses:
$price = $prices->query
->where('user', $user)
->where('finalized', 1)
->avg('price');
In the event that your database supports any other functions,
then you can use these methods directly using ->scalar()
method:
The first argument of the ->scalar()
method requires specifying the field that should be
contained in the result. The second optional argument allows you
to convert the type to the desired one.
$price = $prices->query
->select('AVG(price) as price')
->scalar('price', 'int');
Allowed Types
Type | Description |
---|---|
int |
Returns an integer value |
float |
Returns a float value |
string |
Returns a string value |
bool |
Returns boolean value |
callable |
Returns the Closure instance |
object |
Returns an object |
array |
Returns an array |
iterable |
array alias |
Query Invocations
Method | Description |
---|---|
get |
Returns an array of entities |
collect |
Returns a Collection of entities |
first |
Returns the first result |
scalar |
Returns the single scalar value |
count |
Returns count of given field |
sum |
Returns sum of given field |
avg |
Returns average of given field |
max |
Returns max value of given field |
min |
Returns min value of given field |
Using the select()
method, you can specify a
custom select clause for the query:
['count' => $count] = $users->query
->select(['COUNT(id)' => 'count'])
->get();
echo $count;
Also, this expression can be simplified and rewritten in this way:
$result = $users->query
->select(['COUNT(id)' => 'count'])
->scalar('count');
echo $result;
Entity
You noticed that if we specify a select, then in the response we get the data
of the select, ignoring the Entity. In order to get any entity in the response,
we should use the method withEntity
:
['messages' => $messages, 'user' => $user] = $users->query
->select(['COUNT(messages)' => 'messages'])
->withEntity('user')
->where('id', 23)
->first();
Raw Columns
Sometimes some fields may not be contained in Entity, for example, relation keys. In this case, we have no choice but to choose this columns directly, bypassing the structure of the Entity:
$messages = $query
->select([$query->column('user_id') => 'user_id'])
->withEntity('message')
->get('message', 'user_id');
foreach ($messages as ['message' => $message, 'user_id' => $id]) {
echo $message->title . ' of user #' . $id;
}
You may use the where method on a query builder instance to add where clauses to the query. The most basic call to where requires three arguments. The first argument is the name of the column. The second argument is an operator, which can be any of the database's supported operators. Finally, the third argument is the value to evaluate against the column.
For example, here is a query that verifies the value of the "votes" Entity field is equal to 100:
$users = $repository->query->where('votes', '=', 100)->get();
For convenience, if you want to verify that a column is equal to a given value, you may pass the value directly as the second argument to the where method:
$users = $repository->query->where('votes', 100)->get();
Of course, you may use a variety of other operators when writing a where clause:
$users = $repository->query
->where('votes', '>=', 100)
->get();
$users = $repository->query
->where('votes', '<>', 100)
->get();
$users = $repository->query
->where('votes', '<=', 100)
->get();
You may chain where constraints together as well as add or
clauses to the query. The orWhere
method accepts the same
arguments as the where method:
$users = $repository->query
->where('votes', '>', 100)
->orWhere('name', 'John')
->get();
Alternatively, you can use the ->or
magic method:
$users = $repository->query
->where('votes', '>', 100)
->or->where('name', 'John')
->get();
whereBetween
The whereBetween
method verifies that a Entity fields's value is between two values:
$users = $repository->query
->whereBetween('votes', 1, 100)
->get();
$users = $repository->query
->where('name', 'John')
->orWhereBetween('votes', 1, 100)
->get();
whereNotBetween
The whereNotBetween
method verifies that a Entity field's value lies outside of two values:
$users = $repository->query
->whereNotBetween('votes', 1, 100)
->get();
$users = $repository->query
->where('name', 'John')
->orWhereNotBetween('votes', 1, 100)
->get();
whereIn / whereNotIn
The whereIn
method verifies that a given Entity field's value
is contained within the given array:
$users = $repository->query
->whereIn('id', [1, 2, 3])
->get();
$users = $repository->query
->where('id', [1, 2, 3])
// Equally: ->whereIn('id', [1, 2, 3])
->orWhere('id', [101, 102, 103])
// Equally: ->orWhereIn('id', [101, 102, 103])
->get();
The whereNotIn
method verifies that the given Entity field's value
is not contained in the given array:
$users = $repository->query
->whereNotIn('id', [1, 2, 3])
->get();
$users = $repository->query
->where('id', '<>', [1, 2, 3])
// Equally: ->whereNotIn('id', [1, 2, 3])
->orWhere('id', '<>', [101, 102, 103])
// Equally: ->orWhereNotIn('id', [101, 102, 103])
->get();
whereNull / whereNotNull
The whereNull
method verifies that the value of
the given Entity field is NULL
:
$users = $repository->query
->whereNull('updatedAt')
->get();
$users = $repository->query
->where('updatedAt', null)
// Equally: ->whereNull('updatedAt')
->orWhereNull('deletedAt', null)
// Equally: ->orWhereNull('deletedAt')
->get();
The whereNotNull
method verifies that
the Entity field's value is not NULL
:
$users = $repository->query
->whereNotNull('updatedAt')
->get();
$users = $repository->query
->whereNotNull('updatedAt')
->or->whereNotNull('deletedAt')
->get();
like / notLike
The like
method verifies that the value of
the given Entity field like given value:
$messages = $repository->query
->like('description', '%some%')
->orLike('description', '%any%')
->get();
$messages = $repository->query
->where('description', '~', '%some%')
->orWhere('description', '~', '%any%')
->get();
The notLike
method verifies that the value of
the given Entity field is not like given value:
$messages = $repository->query
->notLike('description', '%some%')
->orNotLike('description', '%any%')
->get();
$messages = $repository->query
->where('description', '!~', '%some%')
->orWhere('description', '!~', '%any%')
->get();
Sometimes you may need to create more advanced where clauses such as "where exists" clauses or nested parameter groupings. The Hydrogen query builder can handle these as well. To get started, let's look at an example of grouping constraints within parenthesis:
$users = $repository->query
->where('name', 'John')
->where(function (Query $query): void {
$query->where('votes', '>', 100)
->orWhere('title', 'Admin');
})
->get();
As you can see, passing a Closure
into the where
method
instructs the query builder to begin a constraint group.
The Closure
will receive a query builder instance which
you can use to set the constraints that should be contained
within the parenthesis group. The example above will
produce the following DQL:
SELECT u FROM App\Entity\User u
WHERE u.name = "John" AND (
u.votes > 100 OR
u.title = "Admin"
)
In addition to this, instead of the where
or orWhere
method,
you can use another options. Methods or
and and
will do the same:
$users = $repository->query
->where('name', 'John')
->and(function (Query $query): void {
$query->where('votes', '>', 100)
->orWhere('title', 'Admin');
})
->get();
// SELECT u FROM App\Entity\User u
// WHERE u.name = "John" AND (
// u.votes > 100 OR
// u.title = "Admin"
// )
$users = $repository->query
->where('name', 'John')
->or(function (Query $query): void {
$query->where('votes', '>', 100)
->where('title', 'Admin');
})
->get();
// SELECT u FROM App\Entity\User u
// WHERE u.name = "John" OR (
// u.votes > 100 AND
// u.title = "Admin"
// )
orderBy
The orderBy
method allows you to sort the result of the query
by a given column. The first argument to the orderBy
method
should be the column you wish to sort by, while the second argument
controls the direction of the sort and may be either asc or desc:
$users = $repository->query
->orderBy('name', 'desc')
->get();
Also, you may use shortcuts asc()
and desc()
to simplify the code:
$users = $repository->query
->asc('id', 'createdAt')
->desc('name')
->get();
latest / oldest
The latest and oldest methods allow you to easily order
results by date. By default, result will be ordered by the
createdAt
Entity field. Or, you may pass the column name
that you wish to sort by:
$users = $repository->query
->latest()
->get();
$posts = $repository->query
->oldest('updatedAt')
->get();
groupBy
The groupBy
method may be used to group the query results:
$users = $repository->query
->groupBy('account')
->get();
You may pass multiple arguments to the groupBy
method to group by
multiple columns:
$users = $repository->query
->groupBy('firstName', 'status')
->get();
having
The having
method's signature is similar to that
of the where
method:
$users = $repository->query
->groupBy('account')
->having('account.id', '>', 100)
->get();
skip / take
To limit the number of results returned from the query, or
to skip a given number of results in the query, you may
use the skip()
and take()
methods:
$users = $repository->query->skip(10)->take(5)->get();
Alternatively, you may use the limit
and offset
methods:
$users = $repository->query
->offset(10)
->limit(5)
->get();
before / after
Usually during a heavy load on the DB, the offset
can shift while
inserting new records into the table. In this case it is worth using
the methods of before()
and after()
to ensure that the subsequent
sample will be strictly following the previous one.
Let's give an example of obtaining 10 articles, which are located after the id 15:
$articles = $repository->query
->where('category', 'news')
->after('id', 15)
->take(10)
->get();
range
You may use the range()
method to specify exactly which
record you want to receive as a result:
$articles = $repository->range(10, 20)->get();
Embeddables are classes which are not entities themselves, but are embedded in entities and can also be queried by Hydrogen. You'll mostly want to use them to reduce duplication or separating concerns. Value objects such as date range or address are the primary use case for this feature.
<?php
/**
* @ORM\Entity(repositoryClass=UsersRepository::class)
*/
class User
{
/**
* @ORM\Embedded(class=Address::class)
*/
private $address;
}
/**
* @ORM\Embeddable()
*/
class Address
{
/**
* @ORM\Column(type="string")
*/
private $city;
/**
* @ORM\Column(type="string")
*/
private $country;
}
To manage Embeddables through queries, you can use the point (.
) operator:
<?php
class UsersRepository extends EntityRepository
{
use Hydrogen;
public function findAllOrderedByCountry(): iterable
{
return $this->query->asc('address.country')->get();
}
}
The Doctrine ORM provides several types of different relations: @OneToOne
,
@OneToMany
, @ManyToOne
and @ManyToMany
. And "greed" for loading these
relations is set at the metadata level of the entities. The Doctrine
does not provide the ability to manage relations and load them
during querying, so when you retrieve the data, you can encounter
N+1
queries without the use of DQL, especially
on @OneToOne
relations, where there is simply no other loading option.
The Hydrogen allows you to flexibly manage how to obtain relations at the query level, as well as their number and additional aggregate functions applicable to these relationships:
<?php
/**
* @ORM\Entity()
*/
class Customer
{
/** .... */
/**
* @ORM\OneToOne(targetEntity=Cart::class, mappedBy="customer")
*/
private $cart;
}
/**
* @ORM\Entity()
*/
class Cart
{
/** .... */
/**
* @ORM\OneToOne(targetEntity=Customer::class, inversedBy="cart")
* @ORM\JoinColumn(name="customer_id", referencedColumnName="id")
*/
private $customer;
}
If you create a basic query to the repository, in this case you will
get the same N+1
, where for each element the blocks will be
generated with one additional query, for each related entity.
One of the options for working with relations in the Doctrine are joins.
In order for the query to ask for data with a relation in one query, you
should use join
(uses INNER JOIN
) or leftJoin
(uses LEFT JOIN
) methods:
$customers = $customerRepository->query
->join('cart')
->get();
foreach ($customers as $customer) {
echo $customer->cart->id;
}
Please note that when using joins, you can not use
limit
, because it affects the total amount of data in the response (i.e., including relations), rather than the number of parent entities.
We can also work with additional operations on dependent entities. For example, we want to get a list of users (customers) who have more than 100 rubles on their balance sheet:
$customers = $customerRepository->query
->join(['cart' => function (Query $query): void {
$query->where('balance', '>', 100)
->where('currency', 'RUB');
}])
->get();
Note: Operations using
join
affect the underlying query.
So, if we need all the customers that have been ordered, for example, movie tickets, we need to make a simple request:
$customers = $customerRepository->query
->join(['cart.goods' => function (Query $query): void {
$query->where('category', 'tickets')
->where('value', '>', 0);
}])
->get();
Sometimes it takes a long time to build a whole query, and some parts of it already repeat existing ones. In this case, we can use the mechanism of scopes, which allows you to add a set of methods to the query, which in turn must return parts of the query we need:
<?php
class UsersRepository extends EntityRepository
{
use Hydrogen;
public function banned(bool $positive = true): Query
{
return $positive
? $this->query->whereNotNull('bannedAt')
: $this->query->whereNull('bannedAt');
}
public function findBanned(): iterable
{
// We supplement the query, call the existing method "banned"
return $this->query->banned->get();
}
public function findActive(): iterable
{
// We supplement the query, call the existing method "banned" with additional argument "false"
return $this->query->banned(false)->get();
}
}
As the base kernel used a Illuminate Collections but some new features have been added:
- Add HOM proxy autocomplete.
- Added support for global function calls using the Higher Order Messaging and the Pattern Matching.
Pattern "_
" is used to specify the location of the delegate in
the function arguments in the higher-order messaging while using global functions.
use RDS\Hydrogen\Collection;
$data = [
['value' => '23'],
['value' => '42'],
['value' => 'Hello!'],
];
$example1 = Collection::make($data)
->map->value // ['23', '42', 'Hello!']
->toArray();
//
// $example1 = \array_map(function (array $item): string {
// return $item['value'];
// }, $data);
//
$example2 = Collection::make($data)
->map->value // ['23', '42', 'Hello!']
->map->intval(_) // [23, 42, 0]
->filter() // [23, 42]
->toArray();
//
//
// $example2 = \array_map(function (array $item): string {
// return $item['value'];
// }, $data);
//
// $example2 = \array_map(function (string $value): int {
// return \intval($value);
// ^^^^^ - pattern "_" will replaced to each delegated item value.
// }, $example1);
//
// $example2 = \array_filter($example2, function(int $value): bool {
// return (bool)$value;
// });
//
//
$example3 = Collection::make($data)
->map->value // ['23', '42', 'Hello!']
->map->mbSubstr(_, 1) // Using "mb_substr(_, 1)" -> ['3', '2', 'ello!']
->toArray();
use RDS\Hydrogen\Collection;
$collection = Collection::make([
['a' => 'A1', 'b' => 'B1' 'value' => '23'],
['a' => 'A2', 'b' => 'B2' 'value' => '42'],
['a' => 'A3', 'b' => 'B3' 'value' => 'Hello!'],
]);
// Displays all data
foreach($collection as $item) {
\var_dump($item); // [a => 'A*', b => 'B*', value => '***']
}
// Displays only "a" field
foreach ($collection as ['a' => $a]) {
\var_dump($a); // 'A'
}
Beethoven approves.