wallabag/src/Wallabag/CoreBundle/Repository/TagRepository.php

101 lines
2.8 KiB
PHP
Raw Normal View History

2015-02-20 16:18:48 +00:00
<?php
namespace Wallabag\CoreBundle\Repository;
use Doctrine\ORM\EntityRepository;
2017-07-29 20:51:50 +00:00
use Wallabag\CoreBundle\Entity\Tag;
2015-02-20 16:18:48 +00:00
2015-02-20 16:20:12 +00:00
class TagRepository extends EntityRepository
2015-02-20 16:18:48 +00:00
{
2015-08-19 09:46:21 +00:00
/**
2016-09-25 10:23:44 +00:00
* Count all tags per user.
2015-08-19 09:46:21 +00:00
*
2015-12-29 13:50:52 +00:00
* @param int $userId
* @param int $cacheLifeTime Duration of the cache for this query
2015-08-19 09:46:21 +00:00
*
2016-09-25 10:23:44 +00:00
* @return int
2015-08-19 09:46:21 +00:00
*/
2016-09-25 10:23:44 +00:00
public function countAllTags($userId, $cacheLifeTime = null)
{
$query = $this->createQueryBuilder('t')
2016-09-25 10:23:44 +00:00
->select('t.slug')
->leftJoin('t.entries', 'e')
->where('e.user = :userId')->setParameter('userId', $userId)
->groupBy('t.slug')
->getQuery();
if (null !== $cacheLifeTime) {
$query->useQueryCache(true);
$query->useResultCache(true);
$query->setResultCacheLifetime($cacheLifeTime);
}
2016-09-25 10:23:44 +00:00
return count($query->getArrayResult());
}
/**
* Find all tags per user.
2016-10-11 19:45:43 +00:00
* Instead of just left joined on the Entry table, we select only id and group by id to avoid tag multiplication in results.
* Once we have all tags id, we can safely request them one by one.
* This'll still be fastest than the previous query.
*
* @param int $userId
*
* @return array
*/
public function findAllTags($userId)
2015-08-19 09:46:21 +00:00
{
2016-10-11 19:45:43 +00:00
$ids = $this->createQueryBuilder('t')
->select('t.id')
2016-05-03 07:39:34 +00:00
->leftJoin('t.entries', 'e')
->where('e.user = :userId')->setParameter('userId', $userId)
2016-10-11 19:45:43 +00:00
->groupBy('t.id')
->orderBy('t.slug')
->getQuery()
->getArrayResult();
2016-02-10 16:41:28 +00:00
2016-10-11 19:45:43 +00:00
$tags = [];
foreach ($ids as $id) {
$tags[] = $this->find($id);
}
return $tags;
}
2016-02-10 16:41:28 +00:00
/**
* Used only in test case to get a tag for our entry.
*
* @return Tag
*/
public function findOneByEntryAndTagLabel($entry, $label)
2016-02-10 16:41:28 +00:00
{
return $this->createQueryBuilder('t')
->leftJoin('t.entries', 'e')
->where('e.id = :entryId')->setParameter('entryId', $entry->getId())
->andWhere('t.label = :label')->setParameter('label', $label)
->setMaxResults(1)
->getQuery()
->getSingleResult();
}
2017-03-31 15:03:08 +00:00
public function findForArchivedArticlesByUser($userId)
{
$ids = $this->createQueryBuilder('t')
->select('t.id')
->leftJoin('t.entries', 'e')
->where('e.user = :userId')->setParameter('userId', $userId)
->andWhere('e.isArchived = true')
->groupBy('t.id')
->orderBy('t.slug')
->getQuery()
->getArrayResult();
$tags = [];
foreach ($ids as $id) {
$tags[] = $this->find($id);
}
return $tags;
}
2015-02-20 16:18:48 +00:00
}