0

我有一个模型类,我在许多视图中使用它。

class Translations extends CActiveRecord
{
...
    public function attributeLabels()
    {
        return array(
            'row_id' => 'Row',
            'locale' => 'Locale',
            'short_title' => 'Short Title',
            'title' => 'Title',
            'sub_title' => 'Sub Title',
            'description' => 'Description',
            'content1' => 'Content1',
            'content2' => 'Content2',
            'com_text1' => 'Com Text1',
            'com_text2' => 'Com Text2',
            'com_text3' => 'Com Text3',
            'com_text4' => 'Com Text4',
            'com_text5' => 'Com Text5',
            'com_text6' => 'Com Text6',         
        );
    }
...
}

我可以更改每个视图的模型属性标签值吗?

4

2 回答 2

2

您可以根据要使用的视图为模型声明一个场景并根据场景定义参数吗?假设您的不同观点适用于不同的人:

public function attributeLabels()
{
    switch($this->scenario)
    {
        case 'PersonA':
            $labels = array(
                ...
                'myField' => 'My Label for PersonA',
               ...
            );
            break;
        case 'PersonB':
            $labels = array(
                ...
                'myField' => 'My Label for PersonB',
               ...
            );
            break;
        case 'PersonC':
            $labels = array(
                ...
                'myField' => 'My Label for PersonC',
               ...
            );
            break;
    }
    return $labels;
}

然后在每个人的控制器中,您可以定义场景,例如;

$this->scenario = 'PersonA';

然后在将“PersonA”声明为场景后的视图中,您会看到“ myFieldPersonA 的我的标签”的标签

于 2012-11-07T11:41:17.803 回答
0

没有允许您以官方方式更改属性标签的方法或变量,因此我建议您扩展模型以支持它。

在 CActiveRecord 中,您可以定义名为 attributeLabels 的字段和名为 setAttributeLabels 的方法,并覆盖 attributeLabels 方法。

protected $attributeLabels = [];

public function setAttributeLabels($attributeLabels = []){
    $this->attributeLabels = $attributeLabels;
}

/**
 * @inheritDoc
 *
 * @return array
 */
public function attributeLabels(){
    return array_merge(parent::attributeLabels(), $this->attributeLabels);
}

并从 \yii\base\Model::attributeLabels 的文档中说

注意,为了继承父类中定义的标签,子类需要使用诸如array_merge().

因此,在 Translations 类中,您应该合并来自父级的属性标签,以及 CActiveRecord 类。所以 CActiveRecord attributeLabels 方法应该是这样的:

public function attributeLabels(){
    return array_merge([
        'row_id' => 'Row',
        'locale' => 'Locale',
        'short_title' => 'Short Title',
        'title' => 'Title',
        'sub_title' => 'Sub Title',
        'description' => 'Description',
        'content1' => 'Content1',
        'content2' => 'Content2',
        'com_text1' => 'Com Text1',
        'com_text2' => 'Com Text2',
        'com_text3' => 'Com Text3',
        'com_text4' => 'Com Text4',
        'com_text5' => 'Com Text5',
        'com_text6' => 'Com Text6',
    ], parent::attributeLabels());
}
于 2019-10-14T03:58:14.143 回答