如何在Yii2中为数组值生成活动隐藏输入

时间:2017-05-22 09:00:30

标签: php yii2

我有一个表单属性的多维数组值,我需要将表单作为隐藏输入包含在内。

$model->ids = ['first' => [1, 2], 'second' => [22]];

我无法使用activeHiddenInput,因为它提供了错误

// gives error: "Array to string conversion"
<?= Html::activeHiddenInput($model, 'ids')?>

预期结果:

<input type="hidden" name="formName[ids][first][]" value="1" />
<input type="hidden" name="formName[ids][first][]" value="2" />
<input type="hidden" name="formName[ids][second][]" value="22" />

..或..

<input type="hidden" name="formName[ids][first][0]" value="1" />
<input type="hidden" name="formName[ids][first][1]" value="2" />
<input type="hidden" name="formName[ids][second][0]" value="22" />

在yii2框架概念中解决这个问题的最佳方法是什么?

1 个答案:

答案 0 :(得分:1)

所以这就是我解决的问题,以防任何人需要它。

我使用以下方法扩展yii/bootstrap/Html类:

/**
 * Generates list of hidden input tags for the given model attribute when the attribute's value is an array.
 *
 * @param Model $model
 * @param string $attribute
 * @param array $options
 * @return string
 */
public static function activeHiddenInputList($model, $attribute, $options = [])
{
    $str = '';
    $flattenedList = static::getflatInputNames($attribute, $model->$attribute);
    foreach ($flattenedList as $flattenAttribute) {
        $str.= static::activeHiddenInput($model, $flattenAttribute, $options);
    }
    return $str;
}

/**
 * @param string $name
 * @param array $values
 * @return array
 */
private static function getflatInputNames($name, array $values)
{
    $flattened = [];
    foreach ($values as $key => $val) {
        $nameWithKey = $name . '[' . $key . ']';
        if (is_array($val)) {
            $flattened += static::getflatInputNames($nameWithKey, $val);
        } else {
            $flattened[] = $nameWithKey;
        }
    }
    return $flattened;
}

调用Html::activeHiddenInputList($model, 'ids');会输出

<input id="formname-ids-first-0" type="hidden" name="formName[ids][first][0]" value="1" />
<input id="formname-ids-first-1" type="hidden" name="formName[ids][first][1]" value="2" />
<input id="formname-ids-second-0" type="hidden" name="formName[ids][second][0]" value="22" />