我正在尝试使用学说在数据库中保存一个简单的表格。我创建的实体 - 让我们将其命名为
Brand
- 使用 php bin/console make:entity
有一个布尔属性:
#[ORM\Entity(repositoryClass: BrandRepository::class)]
class Brand
{
#[ORM\Id]
#[ORM\GeneratedValue]
#[ORM\Column]
private ?int $id = null;
#[ORM\Column]
private ?bool $is_enabled = null;
public function getId(): ?int
{
return $this->id;
}
public function isEnabled(): ?bool
{
return $this->is_enabled;
}
public function setEnabled(bool $is_enabled): static
{
$this->is_enabled = $is_enabled;
return $this;
}
}
这个实体是完全自动生成的,我没有做任何更改。我还使用
php bin/console make:crud
命令创建了一个表单类型。生成的名为 BrandType
的表单类型如下所示:
class BrandType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options): void
{
$builder
->add('is_enabled', CheckboxType::class, [
'required' => false,
// I tried these 2 options, but didn't help:
// 'empty_data' => false,
// 'false_values' => [false],
'value' => true
])
;
}
public function configureOptions(OptionsResolver $resolver): void
{
$resolver->setDefaults([
'data_class' => Brand::class,
]);
}
}
正如您在下面看到的,表单处理程序非常简单:
#[Route('/brand')]
class BrandController extends AbstractController
{
#[Route('/new', methods: ['GET', 'POST'])]
public function new(Request $request, EntityManagerInterface $entityManager): Response
{
$brand = new Brand();
$form = $this->createForm(BrandType::class, $brand);
$form->handleRequest($request);
if ($form->isSubmitted() && $form->isValid()) {
$entityManager->persist($brand);
$entityManager->flush();
return $this->redirectToRoute('blah', [], Response::HTTP_SEE_OTHER);
}
return $this->render('brand/new.html.twig', [
'brand' => $brand,
'form' => $form,
]);
}
}
但是当我提交表单时,我收到此错误:
“App\Entity\Catalog\Brand”类中的“isEnabled”方法需要 0 参数,但应该只接受 1..
异常突出显示控制器中的
$form->handleRequest($request);
行。我正在使用 PHP 8.3.6 和 Symfony 6.4.10,我正在使用的学说包如下所列:
"doctrine/dbal": "^3",
"doctrine/doctrine-bundle": "^2.12",
"doctrine/doctrine-migrations-bundle": "^3.3",
"doctrine/orm": "^3.2",
你知道我在这里错过了什么吗?预先感谢。
从逻辑上讲,类
Brand
的属性应该命名为 enabled
,并带有 setter setEnabled
和 getter isEnabled
。
要解决该错误,请将属性重命名为
enabled
或将 getter 重命名为 getIsEnabled
。
另请参阅此讨论。