The Adapter object is the most important sub-component of Zend\Db. It is responsible for adapting any code written in or for Zend\Db to the targeted php extensions and vendor databases. In doing this, it creates an abstraction layer for the PHP extensions, which is called the “Driver” portion of the Zend\Db adapter. It also creates a lightweight abstraction layer, called the “Platform” portion of the adapter, for the various idiosyncrasies that each vendor-specific platform might have in its SQL/RDBMS implementation.
Creating an adapter can simply be done by instantiating the Zend\Db\Adapter\Adapter class. The most common use case, while not the most explicit, is to pass an array of configuration to the Adapter.
1 | $adapter = new Zend\Db\Adapter\Adapter($configArray);
|
This driver array is an abstraction for the extension level required parameters. Here is a table for the key-value pairs that should be in configuration array.
Key | Is Required? | Value |
---|---|---|
driver | required | Mysqli, Sqlsrv, Pdo_Sqlite, Pdo_Mysql, Pdo=OtherPdoDriver |
database | generally required | the name of the database (schema) |
username | generally required | the connection username |
password | generally required | the connection password |
hostname | not generally required | the IP address or hostname to connect to |
port | not generally required | the port to connect to (if applicable) |
charset | not generally required | the character set to use |
Note
Other names will work as well. Effectively, if the PHP manual uses a particular naming, this naming will be supported by our Driver. For example, dbname in most cases will also work for ‘database’. Another example is that in the case of Sqlsrv, UID will work in place of username. Which format you chose is up to you, but the above table represents the official abstraction names.
So, for example, a MySQL connection using ext/mysqli:
1 2 3 4 5 6 | $adapter = new Zend\Db\Adapter\Adapter(array(
'driver' => 'Mysqli',
'database' => 'zend_db_example',
'username' => 'developer',
'password' => 'developer-password'
));
|
Another example, of a Sqlite connection via PDO:
1 2 3 4 | $adapter = new Zend\Db\Adapter\Adapter(array(
'driver' => 'Pdo_Sqlite',
'database' => 'path/to/sqlite.db'
));
|
It is important to know that by using this style of adapter creation, the Adapter will attempt to create any dependencies that were not explicitly provided. A Driver object will be created from the configuration array provided in the constructor. A Platform object will be created based off the type of Driver class that was instantiated. And lastly, a default ResultSet object is created and utilized. Any of these objects can be injected, to do this, see the next section.
The list of officially supported drivers:
The more expressive and explicit way of creating an adapter is by injecting all your dependencies up front. Zend\Db\Adapter\Adapter uses constructor injection, and all required dependencies are injected through the constructor, which has the following signature (in pseudo-code):
1 2 3 4 5 6 | use Zend\Db\Adapter\Platform\PlatformInterface;
use Zend\Db\ResultSet\ResultSet;
class Zend\Db\Adapter\Adapter {
public function __construct($driver, PlatformInterface $platform = null, ResultSet $queryResultSetPrototype = null)
}
|
What can be injected:
By default, query() prefers that you use “preparation” as a means for processing SQL statements. This generally means that you will supply a SQL statement with the values substituted by placeholders, and then the parameters for those placeholders are supplied separately. An example of this workflow with Zend\Db\Adapter\Adapter is:
1 | $adapter->query('SELECT * FROM `artist` WHERE `id` = ?', array(5));
|
The above example will go through the following steps:
In some cases, you have to execute statements directly. The primary purpose for needing to execute sql instead of prepare and execute a sql statement, might be because you are attempting to execute a DDL statement (which in most extensions and vendor platforms), are un-preparable. An example of executing:
1 | $adapter->query('ALTER TABLE ADD INDEX(`foo_index`) ON (`foo_column`)', Adapter::QUERY_MODE_EXECUTE);
|
The primary difference to notice is that you must provide the Adapter::QUERY_MODE_EXECUTE (execute) as the second parameter.
While query() is highly useful for one-off and quick querying of a database through Adapter, it generally makes more sense to create a statement and interact with it directly, so that you have greater control over the prepare-then-execute workflow. To do this, Adapter gives you a routine called createStatement() that allows you to create a Driver specific Statement to use so you can manage your own prepare-then-execute workflow.
1 2 3 | // with optional parameters to bind up-front
$statement = $adapter->createStatement($sql, $optionalParameters);
$result = $statement->execute();
|
The Driver object is the primary place where Zend\Db\Adapter\Adapter implements the connection level abstraction making it possible to use all of ZendDb’s interfaces via the various ext/mysqli, ext/sqlsrv, PDO, and other PHP level drivers. To make this possible, each driver is composed of 3 objects:
Each of the built-in drivers practices “prototyping” as a means of creating objects when new instances are requested. The workflow looks like this:
This driver is now ready to be called on when particular workflows are requested. Here is what the Driver API looks like:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 | namespace Zend\Db\Adapter\Driver;
interface DriverInterface
{
const PARAMETERIZATION_POSITIONAL = 'positional';
const PARAMETERIZATION_NAMED = 'named';
const NAME_FORMAT_CAMELCASE = 'camelCase';
const NAME_FORMAT_NATURAL = 'natural';
public function getDatabasePlatformName($nameFormat = self::NAME_FORMAT_CAMELCASE);
public function checkEnvironment();
public function getConnection();
public function createStatement($sqlOrResource = null);
public function createResult($resource);
public function getPrepareType();
public function formatParameterName($name, $type = null);
public function getLastGeneratedValue();
}
|
From this DriverInterface, you can
Statement objects generally look like this:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | namespace Zend\Db\Adapter\Driver;
interface StatementInterface extends StatementContainerInterface
{
public function getResource();
public function prepare($sql = null);
public function isPrepared();
public function execute($parameters = null);
/** Inherited from StatementContainerInterface */
public function setSql($sql);
public function getSql();
public function setParameterContainer(ParameterContainer $parameterContainer);
public function getParameterContainer();
}
|
Result objects generally look like this:
1 2 3 4 5 6 7 8 9 10 11 | namespace Zend\Db\Adapter\Driver;
interface ResultInterface extends \Countable, \Iterator
{
public function buffer();
public function isQueryResult();
public function getAffectedRows();
public function getGeneratedValue();
public function getResource();
public function getFieldCount();
}
|
The Platform object provides an API to assist in crafting queries in a way that is specific to the SQL implementation of a particular vendor. Nuances such as how identifiers or values are quoted, or what the identifier separator character is are handled by this object. To get an idea of the capabilities, the interface for a platform object looks like this:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | namespace Zend\Db\Adapter\Platform;
interface PlatformInterface
{
public function getName();
public function getQuoteIdentifierSymbol();
public function quoteIdentifier($identifier);
public function quoteIdentifierChain($identiferChain)
public function getQuoteValueSymbol();
public function quoteValue($value);
public function quoteValueList($valueList);
public function getIdentifierSeparator();
public function quoteIdentifierInFragment($identifier, array $additionalSafeWords = array());
}
|
While one can instantiate your own Platform object, generally speaking, it is easier to get the proper Platform instance from the configured adapter (by default the Platform type will match the underlying driver implementation):
1 2 3 | $platform = $adapter->getPlatform();
// or
$platform = $adapter->platform; // magic property access
|
The following is a couple of example of Platform usage:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | /** @var $adapter Zend\Db\Adapter\Adapter */
/** @var $platform Zend\Db\Adapter\Platform\Sql92 */
$platform = $adapter->getPlatform();
// "first_name"
echo $platform->quoteIdentifier('first_name');
// "
echo $platform->getQuoteIdentifierSymbol();
// "schema"."mytable"
echo $platform->quoteIdentifierChain(array('schema','mytable')));
// '
echo $platform->getQuoteValueSymbol();
// 'myvalue'
echo $platform->quoteValue('myvalue');
// 'value', 'Foo O\\'Bar'
echo $platform->quoteValueList(array('value',"Foo O'Bar")));
// .
echo $platform->getIdentifierSeparator();
// "foo" as "bar"
echo $platform->quoteIdentifierInFragment('foo as bar');
// additionally, with some safe words:
// ("foo"."bar" = "boo"."baz")
echo $platform->quoteIdentifierInFragment('(foo.bar = boo.baz)', array('(', ')', '='));
|
The ParameterContainer object is a container for the various parameters that need to be passed into a Statement object to fulfill all the various parameterized parts of the SQL statement. This object implements the ArrayAccess interface. Below is the ParameterContainer API:
namespace Zend\Db\Adapter;
class ParameterContainer implements \Iterator, \ArrayAccess, \Countable {
public function __construct(array $data = array())
/** methods to interact with values */
public function offsetExists($name)
public function offsetGet($name)
public function offsetSetReference($name, $from)
public function offsetSet($name, $value, $errata = null)
public function offsetUnset($name)
/** set values from array (will reset first) */
public function setFromArray(Array $data)
/** methods to interact with value errata */
public function offsetSetErrata($name, $errata)
public function offsetGetErrata($name)
public function offsetHasErrata($name)
public function offsetUnsetErrata($name)
/** errata only iterator */
public function getErrataIterator()
/** get array with named keys */
public function getNamedArray()
/** get array with int keys, ordered by position */
public function getPositionalArray()
/** iterator: */
public function count()
public function current()
public function next()
public function key()
public function valid()
public function rewind()
/** merge existing array of parameters with existing parameters */
public function merge($parameters)
}
In addition to handling parameter names and values, the container will assist in tracking parameter types for PHP type to SQL type handling. For example, it might be important that:
$container->offsetSet('limit', 5);
be bound as an integer. To achieve this, pass in the ParameterContainer::TYPE_INTEGER constant as the 3rd parameter:
$container->offsetSet('limit', 5, $container::TYPE_INTEGER);
This will ensure that if the underlying driver supports typing of bound parameters, that this translated information will also be passed along to the actual php database driver.
Creating a Driver and Vendor portable Query, Preparing and Iterating Result
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 | $adapter = new Zend\Db\Adapter\Adapter($driverConfig);
$qi = function($name) use ($adapter) { return $adapter->platform->quoteIdentifier($name); };
$fp = function($name) use ($adapter) { return $adapter->driver->formatParameterName($name); };
$sql = 'UPDATE ' . $qi('artist')
. ' SET ' . $qi('name') . ' = ' . $fp('name')
. ' WHERE ' . $qi('id') . ' = ' . $fp('id');
/** @var $statement Zend\Db\Adapter\Driver\StatementInterface */
$statement = $adapter->query($sql);
$parameters = array(
'name' => 'Updated Artist',
'id' => 1
);
$statement->execute($parameters);
// DATA INSERTED, NOW CHECK
/* @var $statement Zend\Db\Adapter\DriverStatementInterface */
$statement = $adapter->query('SELECT * FROM '
. $qi('artist')
. ' WHERE id = ' . $fp('id'));
/* @var $results Zend\Db\ResultSet\ResultSet */
$results = $statement->execute(array('id' => 1));
$row = $results->current();
$name = $row['name'];
|
The source code of this file is hosted on GitHub. Everyone can update and fix errors in this document with few clicks - no downloads needed.