我知道这个问题有点难以理解。但是,我保证一旦你读到这个就不是了:我正在创建一个简单的应用程序,在一个名为review的表中创建产品,商店和用户评论。所以,在这种情况下,我正在使用Polymorphic Relation
以下是我的数据库表迁移:
这是我的用户表迁移:
public function up()
{
Schema::create('users', function (Blueprint $table) {
$table->increments('id');
$table->string('first_name');
$table->string('last_name');
$table->string('email')->unique();
$table->string('username')->nullable();
$table->string('password', 60);
$table->rememberToken();
$table->timestamps();
});
}
这是我的评论表迁移:
public function up()
{
Schema::create('reviews', function (Blueprint $table) {
$table->increments('id');
$table->integer('user_id')->unsigned()->index();
$table->foreign('user_id')->references('id')->on('users')->onDelete('cascade');
$table->string('body')->nullable();
$table->integer('reviewable_id')->nullable();
$table->string('reviewable_type')->nullable();
$table->timestamps(); //contains the review date etc..
});
}
以下是产品表迁移:
public function up()
{
Schema::create('products', function (Blueprint $table) {
$table->increments('id');
$table->string('user_id');
$table->string('name');
$table->string('description')->nullable();
$table->string('category')->nullable();
$table->decimal('price')->nullable(); // Product price
$table->string('product_photo_path')->default('image/default_product_photo.jpg')->nullable(); //add one first
$table->timestamps();
});
}
对于我的模特: 在我的Review.php模型中,我有这种关系:
public function reviewable()
{
return $this->morphTo();
}
在我的User.php模型中我有这种关系:
public function reviews()
{
return $this->morphMany('App\Review', 'reviewable');
}
在我的Product.php模型中我有这种关系(与用户模型相同):
public function reviews()
{
return $this->morphMany('App\Review', 'reviewable');
}
我能够在一个页面中列出用户所做的所有产品评论,但是如何使用$ reviews变量显示发表评论的用户名。
示例,这是我的ReviewController.php,我有这个函数来查询所有评论:
public function index()
{
$reviews = Review::all();
return view('reviews.index')->with('reviews', $reviews);
}
然后在reviews.index.blade.php
中我可以直接打电话
@foreach($reviews as $review)
{{$review->body }}
@endforeach
这将列出用户进行的所有评论。所以,问题是,如何使用$ review变量显示用户first_name?我在下面试过,但它不起作用:
@foreach($reviews as $review)
{{$review->users->first_name}} //Not working
@endforeach
我认为我需要在Review模型上添加额外的关系,如下所示,以便我可以像这样审核 - > users-> first_name;
public function users()
{
return $this->hasMany('App\Review');
}
但这不起作用。那么,如何定义这里的关系,其中Review模型已被定义为多态关系?
答案 0 :(得分:0)
public function users()
{
return $this->hasMany('App\Review');
}
我改为
public function users()
{
return $this->hasMany('App\User');
}
解决了这个问题。