将一个对象数组分配给Laravel中的另一个对象的键

时间:2014-05-26 11:14:03

标签: php laravel laravel-4 laravel-3

我正在使用Laravel的Q& A应用程序。在这里,我有两个迁移或数据库表,一个是question_bank,第二个是answer_choices。问答表之间有一对多的关系。在检索问题时,我想检索与此问题相关的所有答案。

为此,我写了一个方法:

public function getQuestion($id){
    $question=QuestionBank::find($id);
    $answers=AnswerBank::where('question_id','=',$id)->get();
    $question->answers=$answers;
        return Response::json($question);
}

answer_choices迁移是:

class AnswerChoices extends Migration {
public function up()
{
Schema::create('answer_choices', function (Blueprint $table) {
        $table->increments('id');
        $table->integer('question_id')->unsigned();
        $table->mediumtext('answer_text');
        $table->boolean('correct')->nullable();
        $table->foreign('question_id')->references('id')->on('question_bank');
    });
}

public function down()
{
    Schema::drop('answer_choices');
}
}

模型是:

<?php

class AnswerBank extends \Eloquent {
protected $fillable = [];
protected $table = "answer_choices";
}

问题模型是

<?php

class QuestionBank extends \Eloquent {
protected $fillable = [];
protected $table = "question_bank";
}

我预计我会得到question.answers:[{},{},{}]的结果 但是在客户端,我将"question.answers":{}作为空白对象。当我仅返回$answers时,它会显示数组中的所有答案对象,如[{},{},{]]

如何在JavaScript中将答案对象作为对象数组?

3 个答案:

答案 0 :(得分:1)

  

问答表之间存在一对多的关系。在检索问题时,我想检索与此问题相关的所有答案

由于您已经定义了关系,因此您只需要在获得问题时Eager Load建立关系,并自动包含答案

public function getQuestion($id){
    $question=QuestionBank::with('answers')->find($id);
    return Response::json($question);
}

答案 1 :(得分:1)

我认为你没有在模型中声明任何关系。这可能是空输出的原因。好的,你在QuestionBank中首先声明一个关系,然后调用

// in model QuestionBank 


public function answers(){

  return $this->HasMany('AnswerBank','id','question_id');

 } 

 // In AnswerBank Model use this

  public function question(){

  return  $this->BelongsTo('QuestionBank');

   }

现在,您可以通过以下方式获取问题的所有答案:

public function getQuestion($id){
  $answers=QuestionBank::with('answers')->find($id);
  return Response::json($answers);
 }

答案 2 :(得分:1)

创造者给出的答案完全正确,只是犯了一个小错误。将运行Corect和您的代码。
更改此功能

public function answers(){

    return $this->HasMany('AnswerBank','id','question_id');

 }

public function answers(){

    return $this->HasMany('AnswerBank','question_id','id');

}

question_id替换为id,它会起作用 并使用这样的答案返回问题对象

public function getQuestion($id){  
    $answers=QuestionBank::with('answers')->find($id);
    return Response::json($answers);
}