connector.php 1.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687
  1. <?php namespace System\DB;
  2. class Connector {
  3. /**
  4. * The PDO connection options.
  5. *
  6. * @var array
  7. */
  8. public static $options = array(
  9. \PDO::ATTR_CASE => \PDO::CASE_LOWER,
  10. \PDO::ATTR_ERRMODE => \PDO::ERRMODE_EXCEPTION,
  11. \PDO::ATTR_ORACLE_NULLS => \PDO::NULL_NATURAL,
  12. \PDO::ATTR_STRINGIFY_FETCHES => false,
  13. );
  14. /**
  15. * Establish a PDO database connection.
  16. *
  17. * @param object $config
  18. * @return PDO
  19. */
  20. public static function connect($config)
  21. {
  22. if ($config->driver == 'sqlite')
  23. {
  24. return static::connect_to_sqlite($config);
  25. }
  26. elseif ($config->driver == 'mysql' or $config->driver == 'pgsql')
  27. {
  28. return static::connect_to_server($config);
  29. }
  30. throw new \Exception('Database driver '.$config->driver.' is not supported.');
  31. }
  32. /**
  33. * Establish a PDO connection to a SQLite database.
  34. *
  35. * @param array $config
  36. * @return PDO
  37. */
  38. private static function connect_to_sqlite($config)
  39. {
  40. // Database paths can either be specified relative to the application/storage/db
  41. // directory, or as an absolute path.
  42. if (file_exists($path = APP_PATH.'storage/db/'.$config->database.'.sqlite'))
  43. {
  44. return new \PDO('sqlite:'.$path, null, null, static::$options);
  45. }
  46. elseif (file_exists($config->database))
  47. {
  48. return new \PDO('sqlite:'.$config->database, null, null, static::$options);
  49. }
  50. else
  51. {
  52. throw new \Exception("SQLite database [".$config->database."] could not be found.");
  53. }
  54. }
  55. /**
  56. * Connect to a MySQL or PostgreSQL database server.
  57. *
  58. * @param array $config
  59. * @return PDO
  60. */
  61. private static function connect_to_server($config)
  62. {
  63. $dsn = $config->driver.':host='.$config->host.';dbname='.$config->database;
  64. if (isset($config->port))
  65. {
  66. $dsn .= ';port='.$config->port;
  67. }
  68. $connection = new \PDO($dsn, $config->username, $config->password, static::$options);
  69. if (isset($config->charset))
  70. {
  71. $connection->prepare("SET NAMES '".$config->charset."'")->execute();
  72. }
  73. return $connection;
  74. }
  75. }