我想知道是否有办法搜索文档字段,如下所示:
/**
* @var array
*
* @ORM\Column(name="tags", type="array", nullable=true)
*/
private $tags;
在数据库中看起来像php数组解释:
a:3:{i:0;s:6:"tagOne";i:1;s:6:"tagTwo";i:2;s:8:"tagThree";}
现在我尝试通过标记试用
来搜索实体public function findByTag($tag) {
$qb = $this->em->createQueryBuilder();
$qb->select('u')
->from("myBundle:Entity", 'u')
->where('u.tags LIKE :tag')
->setParameter('tag', $tag );
$result=$qb->getQuery()->getResult();
return $result;
}
总是返回array[0]
的只是不明白
我能够改变他们如何得救的方式 任何帮助,提前谢谢
答案 0 :(得分:7)
您需要在要搜索的值之前和/或之后为literal
定义%
标记;在这种情况下,您甚至不需要在短语之前和之后使用单引号:
$qb = $this->em->createQueryBuilder();
$qb->select('u')
->from("myBundle:Entity", 'u')
->where($qb->expr()->like('u.tags', $qb->expr()->literal("%$tag%")))
$result=$qb->getQuery()->getResult();
return $result;
您可以关注所有Doctrine expr class
的列表答案 1 :(得分:3)
几个月前我实现了这个目标 - 你错过了%
通配符。您可以执行以下操作:
$qb->select('u')
->from("myBundle:Entity", 'u')
->where('u.tags LIKE :tag')
->setParameter('tag', '%"' . $tag . '"%' );
显然,关键部分是放置%
通配符,但您还需要放置"
(双引号)以防止选择部分匹配(如果必要)。将这些内容留下来包括部分内容,但由于您正在搜索代码,我不会认为是这种情况。
希望这会有所帮助......
答案 2 :(得分:0)
基于先前的回答和我的评论中表达的一个想法,我决定使用此常规静态函数来完成这项工作:
/**
* @param EntityManagerInterface $entityManager
* @param string $entity
* @param string $arrayField
* @param string $string
*
* @return array
*/
public static function findByStringInArrayField(
EntityManagerInterface $entityManager,
string $entity,
string $arrayField,
string $string
): array {
$serializedString = serialize($string);
$columnName = $entityManager->getClassMetadata($entity)->getColumnName($arrayField);
$qb = $entityManager->createQueryBuilder();
return $qb->select('u')
->from(GNode::class, 'u')
->where(
$qb->expr()
->like(
"u.$columnName",
$qb->expr()->literal("%$serializedString%")
)
)
->getQuery()
->getResult();
}
...并且可以像这样从ServiceEntityRepository
内调用它:
$entities = self::findByStringInArrayField($this->getEntityManager(), MyEntity::class, 'tags', $tag);