2

我想要一张表格第 4 列的总和,我干得很惨。

我的控制器:

public function ticket()
{
    $cmdbars = DB::table('bars')
             ->orderBy('updated_at', 'asc')
             ->get();

    return view('bar_iframe', compact('cmdbars'));
}

我的观点 :

<table>
@foreach($cmdbars as $cmdbar)

<tr>
    <td>
        {{ $cmdbar->la_qtt }}
    </td>
    <td>
        {{ $cmdbar->la_denom }}
    </td>
    <td class="txtr">
        {{ number_format($cmdbar->le_tarif_bar/100, 2, '.', ' ') }}
    </td>
    <td class="txtr">
        @php
        $sum_produit = $cmdbar->le_tarif_bar * $cmdbar->la_qtt;
        @endphp
        {{ number_format($sum_produit/100, 2, '.', ' ') }}
    </td>
</tr>
@endforeach

<tr>
    <td colspan="4">
        <div class="total_cmd">
            {{-- HERE, I would like the sum of the 4th column --}} €
        </div>
    </td>
</tr>

我正在寻找一天,我正在阻止这个问题,谢谢你的帮助

4

3 回答 3

1

在控制器中使用带有回调的Collection::sum()并将结果传递给视图:

$cmdbars = DB::table('bars')
         ->orderBy('updated_at', 'asc')
         ->get();

$total = $cmdbars->sum(function ($cmdbar) {
    return $cmdbar->le_tarif_bar * $cmdbar->la_qtt;
});

return view('bar_iframe', compact('cmdbars', 'total'));

然后,您可以{{ $total }}在视图中任何需要的地方使用它。

于 2017-12-22T18:32:14.727 回答
0

像这样的东西应该起作用:

{{ number_format($cmdbars->sum(function($el) {return $el->le_tarif_bar * $el->la_qtt; })/100, 2, '.', ' ') }}

(假设您使用的是 Laravel 5.3.+,其中 Query builder 正在返回元素集合 - 此处使用方法sum

此外,我认为使用没有任何意义:

@php
$sum_produit = $cmdbar->le_tarif_bar * $cmdbar->la_qtt;
@endphp
{{ number_format($sum_produit/100, 2, '.', ' ') }}

利用:

{{ number_format(($cmdbar->le_tarif_bar * $cmdbar->la_qtt)/100, 2, '.', ' ') }}

反而。在 Blade(或通常在视图中)使用 PHP 是不好的做法,应尽可能避免。

编辑

就个人而言,我会为此使用 Eloquent 并创建Bar模型并获得如下条形图:

$cmdbars = Bar::orderBy('updated_at', 'asc')->get();

Bar模型中我会添加访问器:

public function getPriceAttribute()
{
   return $this->le_tarif_bar * $this->la_qtt;
}

然后在视图中而不是:

@php
$sum_produit = $cmdbar->le_tarif_bar * $cmdbar->la_qtt;
@endphp
{{ number_format($sum_produit/100, 2, '.', ' ') }}

我会使用:

{{ number_format($cmdbar->price/100, 2, '.', ' ') }}

为了得到总和,我会使用:

{{ number_format($cmdbars->sum('price')/100, 2, '.', ' ') }}
于 2017-12-22T18:22:40.220 回答
0

将每个结果添加到$total变量:

@php
    $sum_produit = $cmdbar->le_tarif_bar * $cmdbar->la_qtt;
    $total += $sum_produit;
@endphp
{{ number_format($sum_produit/100, 2, '.', ' ') }}

显示$total

<div class="total_cmd">
    {{ number_format($total/100, 2, '.', ' ') }} €
</div>
于 2017-12-22T18:25:00.170 回答