问题
I want to get the last executed query in CakePHP 3.2, I have used the following in CakePHP 2.x before:-
function getLastQuery() {
Configure::write('debug', 2);
$dbo = $this->getDatasource();
$logs = $dbo->getLog();
$lastLog = end($logs['log']);
$latQuery = $lastLog['query'];
echo "<pre>";
print_r($latQuery);
}
How can i do it in CakePHP 3.x?
回答1:
In plain English: All you need to do is modify config/app.php
Find the Datasources
configuration and set 'log' => true
'Datasources' => [
'default' => [
'className' => 'Cake\Database\Connection',
'driver' => 'Cake\Database\Driver\Mysql',
'persistent' => false,
'host' => 'localhost',
...
'log' => true, // Set this
]
]
If your app is in debug mode, you will now see the SQL query when your page displays a SQL error. If you do not have debug mode on, you can log the SQL queries to a file by also adding the following:
config/app.php
Find the Log
configuration and add a new log type:
'Log' => [
'debug' => [
'className' => 'Cake\Log\Engine\FileLog',
'path' => LOGS,
'file' => 'debug',
'levels' => ['notice', 'info', 'debug'],
'url' => env('LOG_DEBUG_URL', null),
],
'error' => [
'className' => 'Cake\Log\Engine\FileLog',
'path' => LOGS,
'file' => 'error',
'levels' => ['warning', 'error', 'critical', 'alert', 'emergency'],
'url' => env('LOG_ERROR_URL', null),
],
// Add the following...
'queries' => [
'className' => 'File',
'path' => LOGS,
'file' => 'queries.log',
'scopes' => ['queriesLog']
]
],
Your SQL queries will now be written to a log file which you can find in /logs/queries.log
回答2:
Database\ConnectionManager::get() has been added. It replaces getDataSource()
Following the Cookbook 3.0 you need to enable Query Logging
and either choose file or console logging.
use Cake\Log\Log;
// Console logging
Log::config('queries', [
'className' => 'Console',
'stream' => 'php://stderr',
'scopes' => ['queriesLog']
]);
// File logging
Log::config('queries', [
'className' => 'File',
'path' => LOGS,
'file' => 'queries.log',
'scopes' => ['queriesLog']
]);
Cookbook 3.0 - Query Logging
来源:https://stackoverflow.com/questions/35291033/how-to-get-last-run-query-in-cakephp-3-2