MySQL表:
- category
- unit
- category_unit (many to many)
- category_id
- unit_id
Laravel 5型号:
<?php
class Unit extends Model
{
/**
* The database table used by the model.
*
* @var string
*/
protected $table = 'unit';
}
class Category extends Model
{
/**
* The database table used by the model.
*
* @var string
*/
protected $table = 'category';
public function units()
{
return $this->morphToMany('App\Unit', 'category_unit'); // Table not in plural.
}
}
控制器代码:
$category = Category::find($id);
var_dump($category->units);
错误:
SQLSTATE[42S02]: Base table or view not found: 1146 Table 'database.category_units' doesn't exist (SQL: select `unit`.*, `category_units`.`category_unit_id` as `pivot_category_unit_id`, `category_units`.`unit_id` as `pivot_unit_id` from `unit` inner join `category_units` on `unit`.`id` = `category_units`.`unit_id` where `category_units`.`category_unit_id` = 1 and `category_units`.`category_unit_type` = App\Category)
Laravel 5正在尝试将表category_unit
作为复数category_units
。由于我的数据库不是新的,我已经在生产服务器中使用它,我无法更改表名。
如何使用Laravel 5以单数名称使用它?
答案 0 :(得分:1)
这里的问题是你正在尝试使用多态关系创建多对多关系。
morphToMany()
方法不将表名作为第二个参数。我认为您的案例更简单,只需将关系更改为belongsToMany()
所以你的代码应该是
class Category extends Model
{
/**
* The database table used by the model.
*
* @var string
*/
protected $table = 'category';
public function units()
{
return $this->belongsToMany('App\Unit', 'category_unit'); // Table not in plural.
}
}