Zeta Components - high quality PHP components

eZ Components - Database

Introduction

Before attempting to use the Database component, you should familiarize yourself with the PHP Data Objects (PDO) documentation. The Database component builds upon PDO and we do not provide examples or explanations of the PDO basics.

The Database component consists of two main parts:

  1. Database handlers derived from PDO with some added functionality. A database handler provides a common API for all databases to execute queries on a database. An introduction can be found in the PHP PDO documentation. Most importantly, the handlers in the components add support for nested ezcDbHandler::beginTransaction() and ezcDbHandler::commit() calls. The handlers also provide factory methods for the query abstraction layer.

  2. The query abstraction layer. This layer provides an object-oriented API for creating SELECT, INSERT, UPDATE and DELETE queries. Using a single interface, you can create syntactically equal queries for the supported databases. This layer removes all need to do string processing in order to build your queries and helps to avoid syntax errors. Note that the query layer does not remove semantic/logical differences between databases.

Supported databases

The Database component currently supports:

Class overview

This section gives you an overview of the main classes of the Database component.

Handlers

ezcDbHandler
ezcDbHandler extends PDO and provides the common interface for all the component's database handlers. The handlers should be instantiated using ezcDbFactory.
ezcDbFactory
ezcDbFactory is exactly that: a factory for database handlers. It should always be used when instantiating a database handler.
ezcDbInstance
Usually, the database is used in several different places throughout your application. It is inconvenient to pass the handler around and insecure to store it in a global variable. The singleton ezcDbInstance allows you to store any number of database handlers and use these everywhere in your application.

Query abstraction

ezcQuerySelect
Interface to create SELECT queries. Instances of ezcQuerySelect should be retrieved from the database handler factory method ezcDbHandler::createSelectQuery().
ezcQueryInsert
Interface to create INSERT queries. Instances of ezcQueryInsert should be retrieved from the database handler factory method ezcDbHandler::createInsertQuery().
ezcQueryUpdate
Interface to create UPDATE queries. Instances of ezcQueryUpdate should be retrieved from the database handler factory method ezcDbHandler::createUpdateQuery().
ezcQueryDelete
Interface to create DELETE queries. Instances of ezcQueryDelete should be retrieved from the database handler factory method ezcDbHandler::createDeleteQuery().
ezcQueryExpression
ezcQueryExpression provides the interface to create SQL statements common to SELECT, INSERT, UPDATE and DELETE queries. Examples are methods like ezcQueryExpression::add() to add two or more numbers and ezcQueryExpression::now() to create the current time. Each query has an expression object available through the variable $expr.

Handler usage

This section shows how to use the factory and the instance as well as how to execute some typical queries. For more information on how to perform queries using the handlers, we recommend reading the PHP PDO documentation.

In order to get started, you need a database handler. The first example shows how to create one using ezcDbFactory and how to store the handler in ezcDbInstance so it can be easily retrieved later:

  1. <?php
  2. $db ezcDbFactory::create'mysql://user:password@host/database' );
  3. ezcDbInstance::set$db );
  4. // anywhere later in your program you can retrieve the db instance again using
  5. $db ezcDbInstance::get();
  6. ?>

Executing a simple query and returning the result right away can be done with the PDO::query() method:

  1. <?php
  2. $db ezcDbInstance::get();
  3. $rows $db->query'SELECT * FROM quotes' );
  4. // Iterate over the rows and print the information from each result.
  5. foreach( $rows as $row )
  6. {
  7.     print_r$row );
  8. }
  9. ?>

Next, we show a simple example with statements and the use of bind. Binding values can be very valuable both in terms of efficiency and security. The main difference with normal queries is that the bound value will be transferred to the SQL server independent of the main query. See the section 'Avoiding SQL injection' below.

  1. <?php
  2. $db ezcDbInstance::get();
  3. $stmt $db->prepare'SELECT * FROM quotes where author = :author' );
  4. $stmt->bindValue':author''Robert Foster' );
  5. $stmt->execute();
  6. $rows $stmt->fetchAll();
  7. ?>

Lazy initialization

