我有一个HTML表,我想在其中显示从数据库表中检索到的数据。
过去我已经使用php成功完成了此操作,但是使用Laravel,表中没有任何显示:下面是在表中显示数据的代码
<tbody>
@php
$total_sales = 0;
$comm_total = 0;
@endphp
@foreach ($comm as $data){
$comm_total += $data->sales_comm;
$total_sales += $data->sales_total;
<tr>
<td>{{$data->sales_date}}</td>
<td>{{$data->sales_total}}</td>
<td>{{$data->sales_comm}}</td>
</tr>
@endforeach
我希望检索数据库表中具有登录用户ID并选择月份和年份的每一行,并将其显示在刀片服务器表中。
这是控制器代码
$comm = \DB::table('bakerysales')->where('customer_id', Auth()->id()
->whereMonth('sales_date', $request->input('mn'))
->whereYear('sales_date', $request->input('yr'))
->get();
return view('showCommission', compact('comm'));
答案 0 :(得分:3)
您快到了。 2件事:
首先:@foreach ($comm as $data){
不需要{
第二,使用@php标记时,您需要将方括号之间的所有内容封装起来。因此:
@php
$total_sales = 0;
$comm_total = 0;
@endphp
成为:
@php( $total_sales = 0 )
@php( $comm_total = 0 )
总的来说,如下所示:
@php( $total_sales = 0 )
@php( $comm_total = 0 ) // Note the omission of the ;
@foreach( $comm as $data )
<tr>
<td>{{$data->sales_date}}</td>
<td>{{$data->sales_total}}</td>
<td>{{$data->sales_comm}}</td>
</tr>
@endforeach
关于您的控制器代码:
// Make sure you call these at the top of your controller
use Auth;
use App\User;
public function show( Request $request )
{
$comm = DB::table('bakerysales')
->where('customer_id', Auth::id() ) // Getting the Authenticated user id
->whereMonth('sales_date', $request->input('mn') )
->whereYear('sales_date', $request->input('yr') )
->get();
return view('showCommission', compact('comm') );
}