我有一个非常简单的API。您可以将价格(价值和货币)发布到API。默认货币是欧元,因此可以省略货币。 API返回完整的价格对象:
$ curl -d '{"value":12.1}' http://localhost:8000/prices.json
{
"value": 12.1,
"currency": "EUR"
}
所以我想用Symfony Forms来实现它。我已经建立了一个包含一些基本验证规则的小型数据模型:
namespace AppBundle\Model;
use Symfony\Component\Validator\Constraints as Assert;
class Price
{
/**
* @Assert\NotBlank()
* @Assert\GreaterThanOrEqual(0)
*/
public $value;
/**
* @Assert\NotBlank()
* @Assert\Length(min=3, max=3)
*/
public $currency = 'EUR';
}
带有以下形式的控制器:
namespace AppBundle\Controller;
use AppBundle\Model\Price;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\Routing\Annotation\Route;
class PriceController extends Controller
{
/**
* @Route("/prices.json")
*/
public function apiAction(Request $request)
{
$product = new Price();
$form = $this->createFormBuilder($product, [
'csrf_protection' => false,
])
->add('value', 'number')
->add('currency')
->getForm();
$form->submit(json_decode($request->getContent(), true));
if ($form->isValid()) {
return new JsonResponse($product);
}
return new JsonResponse($form->getErrorsAsString());
}
}
仅当我传递请求正文中的所有字段时才有效。我不能省略货币。同时设置data
或empty_data
也无济于事。
我尝试在$clearMissing
方法上切换submit()
,但这会禁用模型的验证:
$form->submit(json_decode($request->getContent(), true), false);
到目前为止,我提出的最佳工作理念是合并数据的事件监听器:
$form = $this->createFormBuilder($product, [
'csrf_protection' => false,
])
->add('value', 'number')
->add('currency')
->addEventListener(FormEvents::PRE_SUBMIT, function(FormEvent $e) {
$e->setData(array_merge((array) $e->getForm()->getData(), $e->getData()));
})
->getForm();
这适用于我的简单示例。但这是最好的方式吗?还是有其他/更好的选择吗?
答案 0 :(得分:1)
您的解决方案对我来说很好看!我认为像你一样添加事件监听器是最好的方法。
我建议使用array_replace()
代替array_merge()
,因为它专用于关联数组。