如何在 symfony 中返回 json 编码的表单错误

2022-08-30 15:36:17

我想创建一个 Web 服务,我向其中提交表单,如果出现错误,则返回一个 JSON 编码列表,告诉我哪个字段是错误的。

目前,我只收到错误消息列表,但没有html id或有错误的字段名称

这是我当前的代码

public function saveAction(Request $request)
{
    $em = $this->getDoctrine()->getManager();

    $form = $this->createForm(new TaskType(), new Task());

    $form->handleRequest($request);

    $task = $form->getData();

    if ($form->isValid()) {

        $em->persist($task);
        $em->flush();

        $array = array( 'status' => 201, 'msg' => 'Task Created'); 

    } else {

        $errors = $form->getErrors(true, true);

        $errorCollection = array();
        foreach($errors as $error){
               $errorCollection[] = $error->getMessage();
        }

        $array = array( 'status' => 400, 'errorMsg' => 'Bad Request', 'errorReport' => $errorCollection); // data to return via JSON
    }

    $response = new Response( json_encode( $array ) );
    $response->headers->set( 'Content-Type', 'application/json' );

    return $response;
}

这将给我一个这样的回应

{
"status":400,
"errorMsg":"Bad Request",
"errorReport":{
        "Task cannot be blank",
        "Task date needs to be within the month"
    }
}

但我真正想要的是像这样的东西

{
"status":400,
"errorMsg":"Bad Request",
"errorReport":{
        "taskfield" : "Task cannot be blank",
        "taskdatefield" : "Task date needs to be within the month"
    }
}

我怎样才能做到这一点?


答案 1

我正在使用这个,它工作得很好:

/**
 * List all errors of a given bound form.
 *
 * @param Form $form
 *
 * @return array
 */
protected function getFormErrors(Form $form)
{
    $errors = array();

    // Global
    foreach ($form->getErrors() as $error) {
        $errors[$form->getName()][] = $error->getMessage();
    }

    // Fields
    foreach ($form as $child /** @var Form $child */) {
        if (!$child->isValid()) {
            foreach ($child->getErrors() as $error) {
                $errors[$child->getName()][] = $error->getMessage();
            }
        }
    }

    return $errors;
}

答案 2

我终于在这里找到了这个问题的解决方案,它只需要一个小的修复来遵守最新的symfony更改,它就像一个魅力:

修复包括替换第 33 行

if (count($child->getIterator()) > 0) {

if (count($child->getIterator()) > 0 && ($child instanceof \Symfony\Component\Form\Form)) {

因为,随着 Form\Button 在 symfony 中的引入,序列化函数中将发生类型不匹配,该函数期望始终是 Form\Form 的实例。

您可以将其注册为服务:

services:
form_serializer:
    class:        Wooshii\SiteBundle\FormErrorsSerializer

然后按照作者的建议使用它:

$errors = $this->get('form_serializer')->serializeFormErrors($form, true, true);

推荐