Lazy initialization is a mechanism to load and configure a component, only when it is really used in your application. This mechanism saves time for parsing the classes and configuration, when the component is not used at all during one request. You can find a description how you can use it for your own components and how it works in the ezcBase tutorial. The keyword for the database component is ezcInitDatabaseInstance.

  1. <?php
  2. require_once 'tutorial_autoload.php';
  3. class customLazyDatabaseConfiguration implements ezcBaseConfigurationInitializer
  4. {
  5.     public static function configureObject$instance )
  6.     {
  7.         switch ( $instance )
  8.         {
  9.             case false// Default instance
  10.                 return ezcDbFactory::create'mysql://user:password@host/database' );
  11.             case 'sqlite':
  12.                 return ezcDbFactory::create'sqlite://:memory:' );
  13.         }
  14.     }
  15. }
  16. ezcBaseInit::setCallback
  17.     'ezcInitDatabaseInstance'
  18.     'customLazyDatabaseConfiguration'
  19. );
  20. // Create and configure default mysql connection
  21. $db ezcDbInstance::get();
  22. // Create and configure additional sqlite connection
  23. $sb ezcDbInstance::get'sqlite' );
  24. ?>

ezcBaseInit::setCallback accepts as a first parameter a component specific key, which lets the component later request the right configuration callback. The second parameter is the name of the class to perform the static callback on. This class must implement the ezcBaseConfigurationInitializer class. Each component's lazy initialization calls the static method configureObject() on the referenced class.

This example shows a way to configure multiple database handlers, only when they are really requested in your application. The example does basicaly the same like the first example in this tutorial, but creates the connection not before it is really required.

In line 24 the default database handler is first requested in this example, which does not exist yet, so that the configuration class earlier referenced through the setCallback() call will be asked for a new instance for the current instance name, which is (bool) false for the default instance.

In the configureObject() method in line 8 we switch on the instance name and create and return the right newly created database handler. Line 27 shows, that this will also work with multiple database instances, creating an additional SQLite connection.

Query abstraction usage

This section gives you a basic introduction on how to build queries using the query abstraction layer.

We will start out by recreating the first query example:

  1. <?php
  2. $db ezcDbInstance::get();
  3. $q $db->createSelectQuery();
  4. $q->select'*' )->from'quotes' );
  5. $stmt $q->prepare();
  6. $stmt->execute();
  7. ?>

As you can see, building the query itself follows the build-up of a normal query and is rather straightforward. The rest of the example is a bit more verbose; this is mainly due to the fact that you need to fetch the query object from the handler and that you are required to use prepared statements with the query abstraction layer. The factory methods in the handler to fetch the query object ensure that you get a query of the correct type, regardless of what database you use. Please note that if you want to use table/column names that are SQL keywords, such as group, you need to quote the table/column names manually with ezcDbHandler::quoteIdentifier().

Bind parameters

The next example is based on the previous one, but builds a more complex query and introduces the usage of bind parameters in the query:

  1. <?php
  2. $db ezcDbInstance::get();
  3. $q $db->createSelectQuery();
  4. $e $q->expr// fetch the expression object
  5. $q->select'*' )->from'quotes' )
  6.     ->where$e->eq'author'$q->bindValue'Robert Foster' ) ) )
  7.     ->orderBy'quote' )
  8.     ->limit10);
  9. $stmt $q->prepare();
  10. $stmt->execute();
  11. ?>

The query will fetch the first ten quotes by Robert Foster, sorted by the quote itself. Note that string parameters must either be bound using ezcQuery::bindParam()/ezcQuery::BindValue() or escaped and quoted manually.

As you can see, logical expressions are built up using the expression object of the type ezcQueryExpression. Note that the methods for logical or and and are named lOr and lAnd, respectively. This is because and and or are reserved names in PHP and cannot be used in method names.

The next example shows that you can insert, update and delete rows from a table using the query abstraction layer, in a similar way to the SELECT query.

