1

我正在开发一个带有可定制产品的电子商务系统。每个产品可能有一些选项,就其本身而言,可能具有消费者选择的一个或多个值。由于我的用户的高度定制(某些产品可能有超过 1M 的变体),我不能使用变体方法,所以我需要坚持客户选择的选项组合。

一旦每个产品可能具有不同的选项,表单选项就会动态组合。这种形式应该将用户选择转换为关系数据库的可存储结构。

基本上,这是我的场景(我的尝试):

  • 产品
  • 选项
  • 期权价值
  • 产品选项
  • 命令
  • 订单项
  • 订单项选项

夹具:

  • 选项: 1#沙拉
    • 值: 1#番茄、2#生菜、3#泡菜、3#胡萝卜
  • 产品:汉堡包
  • 产品选项: 1#沙拉
    • 值: 1#番茄、2#生菜、辣椒

我的目标是这样的:

class OrderItemType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        $field = $builder->create('options', new OptionPickerType(), ['options' => $options['product']->getOptions()]);
        $field->addModelTransformation(new FixOptionIndexTransformer());
        $builder->add($field);
    }
}

class OptionPickerType extends AbstractType
{
    public function buildForm(FormBuilderInterface $builder, array $options)
    {
        foreach ($options['options'] as $productOption) {
            $name = $productOption->getId();
            $builder->add($name, 'choice', array(
                'choice_list'   => new ObjectChoiceList($productOption->getValues(), 'label', array(), null, 'id'),
                'multiple' => true,
                'cascade_validation' => true,
                'property_path' => '['.$name.']'
            ));
        }
    }
}

$form = $factory->create(new OrderItemType(), ['product' => $product]);

if ($request->isMethod('POST')) {
    $form->bind($request);

    if ($form->isValid()) {
        $item = $form->getItem(); // A collection of ItemOption filled with the OptionValue picked out from Choice field
    }
}

此配置将按预期返回 OptionValue 数组的集合。事实上,这对我的目的来说是不够的。我真正需要的是一个扁平的集合,其中包含所有选择的值以及一些额外的数据:

class ItemOption
{
    protected $item;
    protected $productOption;
    protected $option; // $productOption->getName()
    protected $optionValue;
    protected $value; // / $optionValue->getLabel()
}

如您所见,Choice 字段的值实际上在 ItemOption 内部。

经过几天的尝试,我无法弄清楚如何做到这一点,甚至无法思考其他方法。

你能帮助我吗?

4

1 回答 1

1

首先,当我发现很难将表单映射到我的模型时,我通常会发现模型过于复杂。简化模型以在必要时具有清晰的关系和中间对象(在不必要的情况下没有)通常在这里有所帮助。

话虽如此,在我看来,您的选项选择器上的模型转换器应该可以完成这项工作:

foreach ($options['options'] as $productOption) {
    // ...
}

$builder->addModelTransformer(new CallbackTransformer(
    // model to normalized
    // needed when setting default values, not sure if required in your case
    function ($modelData) {
    },
    // normalized to model
    // converts the array of arrays of OptionValues to an array of ItemOptions
    function ($normalizedData) {
        $itemOptions = array();

        foreach ($normalizedData as $optionValues) {
            foreach ($optionValues as $optionValue) {
                $itemOption = new ItemOption();
                $itemOption->setProductOption($optionValue->getProductOption());
                $itemOption->setOptionValue($optionValue);
                $itemOptions[] = $itemOption;
            }
        }

        return $itemOptions;
    }
));
于 2013-08-20T09:20:30.927 回答