我尝试过不同的创作方法。
通常我有一个动作可以渲染,验证和保存数据。
现在我想要两个单独的动作。一个用于渲染视图,另一个用于验证和数据存储。
查看
$form = ActiveForm::begin([
'action' => ['ew/eshop-create'],
'method' => 'post',
]);
echo $form->field($model, 'input')->textarea([
'rows' => '20'
]);
echo Html::submitButton(
'<i class="glyphicon glyphicon-send"></i> Odoslať',
[
'class' => 'btn btn-success',
'name' => 'create-button'
]
);
ActiveForm::end();
模型
class EshopCreate extends Model
{
public $input;
public function attributeLabels()
{
return [
'input' => 'JSON vstup'
];
}
public function rules()
{
return [
['input', 'required'],
['input', 'validateInput'],
];
}
public function validateInput()
{
// validate json
$this->addError('input', 'Something is wrong');
}
}
控制器
class EwController extends Controller
{
public function actionEshopCreateForm()
{
$model = new EshopCreate();
return $this->render('eshop-create-form', [
'model' => $model
]);
}
public function actionEshopCreate()
{
$model = new EshopCreate();
if ($model->load(Yii::$app->request->post()) && $model->validate()) {
exit('create');
}
return $this->redirect(['ew/eshop-create-form']);
}
}
修改
所以我有验证问题。我在model->load
中切换了model->validate
和actionEshopCreate
。
所以它工作正常,但不显示来自validateInput
的消息。此外,当我关闭客户端验证时,根本没有错误消息。所以我的问题是如何将错误从一个动作传递到另一个动作。
感谢。
答案 0 :(得分:1)
提交表单时,您将重定向到其他操作,但无法通过验证
return $this->redirect(['ew/eshop-create-form']);
当重定向发生时,EshopCreate模型将丢失所有验证消息
可能你想做这样的事情
class EwController extends Controller
{
public function actionEshopCreateForm()
{
$model = new EshopCreate();
return $this->render('eshop-create-form', [
'model' => $model
]);
}
public function actionEshopCreate()
{
$model = new EshopCreate();
if ($model->load(Yii::$app->request->post()) && $model->validate())
{
//store the model data in session or somewhere for example where you can retrieve it later in the actionEshopCreateForm() action
return $this->redirect(['ew/eshop-create-form']);
}
return $this->render('eshop-create-form', [
'model' => $model
]);
}
}