The example below shows how to create and use basic INSERT, UPDATE and DELETE query objects.

  1. <?php
  2. $db ezcDbInstance::get();
  3. // Insert
  4. $q $db->createInsertQuery();
  5. $q->insertInto'quotes' )
  6.   ->set'id')
  7.   ->set'name'$q->bindValue'Robert Foster' ) )
  8.   ->set'quote'$q->bindValue"It doesn't look as if it's ever used!" ) );
  9. $stmt $q->prepare();
  10. $stmt->execute();
  11. // update
  12. $q $db->createUpdateQuery();
  13. $q->update'quotes' )
  14.   ->set'quote''His skin is cold... Like plastic...' )
  15.   ->where$q->expr->eq'id') );
  16. $stmt $q->prepare();
  17. $stmt->execute();
  18. // delete
  19. $q $db->createDeleteQuery();
  20. $q->deleteFrom'quotes' )
  21.   ->where$q->expr->eq'name'$q->bindValue'Robert Foster' ) ) );
  22. $stmt $q->prepare();
  23. $stmt->execute();
  24. ?>

Multi-join syntax

The next examples show how to use multi-join syntax to build queries with several joined tables using inner, right or left join.

The innerJoin(), rightJoin() and leftJoin() methods can be used in three forms:

  1. The first form takes two string arguments (table name and join condition) and returns an ezcQuery object. Each invocation joins one table. You can invoke the *Join() method several times.

  1. <?php
  2. $db ezcDbInstance::get();
  3. $q $db->createSelectQuery();
  4. // Right join of two tables. Will produce SQL:
  5. // "SELECT id FROM table1 RIGHT JOIN table2 ON table1.id = table2.id".
  6. $q->select'id' )->from'table1' )->rightJoin'table2'$q->expr->eq'table1.id''table2.id' ) );
  7. $stmt $q->prepare();
  8. $stmt->execute();
  9. // Right join of three tables. Will produce SQL:
  10. // "SELECT id FROM table1 RIGHT JOIN table2 ON table1.id < table2.id RIGHT JOIN table3 ON table2.id > table3.id".
  11. $q->select'id' )
  12.         ->from'table1' )
  13.             ->rightJoin'table2'$q->expr->lt'table1.id''table2.id' ) )
  14.             ->rightJoin'table3'$q->expr->gt'table2.id''table3.id' ) );
  15. $stmt $q->prepare();
  16. $stmt->execute();
  17. ?>
  1. This is a simplified version of form 1, where the join condition is always set to "equal".

    rightJoin( 'table1', 'table1.id', 'table2.id' ) is a shorter equivalent of rightJoin( 'table1', $this->expr->eq('table1.id', 'table2.id' ) );

  1. <?php
  2. $db ezcDbInstance::get();
  3. $q $db->createSelectQuery();
  4. // Right join of three tables. Will produce SQL:
  5. // "SELECT id FROM table1 RIGHT JOIN table2 ON table1.id = table2.id RIGHT JOIN table3 ON table2.id = table3.id".
  6. $q->select'id' )
  7.         ->from'table1' )
  8.             ->rightJoin'table2''table1.id''table2.id' )
  9.             ->rightJoin'table3''table2.id''table3.id' );
  10. $stmt $q->prepare();
  11. $stmt->execute();
  12. ?>
  1. This is a simple form that can join only two tables. It takes four string arguments and returns an SQL string. This exists mainly for backwards compatibility reasons.

  1. <?php
  2. $db ezcDbInstance::get();
  3. $q $db->createSelectQuery();
  4. // $q->rightJoin( 'table1', 'table2', 'table1.id', 'table2.id' ) will produce
  5. // string "table1 RIGHT JOIN table2 ON table1.id = table2.id"
  6. // that should be added to FROM clause of query.
  7. // resulting query is "SELECT id FROM table1 RIGHT JOIN table2 ON table1.id = table2.id".
  8. $q->select'id' )->from$q->rightJoin'table1''table2''table1.id''table2.id' ) );
  9. $stmt $q->prepare();
  10. $stmt->execute();
  11. ?>

