1

我有两个表,如下所示。

tbl_tests:

id | testname | description

tbl_testitems:

id | itemname | description | testid

我需要为他们两个都使用一个单选列表,这样当我为测试选择单选列表时,只会显示所选中的 testitem 列表。这是我的代码:

<?=
$form->field($model, 'labtestid')->radioList(
        ArrayHelper::map(Labratorytest::find()->orderBy('testName')->all(), 'testid', 'testName'), [
    'onchange' => '$.post( "index.php?r=labratorytestitem/lists&id=' . '"+$(this).val(), function(data){
      $( "select#suggesttest-labtestitemid" ).html( data );
    });'
    , 'return' => true], ['id' => 'test'])->label('');
?>

<?=
$form->field($model, 'labtestitemid')->radioList($allItemsArray, ['return' => true])->label('')
?>

testItemsController中的actionLists方法是

public function actionLists($id) {
    $countItems = \app\models\Labratorytestitem::find()->where(['testid' => $id])->count();
    $testItems = \app\models\Labratorytestitem::find()->where(['testid' => $id])->all();
    $mymodel = new \app\models\Suggesttest();
    if ($countItems > 0) {
        foreach ($testItems as $item) {
            echo '<input type="radio" name="' . $item->itemName . '" value="' . $item->itemid . '>';
        }
    } else {
        echo ' ';
    }
}

但是当我选择 时radiolist,它没有显示所选测试中的项目。请帮我!提前致谢!!!

4

1 回答 1

0

我认为您在代码中犯了一些错误。首先,您正在混合postget请求。您的onchange事件正在触发post请求,但您尚未指定要发送的任何数据。然后,您的控制器正在等待get请求,但没有收到请求。你在回显你的数据后没有告诉 yii 结束,并且控制器名称看起来不对,是错字吗?

无论如何,试试这个代码。我建议了一些代码简化以使其更易于阅读。

在您的视图文件中;

<?=
//Note the url, as you asked for it, is to a controller called `laboratorytestitem`, not `testitems` as you've called the controller
$url = Url::to(['/laboratorytestitem/lists', 'id' => $model->id]);
$js = <<<JS
    $(#suggesttest-labtestid).on('change', function(){
        $.get($url, function(data){
            $( "select#suggesttest-labtestitemid" ).html( data );
        })
    });
JS
$this->registerJs($js);

$form->field($model, 'labtestid')->radioList(
        ArrayHelper::map(Labratorytest::find()->orderBy('testName')->all(), 'testid', 'testName'), ['return' => true, 'id' => 'test'])->label('');
?>

现在,在你的控制器中laboratorytestitem,你将有一个动作lists

public function actionLists($id) {
    $testItems = \app\models\Labratorytestitem::find()
        ->where(['testid' => $id])
        ->all();
$count = count($testItems);
$output = '';
    if ($count > 0) {
        foreach ($testItems as $item) {
            $output .= '<input type="radio" name="' . $item->itemName . '" value="' . $item->itemid . '>';
        }
    }
    echo $output;
    Yii::$app->end();
}

当您运行代码时,请检查浏览器上控制台的输出,以确保它找到了正确的 url,发送的数据是您所期望的,并且服务器的响应是您所期望的。通过这种方式,您可以查明任何问题。

于 2015-12-20T01:03:31.573 回答