Data Access Objects (DAO) provides a generic API to access data stored in different database management systems (DBMS). As a result, the underlying DBMS can be changed to a different one without requiring change of the code which uses DAO to access the data.
Yii DAO is built on top of PHP Data Objects
(PDO) which is an extension
providing unified data access to many popular DBMS, such as MySQL,
PostgreSQL. Therefore, to use Yii DAO, the PDO extension and the specific
PDO database driver (e.g. PDO_MYSQL
) have to be installed.
Yii DAO mainly consists of the following four classes:
In the following, we introduce the usage of Yii DAO in different scenarios.
To establish a database connection, create a CDbConnection instance and activate it. A data source name (DSN) is needed to specify the information required to connect to the database. A username and password may also be needed to establish the connection. An exception will be raised in case an error occurs during establishing the connection (e.g. bad DSN or invalid username/password).
$connection=new CDbConnection($dsn,$username,$password);
// establish connection. You may try...catch possible exceptions
$connection->active=true;
......
$connection->active=false; // close connection
The format of DSN depends on the PDO database driver in use. In general, a DSN consists of the PDO driver name, followed by a colon, followed by the driver-specific connection syntax. See PDO documentation for complete information. Below is a list of commonly used DSN formats:
sqlite:/path/to/dbfile
mysql:host=localhost;dbname=testdb
pgsql:host=localhost;port=5432;dbname=testdb
mssql:host=localhost;dbname=testdb
oci:dbname=//localhost:1521/testdb
Because CDbConnection extends from CApplicationComponent, we can also
use it as an application
component. To do so, configure
in a db
(or other name) application component in the application
configuration as follows,
array(
......
'components'=>array(
......
'db'=>array(
'class'=>'CDbConnection',
'connectionString'=>'mysql:host=localhost;dbname=testdb',
'username'=>'root',
'password'=>'password',
'emulatePrepare'=>true, // needed by some MySQL installations
),
),
)
We can then access the DB connection via Yii::app()->db
which is already
activated automatically, unless we explictly configure
CDbConnection::autoConnect to be false. Using this approach, the single
DB connection can be shared in multiple places in our code.
There is a peculiarity when you want to work with the database through the ODBC layer.
When using ODBC, its connection string (DSN) doesn't indicate uniquely what database
type is being used (MySQL, MS SQL Server, etc.). Thus it's not able to automatically
detect needed DBMS specific classes (CMysqlSchema
, CMssqlSchema
and so forth).
That's why you have to use $driverName
property of the CDbConnection
class
to disambiguate that:
array(
......
'components'=>array(
......
'db'=>array(
'class'=>'CDbConnection'
'driverName'=>'mysql',
'connectionString'=>'odbc:Driver={MySQL};Server=127.0.0.1;Database=test',
'username'=>'',
'password'=>'',
),
),
)
Note: The configuration above is only relevant since the 1.1.15 version of the framework. If you're using the older versions of the framework you have to extend the database connection class and handle that case yourself.
Once a database connection is established, SQL statements can be executed using CDbCommand. One creates a CDbCommand instance by calling CDbConnection::createCommand() with the specified SQL statement:
$connection=Yii::app()->db; // assuming you have configured a "db" connection
// If not, you may explicitly create a connection:
// $connection=new CDbConnection($dsn,$username,$password);
$command=$connection->createCommand($sql);
// if needed, the SQL statement may be updated as follows:
// $command->text=$newSQL;
A SQL statement is executed via CDbCommand in one of the following two ways:
execute(): performs a non-query SQL statement,
such as INSERT
, UPDATE
and DELETE
. If successful, it returns the
number of rows that are affected by the execution.
query(): performs an SQL statement that returns
rows of data, such as SELECT
. If successful, it returns a CDbDataReader
instance from which one can traverse the resulting rows of data. For
convenience, a set of queryXXX()
methods are also implemented which
directly return the query results.
An exception will be raised if an error occurs during the execution of SQL statements.
$rowCount=$command->execute(); // execute the non-query SQL
$dataReader=$command->query(); // execute a query SQL
$rows=$command->queryAll(); // query and return all rows of result
$row=$command->queryRow(); // query and return the first row of result
$column=$command->queryColumn(); // query and return the first column of result
$value=$command->queryScalar(); // query and return the first field in the first row
After CDbCommand::query() generates the CDbDataReader instance, one
can retrieve rows of resulting data by calling CDbDataReader::read()
repeatedly. One can also use CDbDataReader in PHP's foreach
language
construct to retrieve row by row.
$dataReader=$command->query();
// calling read() repeatedly until it returns false
while(($row=$dataReader->read())!==false) { ... }
// using foreach to traverse through every row of data
foreach($dataReader as $row) { ... }
// retrieving all rows at once in a single array
$rows=$dataReader->readAll();
Note: Unlike query(), all
queryXXX()
methods return data directly. For example, queryRow() returns an array representing the first row of the querying result.
When an application executes a few queries, each reading and/or writing information in the database, it is important to be sure that the database is not left with only some of the queries carried out. A transaction, represented as a CDbTransaction instance in Yii, may be initiated in this case:
The above workflow can be implemented using the following code:
$transaction=$connection->beginTransaction();
try
{
$connection->createCommand($sql1)->execute();
$connection->createCommand($sql2)->execute();
//.... other SQL executions
$transaction->commit();
}
catch(Exception $e) // an exception is raised if a query fails
{
$transaction->rollback();
}
To avoid SQL injection attacks and to improve performance of executing repeatedly used SQL statements, one can "prepare" an SQL statement with optional parameter placeholders that are to be replaced with the actual parameters during the parameter binding process.
The parameter placeholders can be either named (represented as unique tokens) or unnamed (represented as question marks). Call CDbCommand::bindParam() or CDbCommand::bindValue() to replace these placeholders with the actual parameters. The parameters do not need to be quoted: the underlying database driver does it for you. Parameter binding must be done before the SQL statement is executed.
// an SQL with two placeholders ":username" and ":email"
$sql="INSERT INTO tbl_user (username, email) VALUES(:username,:email)";
$command=$connection->createCommand($sql);
// replace the placeholder ":username" with the actual username value
$command->bindParam(":username",$username,PDO::PARAM_STR);
// replace the placeholder ":email" with the actual email value
$command->bindParam(":email",$email,PDO::PARAM_STR);
$command->execute();
// insert another row with a new set of parameters
$command->bindParam(":username",$username2,PDO::PARAM_STR);
$command->bindParam(":email",$email2,PDO::PARAM_STR);
$command->execute();
The methods bindParam() and bindValue() are very similar. The only difference is that the former binds a parameter with a PHP variable reference while the latter with a value. For parameters that represent large blocks of data memory, the former is preferred for performance consideration.
For more details about binding parameters, see the relevant PHP documentation.
When fetching query results, one can also bind columns with PHP variables so that they are automatically populated with the latest data each time a row is fetched.
$sql="SELECT username, email FROM tbl_user";
$dataReader=$connection->createCommand($sql)->query();
// bind the 1st column (username) with the $username variable
$dataReader->bindColumn(1,$username);
// bind the 2nd column (email) with the $email variable
$dataReader->bindColumn(2,$email);
while($dataReader->read()!==false)
{
// $username and $email contain the username and email in the current row
}
Yii provides integrated support for using
table prefix. Table prefix means a string that is prepended to the names of
the tables in the currently connected database. It is mostly used in a shared
hosting environment where multiple applications share a single database and use
different table prefixes to differentiate from each other. For example, one
application could use tbl_
as prefix while the other yii_
.
To use table prefix, configure the CDbConnection::tablePrefix property to be
the desired table prefix. Then, in SQL statements use {{TableName}}
to refer
to table names, where TableName
means the table name without prefix. For example,
if the database contains a table named tbl_user
where tbl_
is configured as the
table prefix, then we can use the following code to query about users:
$sql='SELECT * FROM {{user}}';
$users=$connection->createCommand($sql)->queryAll();
Found a typo or you think this page needs improvement?
Edit it on github !
PDO bindParam not working for LIKE condition
If you use PDO bindParam to do a search with a LIKE condition you cannot put the percentages and quotes to the param placeholder '%:keyword%'.
This is WRONG:
"SELECT * FROM
users
WHEREfirstname
LIKE '%:keyword%'";The CORRECT solution is to leave clean the placeholder like this:
"SELECT * FROM
users
WHEREfirstname
LIKE :keyword";And then add the percentages to the php variable where you store the keyword:
$keyword = "%".$keyword."%";
And finally the quotes will be automatically added by PDO when executing the query so you don't have to worry about them.
So the full example would be:
<?php // Get the keyword from query string $keyword = $_GET['keyword']; // Prepare the command $sth = $dbh->prepare('SELECT * FROM `users` WHERE `firstname` LIKE :keyword'); // Put the percentage sing on the keyword $keyword = "%".$keyword."%"; // Bind the parameter $sth->bindParam(':keyword', $keyword, PDO::PARAM_STR); ?>
MySQL Problems solved by adding Port
As descibed on php.net (*1) you can add your MySQL Port Number to the connection string.
That may solve a lot of problems.
*1: http://www.php.net/manual/en/ref.pdo-mysql.connection.php
MS SQL server connection problem and fix
I was having problem connecting in to the MS SQL server from Yii framework in Linux environment, My connection string was
'connectionString'=>'mssql:host=sqlServer;dbname=dbName'
and i was getting the following error
"CDbConnection failed to open the DB connection: could not find driver"
Later i found that connection string for MS Sql Server in Linux Environment should be like this,
'connectionString'=>'dblib:host=sqlServer;dbname=dbName'
thats is, its should be "dblib" instead of "mssql"
mysql charset problem
if you have problems displaying mysql-related characters, add
'charset' => 'utf8'
to db configuration array. this solves pretty much everything with mysql character sets..
MYSQL problem and fix
I got an error when trying to connect to MYSQL:
exception 'CDbException' with message 'CDbCommand failed to execute the SQL statement: SQLSTATE[HY000]: General error: 2030
This was fixed by adding this:
'emulatePrepare'=>true
to the 'db' attribute in the application configuration.
Little advice
Even if you dont use table prefixes, add 'tablePrefix' =>'' to your db configuration for avoiding errors when you user 3rd-party extensions where table names specified as '{{TableName}}'.
Issue - Bind an array of values when using a very common Select IN() condition
Note that there is no Php PDO::PARAM_ARRAY so the SELECT * FROM .. WHERE .. IN (1,2,3) binding needs a workaround. Just mentioning it so the next person doesnt waste time, since its not as simple as it should be.
Accessing row columns in object manner
If for some reason you want to access fetched rows in object manner, all you need is to just set fetch mode to PDO::FETCH_OBJ:
$dbC = Yii::app()->db->createCommand(); $dbC->setFetchMode(PDO::FETCH_OBJ);//fetch each row as Object $dbC->select()->from('table'); foreach ($dbC->queryAll() as $row) { //now we can access row columns as object properties: echo $row->column1;//instead of $row['column1'] }
Now it works
My solution was to download the PDP sqlsrv drivers AND the Microsoft SQL Server Native Client from this Microsoft page:
Microsoft Drivers for PHP for SQL Server
Then I've put the appropriate driver (see SQLSRVReadme.htm) into the directory ...\PHP\ext_ and activated them by inserting the following lines into php.ini:
(change the dll names as needed!)
'db'=>array( 'connectionString' => 'sqlsrv:server=MY_SERVERNAME;Database=MY_DATABASENAME;', 'username' => 'MY_USERNAME', 'password' => 'MY_PASSWORD', ),
FetchMode Types:
You can find several fetch types
http://php.net/manual/en/pdostatement.fetch.php
Example:
$dbC = Yii::app()->db->createCommand();
$dbC->setFetchMode(PDO::FETCH_OBJ);//fetch each row as Object
--
Regards,
Kranthi Kumar P.
Signup or Login in order to comment.