Jahongir Tursunboyev
Jahongir Tursunboyev

Reputation: 366

reducing the number of sql queries from the front

    orders
        id - integer
        client_id - integer
     
    clients
        id - integer
        name - string
     
    accounts
        id - integer
        client_id - integer
        amount - integer

Controller

$orders = Order::with(['transaction', 'client', 'delivery', 'address'])
  ->latest()->paginate(50);
return view('admin.order.index', compact('orders'));

FrontEnd

      <td class="text-center">
        <strong>{{$item->client->invoice}}</strong>
      </td>

Client Model

  public function getInvoiceAttribute()
  {
    return $this->account()->sum('amount');
  }

enter image description here

I don't know how to use Has Many Through. Or how to solve this situation I don't need an account at the front but I need sum of amounts

Upvotes: 0

Views: 108

Answers (2)

Jahongir Tursunboyev
Jahongir Tursunboyev

Reputation: 366

I did so

added invoice column to write sum of account->amounts

Schema::table('clients', function (Blueprint $table) {
          $table->integer('invoice')->default(0);
        });

after than added AccountObserver

class AccountObserver
{
  public function creating(Account $account)
  {
    $account->client()->increment('invoice',$account->amount);
  }

  public function updating(Account $account)
  {
    $account->client()->increment('invoice',$account->amount);
  }
} 

Controller

$orders = Order::with(['transaction', 'client', 'delivery', 'address'])
  ->latest()->paginate(50);
return view('admin.order.index', compact('orders'));
View
<td class="text-center">
    <strong >{{$item->client->invoice}}</strong>
</td>

enter image description here

Upvotes: 1

IGP
IGP

Reputation: 15786

$this->account()->sum('amount');

This creates a SQL query. If you call it in a foreach loop, it will do N Queries.

You could eager load the sum.

$orders = Order::query()
    ->with([
        'transaction',
        'client' => fn ($client) => $client->withSum('accounts as invoice', 'amount'), // or function ($client) { $client->withSum('accounts as invoice', 'amount'); }, 
        'delivery',
        'address'
    ])
    ->latest()
    ->paginate(50);

return view('admin.order.index', compact('orders'));
@foreach ($orders as $item)
  ...
  <td class="text-center">
    <strong>{{ $item->client->invoice }}</strong>
  </td>
  ...
@endforeach

Remove the getInvoiceAttribute method from the Client Model

Upvotes: 0

Related Questions