모든 관계를 포함하여 Eloquent 객체를 복제 하시겠습니까?


87

모든 관계를 포함하여 Eloquent 객체를 쉽게 복제 할 수있는 방법이 있습니까?

예를 들어 다음 테이블이있는 경우 :

users ( id, name, email )
roles ( id, name )
user_roles ( user_id, role_id )

에서 새로운 행을 생성 이외에 users모든 열을 제외하고는 동일한 인으로 표 id, 또한에서 새로운 행을 생성한다 user_roles새로운 사용자에게 동일한 역할을 할당 테이블.

이 같은:

$user = User::find(1);
$new_user = $user->clone();

사용자 모델이있는 곳

class User extends Eloquent {
    public function roles() {
        return $this->hasMany('Role', 'user_roles');
    }
}

답변:


77

belongsToMany 관계에 대해 laravel 4.2에서 테스트되었습니다.

모델에있는 경우 :

    //copy attributes
    $new = $this->replicate();

    //save model before you recreate relations (so it has an id)
    $new->push();

    //reset relations on EXISTING MODEL (this way you can control which ones will be loaded
    $this->relations = [];

    //load relations on EXISTING MODEL
    $this->load('relation1','relation2');

    //re-sync everything
    foreach ($this->relations as $relationName => $values){
        $new->{$relationName}()->sync($values);
    }

3
Laravel 7에서 근무
Daniyal Javani 20.04.18

이전 버전 Laravel 6에서도 작동합니다. (이전 의견에 따라 예상됩니다. :)) 감사합니다!
mmmdearte

Laravel 7.28.4에서 작업했습니다. 모델 외부에서 실행하려는 경우 코드가 달라야한다는 것을 알았습니다. 감사합니다
Roman Grinev

56

eloquent가 제공하는 복제 기능을 사용해 볼 수도 있습니다.

http://laravel.com/api/4.2/Illuminate/Database/Eloquent/Model.html#method_replicate

$user = User::find(1);
$new_user = $user->replicate();
$new_user->push();

7
실제로 복제하려는 관계도로드해야합니다. 주어진 코드는 관계없이 기본 모델 만 복제합니다. 뿐만 아니라 관계를 복제하려면 다음 중 하나의 관계로 사용자를 얻을 수 있습니다 $user = User::with('roles')->find(1);또는 당신이 모델이 후에로드 : 처음 두 행이 될 수 있도록$user = User::find(1); $user->load('roles');
알렉산더 Taubenkorb

2
관계를로드해도 관계가 복제되는 것처럼 보이지는 않습니다. 적어도 4.1에서는 그렇지 않습니다. 부모를 복제 한 다음 복제 된 원본의 자식을 반복하고 새 부모를 가리 키도록 한 번에 하나씩 업데이트해야했습니다.
Rex Schrader

replicate()관계를 설정하고 관계로 push()되풀이하여 저장합니다.
Matt K

또한 5.2에서는 자식을 반복하고 한 번에 하나씩 복제 한 후 저장해야합니다. foreach 내부 :$new_user->roles()->save($oldRole->replicate)
d.grassi84

28

시도해 볼 수 있습니다 ( Object Cloning ) :

$user = User::find(1);
$new_user = clone $user;

clone딥 복사가 아니기 때문에 사용 가능한 자식 개체가있는 경우 자식 개체가 복사되지 않으며이 경우 clone수동으로 자식 개체를 복사해야합니다 . 예를 들면 :

$user = User::with('role')->find(1);
$new_user = clone $user; // copy the $user
$new_user->role = clone $user->role; // copy the $user->role

귀하의 경우 roles 에는 Role객체 모음 이므로 모음의 각 항목 Role objectclone.

또한 roles사용하여 로드하지 않으면with 을 되지 않거나에서 사용할 수 없으며 $user호출 할 때 $user->roles해당 객체가 해당 호출 후 런타임에로드된다는 점을 알고 있어야합니다. 의 $user->roles이 때까지, 그roles 로드되지 않습니다.

최신 정보:

이 대답은 Larave-4이제 Laravel이 다음과 같은 replicate()방법을 제공합니다 .

$user = User::find(1);
$newUser = $user->replicate();
// ...

2
조심하세요, 하위 / 하위 개체가 아닌 얕은 복사본 만 있습니다. :-)
The Alpha

1
@TheShiftExchange, 당신은 그것이 흥미 롭다것을 알게 될 것입니다 , 나는 오래 전에 실험을했습니다. 감사합니다 :-)
The Alpha

1
이것도 객체의 ID를 복사하지 않습니까? 저축에 쓸모가 없나요?
Tosh

예, @Tosh, 정확히 그 다른 ID를 설정하거나해야하는 이유의 null:-)
알파

1
PHP 비밀 공개를위한 plus1 : P
Metabolic

23

Laravel 5. hasMany 관계로 테스트되었습니다.

$model = User::find($id);

$model->load('invoices');

$newModel = $model->replicate();
$newModel->push();


foreach($model->getRelations() as $relation => $items){
    foreach($items as $item){
        unset($item->id);
        $newModel->{$relation}()->create($item->toArray());
    }
}

완벽하게 작동 laravel 5.6 감사합니다
Ali Abbas

7

