Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Print the values on server side in Laravel Php

I am totally new to PHP and Laravel Framework.I want to print the variables in Laravel on server side to check what values they contains. How can I do console.log or print the variable values on the server to see what those contains in Laravel PHP.

like image 789
Sajid Ahmad Avatar asked May 22 '14 12:05

Sajid Ahmad


2 Answers

The Shift Exchange's answer will show you the details on the page, but if you wish to log these variables without stopping the processing of the request, you should use the inbuilt Log class:

You can log at various "levels" and when combined with PHP's print_r() function inspect all manner of variables and arrays in a human-readable fashion:

// log one variable at "info" logging level:
Log::info("Logging one variable: " . $variable);

// log an array - don't forget to pass 'true' to print_r():
Log::info("Logging an array: " . print_r($array, true));

The . above between the strings is important, and used to join the strings together into one argument.

By default these will be logged to the file here:

/app/storage/log/laravel.log
like image 139
msturdy Avatar answered Sep 18 '22 16:09

msturdy


The most helpful debugging tool in Laravel is dd(). It is a 'print and die' statement

 $x = 5;
 dd($x);
 // gives output "int 5"

What is cool is that you can place as many variables in dd() as you like before dying:

 $x = 5;
 $y = 10;
 $z = array(4,6,6);
 dd($x, $y, $z);

gives output

 int 5
 int 10
 array (size=3) 
     0 => int 4
     1 => int 6  
     2 => int 6
like image 44
Laurence Avatar answered Sep 19 '22 16:09

Laurence