Sie könnten geneigt sein, dieses Problem zu lösen, indem Sie den MySQL-Server vor einer Abfrage "pingen". Das ist eine schlechte Idee. Weitere Informationen zum Grund finden Sie in diesem SO-Beitrag:Soll ich den MySQL-Server vor jeder Abfrage anpingen?
Der beste Weg, das Problem zu lösen, besteht darin, Abfragen in try/catch
einzuschließen Blöcke und das Abfangen von Datenbankausnahmen, damit Sie sie entsprechend behandeln können. Dies ist besonders wichtig bei langlaufenden und/oder daemonartigen Skripten. Hier ist also ein sehr einfaches Beispiel, das einen "Verbindungsmanager" verwendet, um den Zugriff auf DB-Verbindungen zu steuern:
class DbPool {
private $connections = array();
function addConnection($id, $dsn) {
$this->connections[$id] = array(
'dsn' => $dsn,
'conn' => null
);
}
function getConnection($id) {
if (!isset($this->connections[$id])) {
throw new Exception('Invalid DB connection requested');
} elseif (isset($this->connections[$id]['conn'])) {
return $this->connections[$id]['conn'];
} else {
try {
// for mysql you need to supply user/pass as well
$conn = new PDO($dsn);
// Tell PDO to throw an exception on error
// (like "MySQL server has gone away")
$conn->setAttribute(
PDO::ATTR_ERRMODE,
PDO::ERRMODE_EXCEPTION
);
$this->connections[$id]['conn'] = $conn;
return $conn;
} catch (PDOException $e) {
return false;
}
}
}
function close($id) {
if (!isset($this->connections[$id])) {
throw new Exception('Invalid DB connection requested');
}
$this->connections[$id]['conn'] = null;
}
}
class Crawler {
private $dbPool;
function __construct(DbPool $dbPool) {
$this->dbPool = $dbPool;
}
function crawl() {
// craw and store data in $crawledData variable
$this->save($crawledData);
}
function saveData($crawledData) {
if (!$conn = $this->dbPool->getConnection('write_conn') {
// doh! couldn't retrieve DB connection ... handle it
} else {
try {
// perform query on the $conn database connection
} catch (Exception $e) {
$msg = $e->getMessage();
if (strstr($msg, 'MySQL server has gone away') {
$this->dbPool->close('write_conn');
$this->saveData($val);
} else {
// some other error occurred
}
}
}
}
}