我需要知道如何自定义我的联系方式和注册表单。如何添加新字段(和)并使这些字段中的信息为必填或不需要。
我需要知道我必须为这些表单编辑哪些文件...
我使用 prestashop 1.4.7.0
我需要知道如何自定义我的联系方式和注册表单。如何添加新字段(和)并使这些字段中的信息为必填或不需要。
我需要知道我必须为这些表单编辑哪些文件...
我使用 prestashop 1.4.7.0
这实际上是两个独立的问题,因为您处理每种情况的方式存在重大差异。
对于注册表单,您可以编写一个包含两个钩子处理函数的模块。这些将是:
public function hookCreateAccountForm() {}
public function hookCreateAccount($params) {}
第一个功能允许您向注册表单添加其他字段(默认情况下,这些字段被插入到表单的末尾authentication.tpl
,尽管您可以将它们作为一个单独的组移动到其他地方)。它应该只返回您需要的附加表单 html。
第二个函数为您提供了两个参数来处理帐户创建过程。这是在标准字段被验证并创建新客户之后执行的。不幸的是,您无法使用它对附加字段进行验证(您需要使用 javascript 或覆盖AuthController
在preProcess()
成员函数中执行您自己的身份验证)。在我自己的网站自定义模块之一中,我有以下内容,例如:
public function hookCreateAccount($params)
{
$id_lang = (int)Configuration::get('PS_LANG_DEFAULT');
$customer = $params['newCustomer'];
$address = new Address(Address::getFirstCustomerAddressId((int)$customer->id));
$membership_number = $params['_POST']['membership_number'];
....
....
}
$params['newCustomer']
是数组中的标准 Prestashop 元素,包含新创建的客户对象。您的字段将在$params['_POST']
数组中 - 在我的情况下,它是一个名为membership_number
.
对于联系表格,恐怕要复杂得多。html 最简单的方法是在模板文件中硬编码您的附加字段contact-form.tpl
。
要实际处理表单,您需要通过创建一个名为ContactController.php
in的文件来为控制器创建一个覆盖,该文件/<web-root>/<your-optional-ps-folder>/override/controller
包含以下内容:
<?php
class ContactController extends ContactControllerCore {
function preProcess()
{
if (Tools::isSubmit('submitMessage'))
{
// The form has been submitted so your field validation code goes in here.
// Get the entered values for your fields using Tools::getValue('<field-name>')
// Flag errors by adding a message to $this->errors e.g.
$this->errors[] = Tools::displayError('I haven't even bothered to check!');
}
parent::preProcess();
if (Tools::isSubmit('submitMessage') && is_empty($this->errors))
{
// Success so now perform any addition required actions
// Note that the only indication of success is that $this->errors is empty
}
}
}
另一种方法是复制整个 preProcess 函数controllers\ContactController
并对其进行修改,直到它完成你想要的......