php简写追加到对象

I'm pulling through data from my database and wish to add an object to the end of each item. The following code works, but I'm assuming there's a better way than repeating all the info and adding to a new object.

    $cs = $client->contact()->get();

    foreach ($cs as $c) {

        $contact = (object)[
        'id' => $c->id,
        'name' => $c->name,
        'role' => $c->role,
        'phone' => $c->phone,
        'address' => $c->address,
        'postcode' => $c->postcode,
        'otherClients' => Contact::find($c->id)->clients()->get(), //this is the additional info
        ];

        $contacts[]=$contact;

You could simply mutate the original objects if you don't need to leave $cs intact.

foreach ($cs as $c) {
    $c->otherClients = Contact::find($c->id)->clients()->get();
}

you can use

As suggested by @MrCode

$cs = $client->contact()->get();

PHP 5.4+

foreach ($cs as $c) {

    $c->otherClients = Contact::find($c->id)->clients()->get(), //this is the additional info
}

PHP 4 Or below

foreach ($cs as &$c) {

    $c->otherClients = Contact::find($c->id)->clients()->get(), //this is the additional info
}