다음은 게시 한대로 belongsToMany 대신 모든 hasMany 관계를 복제하는 @ sabrina-gelbart의 업데이트 된 솔루션 버전입니다.

    //copy attributes from original model
    $newRecord = $original->replicate();
    // Reset any fields needed to connect to another parent, etc
    $newRecord->some_id = $otherParent->id;
    //save model before you recreate relations (so it has an id)
    $newRecord->push();
    //reset relations on EXISTING MODEL (this way you can control which ones will be loaded
    $original->relations = [];
    //load relations on EXISTING MODEL
    $original->load('somerelationship', 'anotherrelationship');
    //re-sync the child relationships
    $relations = $original->getRelations();
    foreach ($relations as $relation) {
        foreach ($relation as $relationRecord) {
            $newRelationship = $relationRecord->replicate();
            $newRelationship->some_parent_id = $newRecord->id;
            $newRelationship->push();
        }
    }

some_parent_id모든 관계에서 동일하지 않다면 까다 롭습니다 . 그래도 유용합니다. 감사합니다.
Dustin Graham

6

이것은 laravel 5.8에 있으며 이전 버전에서는 시도하지 않았습니다.

//# this will clone $eloquent and asign all $eloquent->$withoutProperties = null
$cloned = $eloquent->cloneWithout(Array $withoutProperties)

편집, 바로 오늘 2019 년 4 월 7 일 laravel 5.8.10 출시

지금 복제를 사용할 수 있습니다

$post = Post::find(1);
$newPost = $post->replicate();
$newPost->save();

2

다음 코드를 사용하여 $ user라는 컬렉션이있는 경우 모든 관계를 포함하여 이전 컬렉션과 동일한 새 컬렉션을 만듭니다.

$new_user = new \Illuminate\Database\Eloquent\Collection ( $user->all() );

이 코드는 laravel 5 용입니다.


1
그냥 할 수 $new = $old->slice(0)없습니까?
fubar

2

원하는 관계로 객체를 가져오고 그 후에 복제하면 검색 한 모든 관계도 복제됩니다. 예를 들면 :

$oldUser = User::with('roles')->find(1);
$newUser = $oldUser->replicate();

저는 Laravel 5.5에서 테스트했습니다
elyas.m

2

다음은 객체에 로드 된 모든 관계를 재귀 적으로 복제하는 특성입니다 . 이 관계 유형을 쉽게 확장 할 수 있습니다. 예를 들어 Sabrina의 belongsToMany 예제와 같습니다.

trait DuplicateRelations
{
    public static function duplicateRelations($from, $to)
    {
        foreach ($from->relations as $relationName => $object){
            if($object !== null) {
                if ($object instanceof Collection) {
                    foreach ($object as $relation) {
                        self::replication($relationName, $relation, $to);
                    }
                } else {
                    self::replication($relationName, $object, $to);
                }
            }
        }
    }

    private static function replication($name, $relation, $to)
    {
        $newRelation = $relation->replicate();
        $to->{$name}()->create($newRelation->toArray());
        if($relation->relations !== null) {
            self::duplicateRelations($relation, $to->{$name});
        }
    }
}

용법:

//copy attributes
$new = $this->replicate();

//save model before you recreate relations (so it has an id)
$new->push();

//reset relations on EXISTING MODEL (this way you can control which ones will be loaded
$this->relations = [];

//load relations on EXISTING MODEL
$this->load('relation1','relation2.nested_relation');

// duplication all LOADED relations including nested.
self::duplicateRelations($this, $new);

0

다른 솔루션이 당신을 달래주지 않는 경우 다른 방법이 있습니다.

<?php
/** @var \App\Models\Booking $booking */
$booking = Booking::query()->with('segments.stops','billingItems','invoiceItems.applyTo')->findOrFail($id);

$booking->id = null;
$booking->exists = false;
$booking->number = null;
$booking->confirmed_date_utc = null;
$booking->save();

$now = CarbonDate::now($booking->company->timezone);

foreach($booking->segments as $seg) {
    $seg->id = null;
    $seg->exists = false;
    $seg->booking_id = $booking->id;
    $seg->save();

    foreach($seg->stops as $stop) {
        $stop->id = null;
        $stop->exists = false;
        $stop->segment_id = $seg->id;
        $stop->save();
    }
}

foreach($booking->billingItems as $bi) {
    $bi->id = null;
    $bi->exists = false;
    $bi->booking_id = $booking->id;
    $bi->save();
}

$iiMap = [];

foreach($booking->invoiceItems as $ii) {
    $oldId = $ii->id;
    $ii->id = null;
    $ii->exists = false;
    $ii->booking_id = $booking->id;
    $ii->save();
    $iiMap[$oldId] = $ii->id;
}

foreach($booking->invoiceItems as $ii) {
    $newIds = [];
    foreach($ii->applyTo as $at) {
        $newIds[] = $iiMap[$at->id];
    }
    $ii->applyTo()->sync($newIds);
}

트릭은 Laravel이 새 레코드를 생성하도록 idexists속성을 지우는 것입니다.

자기 관계를 복제하는 것은 약간 까다 롭지 만 예제를 포함했습니다. 이전 ID를 새 ID로 매핑 한 다음 다시 동기화하면됩니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.