I\'m trying to debug some SQL queries that I\'m doing in a testing suite. Using the following debugging code:
\\Log::debug(User::first()->jobs()->toSql
Use the below code to print RAW SQL in Laravel:
echo "<pre>";
print_r($query->toSql());
print_r($query->getBindings());
Adding a PRE tag helps you read the result more accurately.
Laravel uses Prepared Statements. They're a way of writing an SQL statement without dropping variables directly into the SQL string. The ?
you see are placeholders or bindings for the information which will later be substituted and automatically sanitised by PDO. See the PHP docs for more information on prepared statements http://php.net/manual/en/pdo.prepared-statements.php
To view the data that will be substituted into the query string you can call the getBindings()
function on the query as below.
$query = User::first()->jobs();
dd($query->toSql(), $query->getBindings());
The array of bindings get substituted in the same order the ?
appear in the SQL statement.
In addition to @wader's answer, a 'macroable' way to get the raw SQL query with the bindings.
Add below macro function in AppServiceProvider
boot()
method.
\Illuminate\Database\Query\Builder::macro('toRawSql', function(){
return array_reduce($this->getBindings(), function($sql, $binding){
return preg_replace('/\?/', is_numeric($binding) ? $binding : "'".$binding."'" , $sql, 1);
}, $this->toSql());
});
Add an alias to the Eloquent Builder.
\Illuminate\Database\Eloquent\Builder::macro('toRawSql', function(){
return ($this->getQuery()->toRawSql());
});
Then debug as usual.
\Log::debug(User::first()->jobs()->toRawSql());
Note: from Laravel 5.1 to 5.3, Since Eloquent Builder doesn't make use of the
Macroable
trait, cannot addtoRawSql
an alias to the Eloquent Builder on the fly. Follow the below example to achieve the same.
E.g. Eloquent Builder (Laravel 5.1 - 5.3)
\Log::debug(User::first()->jobs()->getQuery()->toRawSql());
Just to reiterate @giovannipds great answer... i'm doing like this:
vsprintf(str_replace(['?'], ['\'%s\''], $query->toSql()), $query->getBindings())