我详细介绍了使用Kartik Detail View。通过单击右上角的铅笔图标按钮,此小部件具有编辑内联功能
然后表格可以像这样编辑: 我编辑了数据,然后单击Floopy Disk Icon按钮作为Save。
没有任何事情发生,我的数据仍然相同,我的更新没有成功。
这是我在view.php中的代码
<?=
DetailView::widget([
'model' => $model,
'condensed' => true,
'hover' => true,
'mode' => DetailView::MODE_VIEW,
'panel' => [
'heading' => 'Data Details',
'type' => DetailView::TYPE_INFO,
],
'attributes' => [
'product',
'productId',
'distDate',
'created_at',
'created_by',
[
'attribute' => 'is_exported',
'value' => $model->isExported->name,
],
],
'buttons1' => '{update}',
])
?>
为什么窗口小部件没有保存编辑过的数据?我的代码出了什么问题?
这是我控制器中的操作:
public function actionUpdate($id) {
$model = $this->findModel($id);
if ($model->load(Yii::$app->request->post()) && $model->save()) {
return $this->redirect(['view', 'id' => $model->productId]);
} else {
return $this->render('update', [
'model' => $model,
]);
}
}
我使用纯动作,我没有更改Controller中的代码。
<?php
namespace app\modules\vatout\models;
use Yii;
class VatoutFakturOut extends \yii\db\ActiveRecord
{
/**
* @inheritdoc
*/
public static function tableName()
{
return 'vatout_faktur_out';
}
/**
* @inheritdoc
*/
public function rules()
{
return [
[['user_id', 'parent_id', 'product'], 'required'],
[['user_id', 'parent_id', 'is_exported'], 'integer'],
[['distDate', 'updated_at', 'created_at'], 'safe'],
[['updated_by', 'created_by'], 'string', 'max' => 16],
[['product'], 'string', 'max' => 128],
];
}
/**
* @inheritdoc
*/
public function attributeLabels()
{
return [
'producrID' => 'Product ID',
'user_id' => 'User ID',
'parent_id' => 'Parent ID',
'distDate' => 'Dist Date',
'Product' => 'Product',
'is_exported' => 'Is Exported',
];
}
/**
* @return \yii\db\ActiveQuery
*/
public function getIsExported()
{
return $this->hasOne(VatoutStatus::className(), ['id' => 'is_exported']);
}
}
答案 0 :(得分:2)
行$model = $this->findModel($id);
:
您在Controller上使用$this
,因此它会尝试从数据库中找到控制器的数据(该数据不存在)。此外,控制器中没有此类方法findModel()
,这应该用于具有ActiveRecord
扩展名的模型。正确的用法是:
$model = VatoutFakturOut::findOne($id);
但是,似乎此小部件未传递任何$id
(因此,$id
中的参数actionUpdate($id)
无用)。如何获得身份证?来自Yii::$app->request->post()['VatoutFakturOut']['productId']
。但应检查是否已定义,否则您将收到警告:
$post = Yii::$app->request->post();
if (empty($post['VatoutFakturOut']['productId'])) {
throw new NotFoundHttpException('Not found.');
}
第三件事是,您可以让用户编辑ID(即使它没有被覆盖)......这是您不应该做的事情。我会略微更改视图文件的代码:
'attributes' => [
'product',
[
'attribute' => 'productId',
'options' => ['readonly' => true],
],
'distDate',
'created_at',
'created_by',
[
'attribute' => 'is_exported',
'value' => $model->isExported->name,
],
],
假设productId
是主键。这将不允许用户编辑此字段,但仍会将其发送到控制器。
最终结果:
public function actionUpdate()
{
$post = Yii::$app->request->post();
if (empty($post['VatoutFakturOut']['id'])) {
throw new NotFoundHttpException('VatoutFakturOut not found.');
}
$model = VatoutFakturOut::findOne($post['VatoutFakturOut']['id']);
if ($model->load($post) && $model->save()) {
return $this->redirect(['view', 'id' => $model->productId]);
} else {
return $this->render('update', [
'model' => $model,
]);
}
}