OP가 그의 의견에 언급했듯이 : 데이터베이스 디자인은 이미 설정되어 있으므로 Laravel의 다형성 관계 는 여기서 옵션이 아닌 것 같습니다.
나는 Chris Neal의 대답을 좋아한다 내가 최근 비슷한 일을했기 때문에 (디베이스 / DBF 파일을 웅변을 지원하기 위해 내 자신의 데이터베이스 드라이버를 작성) 및 Laravel의 설득력 ORM의 내부에 많은 경험을 얻었다.
모델마다 명시 적으로 매핑을 유지하면서 코드를보다 역동적으로 만들기 위해 개인 취향을 추가했습니다.
내가 신속하게 테스트 한 지원 기능 :
Animal::find(1)
귀하의 질문에 따라 작동
Animal::all()
잘 작동합니다
Animal::where(['type' => 'dog'])->get()
- AnimalDog
객체를 컬렉션으로 반환합니다
- 이 특성을 사용하는 웅변 클래스 별 동적 객체 매핑
Animal
매핑이 구성되지 않은 경우 -model로 폴백 (또는 DB에 새 매핑이 표시됨)
단점 :
- 모델의 내부
newInstance()
및 newFromBuilder()
전체를 다시 작성합니다 (복사 및 붙여 넣기). 즉, 프레임 워크에서이 멤버 함수로 업데이트되는 경우 직접 코드를 채택해야합니다.
도움이 되길 바랍니다. 시나리오에 대한 제안, 질문 및 추가 사용 사례가 있습니다. 유스 케이스와 예제는 다음과 같습니다.
class Animal extends Model
{
use MorphTrait; // You'll find the trait in the very end of this answer
protected $morphKey = 'type'; // This is your column inside the database
protected $morphMap = [ // This is the value-to-class mapping
'dog' => AnimalDog::class,
'cat' => AnimalCat::class,
];
}
class AnimalCat extends Animal {}
class AnimalDog extends Animal {}
그리고 이것이 어떻게 사용될 수 있고 각각의 결과 아래에있는 예입니다 :
$cat = Animal::find(1);
$dog = Animal::find(2);
$new = Animal::find(3);
$all = Animal::all();
echo sprintf('ID: %s - Type: %s - Class: %s - Data: %s', $cat->id, $cat->type, get_class($cat), $cat, json_encode($cat->toArray())) . PHP_EOL;
echo sprintf('ID: %s - Type: %s - Class: %s - Data: %s', $dog->id, $dog->type, get_class($dog), $dog, json_encode($dog->toArray())) . PHP_EOL;
echo sprintf('ID: %s - Type: %s - Class: %s - Data: %s', $new->id, $new->type, get_class($new), $new, json_encode($new->toArray())) . PHP_EOL;
dd($all);
결과는 다음과 같습니다.
ID: 1 - Type: cat - Class: App\AnimalCat - Data: {"id":1,"type":"cat"}
ID: 2 - Type: dog - Class: App\AnimalDog - Data: {"id":2,"type":"dog"}
ID: 3 - Type: new-animal - Class: App\Animal - Data: {"id":3,"type":"new-animal"}
// Illuminate\Database\Eloquent\Collection {#1418
// #items: array:2 [
// 0 => App\AnimalCat {#1419
// 1 => App\AnimalDog {#1422
// 2 => App\Animal {#1425
그리고 당신이 원한다면 MorphTrait
여기에 전체 코드가 있습니다 :
<?php namespace App;
trait MorphTrait
{
public function newInstance($attributes = [], $exists = false)
{
// This method just provides a convenient way for us to generate fresh model
// instances of this current model. It is particularly useful during the
// hydration of new objects via the Eloquent query builder instances.
if (isset($attributes['force_class_morph'])) {
$class = $attributes['force_class_morph'];
$model = new $class((array)$attributes);
} else {
$model = new static((array)$attributes);
}
$model->exists = $exists;
$model->setConnection(
$this->getConnectionName()
);
$model->setTable($this->getTable());
return $model;
}
/**
* Create a new model instance that is existing.
*
* @param array $attributes
* @param string|null $connection
* @return static
*/
public function newFromBuilder($attributes = [], $connection = null)
{
$newInstance = [];
if ($this->isValidMorphConfiguration($attributes)) {
$newInstance = [
'force_class_morph' => $this->morphMap[$attributes->{$this->morphKey}],
];
}
$model = $this->newInstance($newInstance, true);
$model->setRawAttributes((array)$attributes, true);
$model->setConnection($connection ?: $this->getConnectionName());
$model->fireModelEvent('retrieved', false);
return $model;
}
private function isValidMorphConfiguration($attributes): bool
{
if (!isset($this->morphKey) || empty($this->morphMap)) {
return false;
}
if (!array_key_exists($this->morphKey, (array)$attributes)) {
return false;
}
return array_key_exists($attributes->{$this->morphKey}, $this->morphMap);
}
}