db.php 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596
  1. <?php namespace System;
  2. class DB {
  3. /**
  4. * The active database connections.
  5. *
  6. * @var array
  7. */
  8. private static $connections = array();
  9. /**
  10. * Get a database connection.
  11. *
  12. * @param string $connection
  13. * @return PDO
  14. */
  15. public static function connection($connection = null)
  16. {
  17. if (is_null($connection))
  18. {
  19. $connection = Config::get('db.default');
  20. }
  21. // ---------------------------------------------------
  22. // If we have already established this connection,
  23. // simply return the existing connection.
  24. // ---------------------------------------------------
  25. if ( ! array_key_exists($connection, static::$connections))
  26. {
  27. $config = Config::get('db.connections');
  28. if ( ! array_key_exists($connection, $config))
  29. {
  30. throw new \Exception("Database connection [$connection] is not defined.");
  31. }
  32. // ---------------------------------------------------
  33. // Establish the database connection.
  34. // ---------------------------------------------------
  35. static::$connections[$connection] = DB\Connector::connect((object) $config[$connection]);
  36. }
  37. return static::$connections[$connection];
  38. }
  39. /**
  40. * Execute a SQL query against the connection.
  41. *
  42. * @param string $sql
  43. * @param array $bindings
  44. * @param string $connection
  45. * @return mixed
  46. */
  47. public static function query($sql, $bindings = array(), $connection = null)
  48. {
  49. $query = static::connection($connection)->prepare($sql);
  50. $result = $query->execute($bindings);
  51. // ---------------------------------------------------
  52. // For SELECT statements, return the results in an
  53. // array of stdClasses.
  54. //
  55. // For UPDATE and DELETE statements, return the number
  56. // or rows affected by the query.
  57. //
  58. // For everything else, return a boolean.
  59. // ---------------------------------------------------
  60. if (strpos(Str::upper($sql), 'SELECT') === 0)
  61. {
  62. return $query->fetchAll(\PDO::FETCH_CLASS, 'stdClass');
  63. }
  64. elseif (strpos(Str::upper($sql), 'UPDATE') === 0 or strpos(Str::upper($sql), 'DELETE') === 0)
  65. {
  66. return $query->rowCount();
  67. }
  68. else
  69. {
  70. return $result;
  71. }
  72. }
  73. /**
  74. * Begin a fluent query against a table.
  75. *
  76. * @param string $table
  77. * @param string $connection
  78. * @return Query
  79. */
  80. public static function table($table, $connection = null)
  81. {
  82. return new DB\Query($table, $connection);
  83. }
  84. }