This final example shows how to build subselect queries inside SELECT:

  1. <?php
  2. $name 'IBM';
  3. $q = new ezcQuerySelectezcDbInstance::get() );
  4. // Creating subselect object
  5. $q2 $q->subSelect();
  6. // $q2 will build the subquery "SELECT company FROM query_test WHERE
  7. // company = :ezcValue1 AND id > 2". This query will be used inside the SQL for
  8. // $q.
  9. $q2->select'company' )
  10.    ->from'query_test' )
  11.    ->where$q2->expr->eq'company'$q2->bindParam$name ) ), 'id > 2' );
  12. // $q the resulting query. It produces the following SQL:
  13. // SELECT * FROM query_test
  14. // WHERE  id >= 1  AND
  15. //     company IN ( (
  16. //         SELECT company FROM query_test
  17. //         WHERE company = :ezcValue1 AND id > 2
  18. //     ) )
  19. $q->select('*')
  20.   ->from'query_test' )
  21.   ->where' id >= 1 '$q->expr->in'company'$q2 ) );
  22. $stmt $q->prepare();
  23. $stmt->execute();
  24. ?>

Avoiding SQL injection

SQL injection is possibly the biggest single cause of major security problems in web applications. SQL injections are caused when building SQL statements that include untrusted data. If the untrusted data is not escaped properly or checked for proper input, you are susceptible to SQL injections.

With the introduction of bound values, it is possible to avoid SQL injection altogether. Simply use bind to insert untrusted data into a query. This is usually more efficient as well, since you do not need to escape the data and the SQL server does not have to parse it as part of the query string.

Character set issues

This component currently does not deal with character sets support. It relies on the different databases' own mechanisms to deal with this. For MySQL that means that you might have to set the character set yourself on the ezcDatabaseHandler instance with something like:

$db->query("SET NAMES utf8");

Oracle treats character sets totally different, and their driver needs to know which character set to use before connecting to the database, or starting the database. For this you need to make an environment setting. An example of such setting could be:

export NLS_LANG=AMERICAN_AMERICA.AL32UTF8

The value of the NLS_LANG environment variable differs according to locale and character set, please see the oracle website for some default values and a FAQ.

Notable differences between databases

Even though the query abstraction layer creates syntactically equal queries for the supported databases, the results may still differ. This is due to a large number of differences between the databases.

For example, SQLite does not support the rebinding of values. If you have an insert query and want to reuse it as outlined below, an error will be returned:

$q->insertInto( 'query_test' ) ->set( 'id', 1 ) ->set( 'company', $q->bindValue( 'eZ systems' ) ) ->set( 'section', $q->bindValue( 'Norway' ) ) ->set( 'employees', 20 ); $stmt = $q->prepare(); $stmt->execute(); $q->insertInto( 'query_test' ); $q->set( 'id', 2 ); $q->set( 'company', $q->bindValue( 'Trolltech' ) ); $q->set( 'section', $q->bindValue( 'Norway' ) ); $q->set( 'employees', 70 ); $stmt = $q->prepare(); $stmt->execute();

Instead, you should use bindParameter() to achieve the same effect:

$company = 'eZ systems'; $section = 'Norway'; $q->insertInto( 'query_test' ) ->set( 'id', 1 ) ->set( 'company', $q->bindParam( $company ) ) ->set( 'section', $q->bindParam( $section ) ) ->set( 'employees', 20 ); $stmt = $q->prepare(); $stmt->execute(); $q->insertInto( 'query_test' ); $q->set( 'id', 2 ); $q->set( 'employees', 70 ); $company = 'Trolltech'; $section = 'Norway'; $stmt = $q->prepare(); $stmt->execute();

Restrictions

To keep the compability between different relational database management systems, there are restrictions you have to cope with:

Adding support for a new database

This section explains the basic steps to take to create support for a new database. The following steps are rudimentary but should help you along the way.

  1. Check out the Database component from the eZ Systems SVN server. This is necessary in order to use the testing system. This allows you to easily see if your code works as it should.

  2. Create a handler for the new database. The handler must inherit from ezcDbHandler. Do not reimplement the methods for the query abstraction layer; they will then default to MySQL syntax.

  3. Run the test system and check whether any of them fail. If any tests fail, you have to extend the class and method in question and make sure that the generated query is correct for your database.