我有一个字段为$ companies的实体。 该字段必须存储一组Company对象。所以我用这种方式断言:
@Assert\Type("Acme\MyBundle\Entity\Company")
但它总是无效的,因为从我的表格我得到的公司阵列,但这个断言希望它不是阵列而只是一个公司。
那么如何克服这个?我想它必须是这样的:
@Assert\Array(Type("Acme\MyBundle\Entity\Company"))
答案 0 :(得分:13)
由于问题标记为 Symfony2.x ,为了完整起见,我必须指出自 2.1版以来引入的新验证约束All 可以完成整个工作。
对于每个数组或可遍历的对象(例如Doctrine ArrayCollection
),您可以执行以下操作:
/**
* @Assert\All({
* @Assert\Type(type="Acme\MyBundle\Entity\EntityType")
* })
*/
protected $arrayOfEntities;
因此,正在阅读您的问题的 Symfony2.1用户应该更喜欢这个优雅而干净的解决方案。
答案 1 :(得分:7)
没有符合您要求的内置约束,因此您必须自己定义。
约束定义:
namespace MyProject\Validator\Constraints;
use Symfony\Component\Validator\Constraint;
/**
* @Annotation
*/
class CollectionOf extends Constraint {
public $message = 'This value should be a collection of type {{ type }}';
public $type;
public function getDefaultOption() {
return 'type';
}
public function getRequiredOptions() {
return array('type');
}
}
验证器定义:
namespace MyProject\Validator\Constraints;
use Symfony\Component\Validator\Constraint;
use Symfony\Component\Validator\ConstraintValidator;
use Symfony\Component\Validator\Exception\UnexpectedTypeException;
class CollectionOfValidator extends ConstraintValidator {
public function isValid($value, Constraint $constraint) {
if ($value === null) {
return true;
}
if (!is_array($value) && !$value instanceof \Traversable) {
throw new UnexpectedTypeException($value, 'collection');
}
if (count($value) === 0) {
return true;
}
$type = $constraint->type == 'boolean' ? 'bool' : $constraint->type;
$function = 'is_' . $type;
$primitiveTest = function_exists($function);
foreach ($value as $item) {
if (
($primitiveTest && !call_user_func($function, $item)) ||
(!$primitiveTest && !$item instanceof $type)
) {
$this->setMessage($constraint->message, array(
'{{ value }}' => is_object($item) ? get_class($item) : gettype($item),
'{{ type }}' => $constraint->type
));
return false;
}
}
return true;
}
}
上述验证器适用于集合和数组。
导入您自己的约束:
// My\TestBundle\Entity\Company
use Doctrine\ORM\Mapping as ORM;
use MyProject\Validator\Constraints as MyAssert;
use Symfony\Component\Validator\Constraints as Assert;
class Company {
...
/**
* @ORM\ManyToOne(...)
* @Assert\NotNull
* @MyAssert\CollectionOf("My\TestBundle\Entity\Employee")
*/
private $employees;
}
要使用注释约束,您必须在确认文件中启用它们:
framework:
...
validation:
enable-annotations: true