The Zend_Db_Table class is an object-oriented interface to database tables. It provides method for many common operations on tables. The base class is extensible, so you can add custom logic.
The Zend_Db_Table solution is an implementation of the Table Data Gateway pattern. The solution also includes a class that implements the Row Data Gateway pattern.
For each table in your database you want to access, define a class that extends Zend_Db_Table_Abstract.
In this section, we use an example database that tracks bugs in a software development project. The following SQL data definition language pseudocode describes a table in this example database.
CREATE TABLE bugs ( bug_id INT PRIMARY KEY AUTO_INCREMENT, created_on DATETIME, updated_on DATETIME bug_description VARCHAR, bug_status VARCHAR REFERENCES bug_statuses(bug_status) ); CREATE TABLE bug_status ( bug_status VARCHAR PRIMARY KEY ); CREATE TABLE products ( product_id VARCHAR PRIMARY KEY ); CREATE TABLE bugs_products ( bug_id INT REFERENCES bugs(bug_id), product_id VARCHAR REFERENCES products(product_id), PRIMARY KEY(bug_id, product_id) );
Declare the database table for which this class is defined,
using the protected variable $_name
.
This is a string, and must contain the name of the table
spelled as it appears in the database.
Example 9.1. Declaring a table class with explicit table name
<?php class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bugs'; } ?>
If you don't specify the table name, it defaults to the name of the class. If you rely on this default, the class name must match the spelling of the table name as it appears in the database.
Example 9.2. Declaring a table class with implicit table name
<?php class bugs extends Zend_Db_Table_Abstract { // table name matches class name } ?>
You can also declare the schema for the table in the protected
variable $_schema
.
In some RDBMS brands, the term for this is database or
tablespace, but it is used similarly.
You can also declare the schema as part of the table string.
Example 9.3. Declaring a table class with schema
<?php // First alternative: class Bugs extends Zend_Db_Table_Abstract { protected $_schema = 'bug_db'; protected $_name = 'bugs'; } // Second alternative: class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bug_db.bugs'; } ?>
If you don't specify the schema name, it defaults to the schema to which your database adapter instance is connected.
Every table should have a primary key. You can declare the
column for the primary key using the protected variable
$_primary
.
This is either a string that names the single column for the
primary key, or else it is an array of column names if your
primary key is a compound key.
Example 9.4. Example of specifying the primary key
<?php class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bugs'; protected $_primary = 'bug_id'; } ?>
If you don't specify the primary key, Zend_Db_Table_Abstract
tries to discover the primary key based on the information
provided by the describeTable()
method.
When you create an instance of a Table class, the constructor calls a set of protected methods that initialize metadata for the table. You can extend any of these methods to define metadata explicitly. Remember to call the parent's method when you are done.
Example 9.5. Example of overriding the _setupTableName() method
<?php class Bugs extends Zend_Db_Table_Abstract { protected function _setupTableName() { $this->_name = 'bugs'; parent::_setupTableName(); } } ?>
The setup methods you can override are the following:
_setupDatabaseAdapter()
checks that an adapter has been provided;
gets a default adapter from the registry
if needed. By overriding this method, you can
set a database adapter from some other source.
_setupTableName()
defaults the table name to the name of the class.
By overriding this method, you can set the table name
before this default behavior runs.
_setupMetadata()
sets the schema if the table name contains the
pattern "schema.table";
calls describeTable()
to get metadata
information; defaults the $_cols
array to the columns reported by
describeTable()
.
By overriding this method, you can specify the columns.
_setupPrimaryKey()
defaults the primary key columns to those reported
by describeTable()
; checks that the
primary key columns are included in the
$_cols
array.
By overriding this method, you can specify the primary
key columns.
Before you use a Table class, create an instance using its constructor. The constructor's argument is an array of options. The most important option to a Table constructor is the database adapter instance, representing a live connection to an RDBMS. There are three ways of specifying the database adapter to a Table class, and these three ways are described below:
The first way to provide a database adapter to a Table class
is by passing it as an object of type Zend_Db_Adapter_Abstract
in the options array, identified by the key 'db'
.
The second way to provide a database adapter to a Table class
is by declaring an object of type Zend_Db_Adapter_Abstract
to be a default database adapter for all subsequent instances
of Tables in your application. You can do this with the static
method Zend_Db_Table_Abstract::setDefaultAdapter()
.
The argument is an object of type Zend_Db_Adapter_Abstract.
Example 9.7. Example of constructing a Table using a the Default Adapter
<?php $db = Zend_Db::factory('PDO_MYSQL', $options); Zend_Db_Table_Abstract::setDefaultAdapter($db); // Later... $table = new Bugs(); ?>
It can be convenient to create the database adapter object in a central place of your application, such as the bootstrap, and then store it as the default adapter. This gives you a means to ensure that the adapter instance is the same throughout your application. However, setting a default adapter is limited to a single adapter instance.
The third way to provide a database adapter to a Table class
is by passing a string in the options array, also identified
by the 'db'
key. The string is used as a key
to the static Zend_Registry instance, where the entry at
that key is an object of type Zend_Db_Adapter_Abstract.
Example 9.8. Example of constructing a Table using a Registry key
<?php $db = Zend_Db::factory('PDO_MYSQL', $options); Zend_Registry::set('my_db', $db); // Later... $table = new Bugs(array('db' => 'my_db')); ?>
Like setting the default adapter, this gives you the means to ensure that the same adapter instance is used throughout your application. Using the registry is more flexible, because you can store more than one adapter instance. A given adapter instance is specific to a certain RDBMS brand and database instance. If your application needs access to multiple databases or even multiple database brands, then you need to use multiple adapters.
You can use the Table object to insert rows into the database
table on which the Table object is based. Use the
insert()
method of your Table object.
The argument is an associative array, mapping column names to
values.
Example 9.9. Example of inserting to a Table
<?php $table = new Bugs(); $data = array( 'created_on' => '2007-03-22', 'bug_description' => 'Something wrong', 'bug_status' => 'NEW' ); $table->insert($data); ?>
By default, the values in your data array are inserted as literal values, using parameters. If you need them to be treated as SQL expressions, you must make sure they are distinct from plain strings. Use an object of type Zend_Db_Expr to do this.
Example 9.10. Example of inserting expressions to a Table
<?php $table = new Bugs(); $data = array( 'created_on' => new Zend_Db_Expr('CURDATE()'), 'bug_description' => 'Something wrong', 'bug_status' => 'NEW' ); ?>
In the examples of inserting rows above, it is assumed that the table has an auto-incrementing primary key. This is the default behavior of Zend_Db_Table_Abstract, but there are other types of primary keys as well. The following sections describe how to support different types of primary keys.
An auto-incrementing primary key generates a unique integer
value for you if you omit the primary key column from your
SQL INSERT
statement.
In Zend_Db_Table_Abstract, if you define the protected
variable $_sequence
to be the Boolean value
true
, then the class assumes that the table
has an auto-incrementing primary key.
Example 9.11. Example of declaring a Table with auto-incrementing primary key
<?php class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bugs'; // This is the default in the Zend_Db_Table_Abstract class; // you do not need to define this. protected $_sequence = true; } ?>
MySQL, Microsoft SQL Server, and SQLite are examples of RDBMS brands that support auto-incrementing primary keys.
PostgreSQL has a SERIAL
notation that implicitly
defines a sequence based on the table and column name, and uses
the sequence to generate key values for new rows.
IBM DB2 has an IDENTITY
notation that works similarly.
If you use either of these notations, treat your Zend_Db_Table
class as having an auto-incrementing column with respect to
declaring the $_sequence
member as true
.
A sequence is a database object that generates a unique value, which can be used as a primary key value in one or more tables of the database.
If you define $_sequence
to be a string,
then Zend_Db_Table_Abstract assumes the string to name
a sequence object in the database. The sequence is invoked
to generate a new value, and this value is used in the
INSERT
operation.
Example 9.12. Example of declaring a Table with a sequence
<?php class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bugs'; protected $_sequence = 'bug_sequence'; } ?>
Oracle, PostgreSQL, and IBM DB2 are examples of RDBMS brands that support sequence objects in the database.
PostgreSQL and IBM DB2 also have syntax that defines sequences implicitly and associated with columns. If you use this notation, treat the table as having an auto-incrementing key column. Define the sequence name as a string only in cases where you would invoke the sequence explicitly to get the next key value.
Some tables have a natural key. This means that the key is not automatically generated by the table or by a sequence. You must specify the value for the primary key in this case.
If you define the $_sequence
to be the Boolean
value false
, then Zend_Db_Table_Abstract assumes
that the table has a natural primary key. You must provide
values for the primary key columns in the array of data to the
insert()
method, or else this method throws a
Zend_Db_Table_Exception.
Example 9.13. Example of declaring a Table with a natural key
<?php class BugStatus extends Zend_Db_Table_Abstract { protected $_name = 'bug_status'; protected $_sequence = false; } ?>
Note | |
---|---|
All RDBMS brands support tables with natural keys. Examples of tables that are often declared as having natural keys are lookup tables, intersection tables in many-to-many relationships, or most tables with compound primary keys. |
You can update rows in a database table using the
update
method of a Table class. This method
takes two arguments: an associative array of columns to change
and new values to assign to these columns; and an SQL expression
that is used in a WHERE
clause, as criteria for
the rows to change in the UPDATE
operation.
Example 9.14. Example of updating rows in a Table
<?php $table = new Bugs(); $data = array( 'updated_on' => '2007-03-23', 'bug_status' => 'FIXED' ); $where = $table->getAdapter()->quoteInto('bug_id = ?', 1234); $table->update($data, $where); ?>
Since the table update()
method proxies to the database adapter
update()
method, the second argument can be an
array of SQL expressions. The expressions are combined as Boolean terms using an AND
operator.
Note | |
---|---|
The values and identifiers in the SQL expression are not
quoted for you. If you have values or identifiers that
require quoting, you are responsible for doing this.
Use the |
You can delete rows from a database table using the
delete()
method. This method takes one argument,
which is an SQL expression that is used in a WHERE
clause, as criteria for the rows to delete.
Example 9.15. Example of deleting rows from a Table
<?php $table = new Bugs(); $where = $table->getAdapter()->quoteInto('bug_id = ?', 1235); $table->delete($where); ?>
The second argument can be an array of SQL expressions.
The expressions are combined as Boolean terms
using an AND
operator.
Since the table delete()
method proxies to the database adapter
delete()
method, the second argument can be an
array of SQL expressions. The expressions are combined as Boolean terms using an AND
operator.
Note | |
---|---|
The values and identifiers in the SQL expression are not
quoted for you. If you have values or identifiers that
require quoting, you are responsible for doing this.
Use the |
You can query the database table for rows matching specific values
in the primary key, using the find()
method.
The first argument of this method is either a single value or
an array of values to match against the primary key of the
table.
Example 9.16. Example of finding rows by primary key values
<?php $table = new Bugs(); // Find a single row // Returns a Rowset $rows = $table->find(1234); // Find multiple rows // Also returns a Rowset $rows = $table->find(array(1234, 5678)); ?>
If you specify a single value, the method returns at most one row, because a primary key cannot have duplicate values and there is at most one row in the database table matching the value you specify. If you specify multiple values in an array, the method returns at most as many rows as the number of distinct values you specify.
The find()
method might return fewer rows than
the number of values you specify for the primary key, if some
of the values don't match any rows in the database table.
The method even may return zero rows. Because the number of
rows returned is variable, the find()
method returns
an object of type Zend_Db_Table_Rowset_Abstract.
If the primary key is a compound key, that is, it consists
of multiple columns, you can specify the additional columns as
additional arguments to the find()
method.
You must provide as many arguments as the number of columns in
the table's primary key.
To find multiple rows from a table with a compound primary key, provide an array for each of the arguments. All of these arrays must have the same number of elements.
Example 9.17. Example of finding rows by compound primary key values
<?php class BugsProducts extends Zend_Db_Table_Abstract { protected $_name = 'bugs_products'; protected $_primary = array('bug_id', 'product_id'); } $table = new BugsProducts(); // Find a single row with a compound primary key // Returns a Rowset $rows = $table->find(1234, 'ABC'); // Find multiple rows with compound primary keys // Also returns a Rowset $rows = $table->find(array(1234, 5678), array('ABC', 'DEF')); ?>
You can query for a set of rows using any criteria other than
the primary key values, using the fetchAll()
method
of the Table class. This method returns an object of type
Zend_Db_Table_Rowset_Abstract.
Example 9.18. Example of finding rows by an expression
<?php $table = new Bugs(); $where = $table->getAdapter()->quoteInto('bug_status = ?', 'NEW'); $rows = $table->fetchAll($where); ?>
The first argument to this method is an SQL expression that
is used in a WHERE
clause, like those used in the
update()
and delete()
methods
described earlier.
Note | |
---|---|
The values and identifiers in the SQL expression are not
quoted for you. If you have values or identifiers that
require quoting, you are responsible for doing this.
Use the |
The second argument is an expression or array of expressions
used as sorting criteria in an ORDER BY
clause.
The third and fourth arguments are the count and offset integer
values, used to make the query return a specific subset of rows.
These values are used in a LIMIT
clause, or in
equivalent logic for RDBMS brands that do not support the
LIMIT
syntax.
Example 9.19. Example of finding rows by an expression
<?php $table = new Bugs(); $where = $table->getAdapter()->quoteInto('bug_status = ?', 'NEW'); $order = 'bug_id'; // Return the 21st through 30th rows $count = 10; $offset = 20; $rows = $table->fetchAll($where, $order, $count, $offset); ?>
All of the arguments above are optional. If you omit these arguments, the result set includes all rows from the table in an unpredictable order.
You can query for a single row using any criteria other than
the primary key values, using the fetchRow()
method
of the Table class. Usage of this method is similar to that
of the fetchAll()
method, in that its arguments
include the WHERE
expression and the sorting criteria.
Example 9.20. Example of finding a single row by an expression
<?php $table = new Bugs(); $where = $table->getAdapter()->quoteInto('bug_status = ?', 'NEW'); $order = 'bug_id'; $row = $table->fetchRow($where, $order); ?>
This method returns an object of type Zend_Db_Table_Row_Abstract.
If the search criteria you specified match no rows in the
database table, then fetchRow()
returns PHP's
null
value.
The Zend_Db_Table_Abstract class provides some information
about its metadata. The info()
method returns
an array structure with information about the table, its
columns and primary key, and other metadata.
Example 9.21. Example of getting the table name
<?php $table = new Bugs(); $info = $table->info(); echo "The table name is " . $info['name'] . "\n"; ?>
The keys of the array returned by the info()
method are described below:
name => the name of the table.
cols => an array, naming the column(s) of the table.
primary => an array, naming the column(s) in the primary key.
metadata =>
an associative array, mapping column names to
information about the columns. This is the information
returned by the describeTable()
method.
rowClass => the name of the concrete class used for Row objects returned by methods of this table instance. This defaults to Zend_Db_Table_Row.
rowsetClass => the name of the concrete class used for Rowset objects returned by methods of this table instance. This defaults to Zend_Db_Table_Rowset.
referenceMap => an associative array, with information about references from this table to any parent tables. See Section 9.7.2, “Defining Relationships”.
dependentTables => an array of class names of tables that reference this table. See Section 9.7.2, “Defining Relationships”.
schema => the name of the schema (or database or tablespace) for this table.
By default, Zend_Db_Table_Abstract
queries the underlying database for
table metadata upon instantiation of a table object. That is,
when a new table object is created, the object's default behavior is to fetch the table metadata from
the database using the adapter's describeTable()
method.
In some circumstances, particularly when many table objects are instantiated against the same database table, querying the database for the table metadata for each instance may be undesirable from a performance standpoint. In such cases, users may benefit by caching the table metadata retrieved from the database.
There are two primary ways in which a user may take advantage of table metadata caching:
Call Zend_Db_Table_Abstract::setDefaultMetadataCache() - This allows a developer to once set the default cache object to be used for all table classes.
Configure Zend_Db_Table_Abstract::__construct() - This allows a developer to set the cache object to be used for a particular table class instance.
In both cases, the cache specification must be either null
(i.e., no cache used) or an
instance of Zend_Cache_Core
. The methods may be used
in conjunction when it is desirable to have both a default metadata cache and the ability to change the
cache for individual table objects.
Example 9.22. Using a Default Metadata Cache for all Table Objects
The following code demonstrates how to set a default metadata cache to be used for all table objects:
<?php // First, set up the Cache require_once 'Zend/Cache.php'; $frontendOptions = array( 'automatic_serialization' => true ); $backendOptions = array( 'cacheDir' => 'cacheDir' ); $cache = Zend_Cache::factory('Core', 'File', $frontendOptions, $backendOptions); // Next, set the cache to be used with all table objects require_once 'Zend/Db/Table/Abstract.php'; Zend_Db_Table_Abstract::setDefaultMetadataCache($cache); // A table class is also needed class Bugs extends Zend_Db_Table_Abstract { // ... } // Each instance of Bugs now uses the default metadata cache $bugs = new Bugs(); ?>
Example 9.23. Using a Metadata Cache for a Specific Table Object
The following code demonstrates how to set a metadata cache for a specific table object instance:
<?php // First, set up the Cache require_once 'Zend/Cache.php'; $frontendOptions = array( 'automatic_serialization' => true ); $backendOptions = array( 'cacheDir' => 'cacheDir' ); $cache = Zend_Cache::factory('Core', 'File', $frontendOptions, $backendOptions); // A table class is also needed require_once 'Zend/Db/Table/Abstract.php'; class Bugs extends Zend_Db_Table_Abstract { // ... } // Configure an instance upon instantiation $bugs = new Bugs(array('metadataCache' => $cache)); ?>
Automatic Serialization with the Cache Frontend | |
---|---|
Since the information returned from the adapter's describeTable() method is an array, ensure that the
|
Though the above examples use Zend_Cache_Backend_File
, developers may use whatever cache
backend is appropriate for the situation. Please see Zend_Cache for more
information.
By default, methods of the Table class return a Rowset in instances of the concrete class Zend_Db_Table_Rowset, and Rowsets contain a collection of instances of the concrete class Zend_Db_Table_Row. You can specify an alternative class to use for either of these, but they must be classes that extend Zend_Db_Table_Rowset_Abstract and Zend_Db_Table_Row_Abstract, respectively.
You can specify Row and Rowset classes using the
Table constructor's options array, in keys
'rowClass'
and
'rowsetClass'
respectively.
Specify the names of the classes using strings.
Example 9.24. Example of specifying the Row and Rowset classes
<?php class My_Row extends Zend_Db_Table_Row_Abstract { ... } class My_Rowset extends Zend_Db_Table_Rowset_Abstract { ... } $table = new Bugs( array( 'rowClass' => 'My_Row', 'rowsetClass' => 'My_Rowset' ) ); $where = $table->getAdapter()->quoteInto('bug_status = ?', 'NEW') // Returns an object of type My_Rowset, // containing an array of objects of type My_Row. $rows = $table->fetchAll($where); ?>
You can change the classes by specifying
them with the setRowClass()
and
setRowsetClass()
methods. This applies to
rows and rowsets created subsequently; it does not change
the class of any row or rowset objects you have created
previously.
Example 9.25. Example of changing the Row and Rowset classes
<?php $table = new Bugs(); $where = $table->getAdapter()->quoteInto('bug_status = ?', 'NEW') // Returns an object of type Zend_Db_Table_Rowset // containing an array of objects of type Zend_Db_Table_Row. $rowsStandard = $table->fetchAll($where); $table->setRowClass('My_Row'); $table->setRowsetClass('My_Rowset'); // Returns an object of type My_Rowset, // containing an array of objects of type My_Row. $rowsCustom = $table->fetchAll($where); // The $rowsStandard object still exists, and it is unchanged. ?>
For more information on the Row and Rowset classes, see Section 9.5, “Zend_Db_Table_Row” and Section 9.6, “Zend_Db_Table_Rowset”.
You can override the insert()
and
update()
methods in your Table class.
This gives you the opportunity to implement custom code
that is executed before performing the database operation.
Be sure to call the parent class method when you are done.
Example 9.26. Custom logic to manage timestamps
<?php class Bugs extends Zend_Db_Table_Abstract { protected $_name = 'bugs'; public function insert(array $data) { // add a timestamp if (empty($data['created_on'])) { $data['created_on'] = time(); } return parent::insert($data); } public function update(array $data, $where) { // add a timestamp if (empty($data['updated_on'])) { $data['updated_on'] = time(); } return parent::update($data, $where); } } ?>
You can also override the delete()
method.
You can implement custom query methods in your Table class,
if you have frequent need to do queries against this table
with specific criteria. Most queries can be written using
fetchAll()
, but this requires that you duplicate
code to form the query conditions if you need to run the
query in several places in your application.
Therefore it can be convenient to implement a method
in the Table class to perform frequently-used queries
against this table.
Some people prefer that the table class name match a table name in the RDBMS by using a string transformation called inflection.
For example, if your table class name is
"BugsProducts
", it would match the physical table
in the database called "bugs_products
,"
if you omit the explicit declaration of the $_name
class property.
In this inflection mapping, the class name spelled in
"CamelCase" format would be transformed to lower case,
and words are separated with an underscore.
You can specify the database table name independently from
the class name by declaring the table name with the
$_name
class property in each of your table
classes.
Zend_Db_Table_Abstract performs no inflection to
map the class name to the table name. If you omit the
declaration of $_name
in your table class,
the class maps to a database table that matches the
spelling of the class name exactly.
It is inappropriate to transform identifiers from the database, because this can lead to ambiguity or make some identifiers inaccessible. Using the SQL identifiers exactly as they appear in the database makes Zend_Db_Table_Abstract both simpler and more flexible.
If you prefer to use inflection, then you must implement
the transformation yourself, by overriding the
_setupTableName()
method in your Table classes.
One way to do this is to define an abstract class that extends
Zend_Db_Table_Abstract, and then the rest of your tables
extend your new abstract class.
Example 9.28. Example of an abstract table class that implements inflection
<?php abstract class MyAbstractTable extends Zend_Db_Table_Abstract { protected function _setupTableName() { if (!$this->_name) { $this->_name = myCustomInflector(get_class($this)); } parent::_setupTableName(); } } class BugsProducts extends MyAbstractTable { } ?>
You are responsible for writing the functions to perform inflection transformation. Zend Framework does not provide such a function.