PDO

PDO - Hallo sahabat Tutorials, Pada Artikel yang anda baca kali ini dengan judul PDO, kami telah mempersiapkan artikel ini dengan baik untuk anda baca dan ambil informasi didalamnya. mudah-mudahan isi postingan yang kami tulis ini dapat anda pahami. baiklah, selamat membaca.

Judul : PDO
link : PDO

Baca juga


PDO

PDO  :
PDO stands for PHP Data Objects. The aim of PDO in PHP is to provide lightweight, common interface to access different type of database like MySQL, MS-SQL Server and SQLite etc. Every database that implements the PDO driver can elevate database specific features as regular extension functions. ote that you cannot perform any database functions using the PDO extension by itself; you must use a database-specific PDO driver to access a database server.
PDO provides data-access abstraction layer which provides same functions for multiple databases in use. You can ultimately use same functions, queries for inserting, updating, deleting and fetching data regardless of the database in use. It avoids complexity to work with multiple databases.

PDO ships with PHP 5.1, and is available as a PECL extension for PHP 5.0; PDO requires the new OO features in the core of PHP 5, and so will not run with earlier versions of PHP
PHP Data Objects extension is a Database Abstraction Layer. Specifically, this is not a MySQL interface, as it provides drivers for many database engines (of course including MYSQL).
PDO aims to provide a consistent API that means when a database engine is changed, the code changes to reflect this should be minimal. When using PDO, your code will normally "just work" across many database engines, simply by changing the driver you're using.

In addition to being cross-database compatible, PDO also supports prepared statements, stored procedures and more, whilst using the MySQL Driver.



PDO is enabled by default in PHP installations now, however you need two extensions to be able to use PDO: PDO, and a driver for the database you want to use like pdo_mysql. Installing the MySQL driver is as simple as installing the php-mysql package in most distributions.
Connecting to MySQL
old way:
<?php
$link= mysql_connect('localhost', 'user', 'pass');
mysql_select_db('testdb',$link);
mysql_set_charset('UTF-8', $link);
new way: all you gotta do is create a new PDO object. PDO's constructor takes at most 4 parameters, DSN, username, password, and an array of driver options.
A DSN is basically a string of options that tell PDO which driver to use, and the connection details... You can look up all the options here PDO MYSQL DSN.
<?php
$db= new PDO('mysql:host=localhost;dbname=testdb;charset=utf8mb4', 'username', 'password');
Note: If you get an error about character sets, make sure you add the charset parameter to the DSN. Adding the charset to the DSN is very important for security reasons, most examples you'll see around leave it out. MAKE SURE TO INCLUDE THE CHARSET!
You can also pass in several driver options as an array to the fourth parameters. I recommend passing the parameter which puts PDO into exception mode, which I will explain in the next section. The other parameter is to turn off prepare emulation which is enabled in MySQL driver by default, but really should be turned off to use PDO safely and is really only usable if you are using an old version of MySQL.
<?php
$db= new PDO('mysql:host=localhost;dbname=testdb;charset=utf8mb4', 'username', 'password', array(PDO::ATTR_EMULATE_PREPARES => false,
                                                                                                PDO::ATTR_ERRMODE => PDO::ERRMODE_EXCEPTION));
You can also set some attributes after PDO construction with the setAttribute method:
<?php
$db= new PDO('mysql:host=localhost;dbname=testdb;charset=utf8mb4', 'username', 'password');
$db->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
$db->setAttribute(PDO::ATTR_EMULATE_PREPARES, false);
Error Handling
Consider your typical mysql_* error handling:
<?php
//connected to mysql
$result= mysql_query("SELECT * FROM table", $link) or die(mysql_error($link));
OR die is a pretty bad way to handle errors, yet this is typical mysql code. You can't handle die(); as it will just end the script abruptly and then echo the error to the screen which you usually do NOT want to show to your end users allowing nasty hackers discover your schema.
PDO has three error handling modes.
1.   PDO::ERRMODE_SILENT acts like mysql_* where you must check each result and then look at $db->errorInfo(); to get the error details.
2.   PDO::ERRMODE_WARNING throws PHP Warnings
3.   PDO::ERRMODE_EXCEPTION throws PDOException. In my opinion this is the mode you should use. It acts very much like or die(mysql_error()); when it isn't caught, but unlike or die() the PDOException can be caught and handled gracefully if you choose to do so.
<?php
try {
    //connect as appropriate as above
    $db->query('hi');//invalid query!
}catch(PDOException $ex) {
    echo"An Error occured!"; //user friendly message
    some_logging_function($ex->getMessage());
}
NOTE: you do not have to handle with try catch right away. You can catch it anytime that is appropriate. It may make more sense to catch it at a higher level like outside of the function that calls the PDO stuff:
<?php
functiongetData($db) {
   $stmt= $db->query("SELECT * FROM table");
   return$stmt->fetchAll(PDO::FETCH_ASSOC);
}

//then much later
try {
   getData($db);
}catch(PDOException $ex) {
   //handle me.
}
or you may not want to handle the exception with try/catch at all, and have it work much like or die(); does. You can hide the dangerous error messages in production by turning display_errors off and just reading your error log.
Running Simple Select Statements
Consider the mysql_* code:
<?php
$result= mysql_query('SELECT * from table') or die(mysql_error());

$num_rows= mysql_num_rows($result);

while($row= mysql_fetch_assoc($result)) {
   echo$row['field1'].' '.$row['field2']; //etc...
}
In PDO You can run such queries like this:
<?php
foreach($db->query('SELECT * FROM table') as $row) {
    echo$row['field1'].' '.$row['field2']; //etc...
}
query() method returns a PDOStatement object. You can also fetch results this way:
<?php
$stmt= $db->query('SELECT * FROM table');

while($row= $stmt->fetch(PDO::FETCH_ASSOC)) {
    echo$row['field1'].' '.$row['field2']; //etc...
}
or
<?php
$stmt= $db->query('SELECT * FROM table');
$results= $stmt->fetchAll(PDO::FETCH_ASSOC);
//use $results
Fetch Modes
Note the use of PDO::FETCH_ASSOC in the fetch() and fetchAll() code above. This tells PDO to return the rows as an associative array with the field names as keys. Other fetch modes like PDO::FETCH_NUMreturns the row as a numerical array. The default is to fetch with PDO::FETCH_BOTH which duplicates the data with both numerical and associative keys. It's recommended you specify one or the other so you don't have arrays that are double the size! PDO can also fetch objects with PDO::FETCH_OBJ, and can take existing classes with PDO::FETCH_CLASS. It can also bind into specific variables with PDO::FETCH_BOUND and using bindColumn method. There are even more choices! Read about them all here: PDOStatement Fetch documentation.

Getting Row Count
Instead of using mysql_num_rows to get the number of returned rows you can get a PDOStatement and do rowCount();
<?php
$stmt= $db->query('SELECT * FROM table');
$row_count= $stmt->rowCount();
echo$row_count.' rows selected';
NOTE: Though the documentation says this method is only for returning affected rows from UPDATE, INSERT, DELETE queries, with the PDO_MYSQL driver (and this driver only) you can get the row count forSELECT queries. Keep this in mind when writing code for multiple databases.
This is because MySQL's protocol is one of the very few that give this information to the client for SELECT statements. Most other database vendors don't bother divulging this information to the client as it would incur more overhead in their implementations.
Getting the Last Insert Id
Previously in mysql_* you did something like this.
<?php
$result= mysql_query("INSERT INTO table(firstname, lastname) VALUES('John', 'Doe')") or die("Insert Failed ".mysql_error());
$insert_id= mysql_insert_id();
With PDO you just do run the lastInsertId method.
<?php
$result= $db->exec("INSERT INTO table(firstname, lastname) VAULES('John', 'Doe')");
$insertId= $db->lastInsertId();
Running Simple INSERT, UPDATE, or DELETE statements
Consider the mysql_* code.
<?php
$results= mysql_query("UPDATE table SET field='value'") or die(mysql_error());
$affected_rows = mysql_affected_rows($result);
echo$affected_rows.' were affected';
for PDO this would look like:
<?php
$affected_rows = $db->exec("UPDATE table SET field='value'");
echo$affected_rows.' were affected'
Do the same for simple DELETE, and INSERT statements as well
Running Statements With Parameters
So far we've only shown simple statements that don't take in any variables. These are simple statements and PDO has the shortcut methods query for SELECT statements and exec for INSERT, UPDATE,DELETE statements. For statements that take in variable parameters, you should use bound parameter methods to execute your queries safely. Consider the following mysql_* code.
<?php
$results= mysql_query(sprintf("SELECT * FROM table WHERE id='%s' AND name='%s'",
                       mysql_real_escape_string($id), mysql_real_escape_string($name))) or die(mysql_error());
$rows= array();
while($row= mysql_fetch_assoc($results)){
    $rows[]= $row;
}
Man! that's a pain, especially if you have lots of parameters. This is how you can do it in PDO:
<?php
$stmt= $db->prepare("SELECT * FROM table WHERE id=? AND name=?");
$stmt->execute(array($id,$name));
$rows= $stmt->fetchAll(PDO::FETCH_ASSOC);
So what's going on here? The prepare method sends the query to the server, and it's compiled with the '?' placeholders to be used as expected arguments. The execute method sends the arguments to the server and runs the compiled statement. Since the query and the dynamic parameters are sent separately, there is no way that any SQL that is in those parameters can be executed... so NO SQL INJECTION can occur! This is a much better and safer solution than concatenating strings together.
NOTE: when you bind parameters, do NOT put quotes around the placeholders. It will cause strange SQL syntax errors, and quotes aren't needed as the type of the parameters are sent during execute so they are not needed to be known at the time of prepare.
There's a few other ways you can bind parameters as well. Instead of passing them as an array, which binds each parameter as a String type, you can use bindValue and specify the type for each parameter:
<?php
$stmt= $db->prepare("SELECT * FROM table WHERE id=? AND name=?");
$stmt->bindValue(1,$id, PDO::PARAM_INT);
$stmt->bindValue(2,$name, PDO::PARAM_STR);
$stmt->execute();
$rows= $stmt->fetchAll(PDO::FETCH_ASSOC);
Named Placeholders
Now if you have lots of parameters to bind, doesn't all those '?' characters make you dizzy and are hard to count? Well, in PDO you can use named placeholders instead of the '?':
<?php
$stmt= $db->prepare("SELECT * FROM table WHERE id=:id AND name=:name");
$stmt->bindValue(':id',$id, PDO::PARAM_INT);
$stmt->bindValue(':name',$name, PDO::PARAM_STR);
$stmt->execute();
$rows= $stmt->fetchAll(PDO::FETCH_ASSOC);
You can bind using execute with an array as well:
<?php
$stmt= $db->prepare("SELECT * FROM table WHERE id=:id AND name=:name");
$stmt->execute(array(':name'=> $name, ':id' => $id));
$rows= $stmt->fetchAll(PDO::FETCH_ASSOC);
INSERT, DELETE, UPDATE Prepared Queries
Prepared Statements for INSERT, UPDATE, and DELETE are not different than SELECT. But lets do some examples anyway:
<?php
$stmt= $db->prepare("INSERT INTO table(field1,field2,field3,field4,field5) VALUES(:field1,:field2,:field3,:field4,:field5)");
$stmt->execute(array(':field1'=> $field1, ':field2' => $field2, ':field3' => $field3, ':field4' => $field4, ':field5' => $field5));
$affected_rows = $stmt->rowCount();
<?php
$stmt= $db->prepare("DELETE FROM table WHERE id=:id");
$stmt->bindValue(':id',$id, PDO::PARAM_STR);
$stmt->execute();
$affected_rows = $stmt->rowCount();
<?php
$stmt= $db->prepare("UPDATE table SET name=? WHERE id=?");
$stmt->execute(array($name,$id));
$affected_rows = $stmt->rowCount();
Preparing Statements using SQL functions
You may ask how do you use SQL functions with prepared statements. I've seen people try to bind functions into placeholders like so:
<?php
//THIS WILL NOT WORK!
$time= 'NOW()';
$name= 'BOB';
$stmt= $db->prepare("INSERT INTO table(`time`, `name`) VALUES(?, ?)");
$stmt->execute(array($time,$name));
This does not work, you need to put the function in the query as normal:
<?php
$name= 'BOB';
$stmt= $db->prepare("INSERT INTO table(`time`, `name`) VALUES(NOW(), ?)");
$stmt->execute(array($name));
You can bind arguments into SQL functions however:
<?php
$name= 'BOB';
$password= 'badpass';
$stmt= $db->prepare("INSERT INTO table(`hexvalue`, `password`) VALUES(HEX(?), PASSWORD(?))");
$stmt->execute(array($name,$password));
Also note that this does NOT work for LIKE statements:
<?php
//THIS DOES NOT WORK
$stmt= $db->prepare("SELECT field FROM table WHERE field LIKE %?%");
$stmt->bindParam(1,$search, PDO::PARAM_STR);
$stmt->execute();
So do this instead:
<?php
$stmt= $db->prepare("SELECT field FROM table WHERE field LIKE ?");
$stmt->bindValue(1,"%$search%", PDO::PARAM_STR);
$stmt->execute();
Note we used bindValue and not bindParam. Trying to bind a parameter by reference will generate a Fatal Error and this cannot be caught by PDOException either.
Executing prepared statements in a loop
Prepared statements excel in being called multiple times in a row with different values. Because the sql statement gets compiled first, it can be called multiple times in a row with different arguments, and you'll get a big speed increase vs calling mysql_query over and over again!
Typically this is done by binding parameters with bindParam. bindParam is much like bindValue except instead of binding the value of a variable, it binds the variable itself, so that if the variable changes, it will be read at the time of execute.
<?php
$values= array('bob', 'alice', 'lisa', 'john');
$name= '';
$stmt= $db->prepare("INSERT INTO table(`name`) VALUES(:name)");
$stmt->bindParam(':name',$name, PDO::PARAM_STR);
foreach($valuesas $name) {
   $stmt->execute();
}
Transactions
Here's an example of using transactions in PDO: (note that calling beginTransaction() turns off auto commit automatically):
<?php
try {
    $db->beginTransaction();

    $db->exec("SOME QUERY");

    $stmt= $db->prepare("SOME OTHER QUERY?");
    $stmt->execute(array($value));

    $stmt= $db->prepare("YET ANOTHER QUERY??");
    $stmt->execute(array($value2,$value3));

    $db->commit();
}catch(PDOException $ex) {
    //Something went wrong rollback!
    $db->rollBack();
    echo$ex->getMessage();
}


PDO  WITH MYSQL DATABASE  Examples  :

(1)WRITE CODE  FOR  dbconfig.php   file:
<?php
$servername = "localhost";
$username = "root";
$password = "";

try {
    $con = new PDO("mysql:host=$servername;dbname=abhi", $username, $password);
    // set the PDO error mode to exception
    $con->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);
    
    }
catch(PDOException $e)
    {
    echo "Connection failed: " . $e->getMessage();
    }
?>

(2)now write code for   inserting   form value to mysql database using PDO:

<?php
include('dbconfig.php');

if(isset($_POST['add']))
{
$sql = "insert into students(sno,name,course) values(:sno,:name,:course)";
$statement = $con->prepare($sql);
$statement->bindParam(':sno', $_POST['sno'], PDO::PARAM_INT); 
$statement->bindParam(':name', $_POST['name'], PDO::PARAM_STR);
$statement->bindParam(':course', $_POST['course'], PDO::PARAM_STR);
$result = $statement->execute(); 
if($result)
echo "Inserted Successfully!";
else 
echo "Not Inserted";
}
?>
<html>
<head>
<title>Insert,Update and Delete using PDO in PHP</title>
</head>
<body>
<form action="" method="POST">
Enter S.NO: <input type="text" name="sno"/><br/>
Enter Name: <input type="text" name="name"/><br/>
Enter Course: <input type="text" name="course"/><br/>
<input type="submit" name="add" value="Add"/>
</form>
</body>
</html>

Note: The connection code was placed in dbconfig.php. 
After establishing database connection process
 prepare SQL statement using prepare function available in PDO . 
The following statement is to prepare an SQL Statement
 to process against table in database.


$sql = "insert into students(sno,name,course) values(:sno,:name,:course)";
$statement = $con->prepare($sql);

$sql = "insert into students(sno,name,course) values(:sno,:name,:course)";
$statement = $con->prepare($sql);

See, the above statement contains 3 parameters for sno, name and course. 
We respectively pass values for each parameter in the statement. 
The following code is to explain 
how to pass values for parameters available in the SQL statement.


$statement->bindParam(':sno', $_POST['sno'], PDO::PARAM_INT); 
$statement->bindParam(':name', $_POST['name'], PDO::PARAM_STR);
$statement->bindParam(':course', $_POST['course'], PDO::PARAM_STR);



$statement->bindParam(':sno', $_POST['sno'], PDO::PARAM_INT); 
$statement->bindParam(':name', $_POST['name'], PDO::PARAM_STR);
$statement->bindParam(':course', $_POST['course'], PDO::PARAM_STR);
Syntax: bindParam(parameterName, Value, DataType). 

After adding values for each parameter execute statement. 
For that there is a method available execute().


$result = $statement->execute();

$result = $statement->execute();

If the statement is executed successfully the 

result will be shown as given in the code.




(3)now write code  TO UPDATE    a table record of  mysql database using PDO :

<?php
include('dbconfig.php');
if(isset($_POST['update']))
{
$sql = "UPDATE students SET name=:name,course=:course where sno=:sno";
$statement = $con->prepare($sql);
$statement->bindParam(':sno', $_POST['sno'], PDO::PARAM_INT); 
$statement->bindParam(':name', $_POST['name'], PDO::PARAM_STR);
$statement->bindParam(':course', $_POST['course'], PDO::PARAM_STR);
$result = $statement->execute(); 
if($result)
echo "Updated Successfully!";
else 
echo "Not Updated";
}
?>
<html>
<head>
<title>Insert,Update and Delete using PDO in PHP</title>
</head>
<body>
<form action="" method="POST">
Enter S.NO: <input type="text" name="sno"/><br/>
Enter Name: <input type="text" name="name"/><br/>
Enter Course: <input type="text" name="course"/><br/>
<input type="submit" name="update" value="Update"/>
</form>

</body>

</html>

(4)now write code  to delete  record of mysql database using PDO:

<?php
include('dbconfig.php');
if(isset($_POST['delete']))
{
$sql = "DELETE FROM students WHERE sno=:sno";
$statement = $con->prepare($sql);
$statement->bindParam(':sno', $_POST['sno'], PDO::PARAM_INT); 
$result = $statement->execute(); 
if($result)
echo "Deleted Successfully!";
else 
echo "Not Deleted";
}
?>
<html>
<head>
<title>Insert,Update and Delete using PDO in PHP</title>
</head>
<body>
<form action="" method="POST">
Enter S.NO: <input type="text" name="sno"/><br/>
<input type="submit" name="delete" value="Delete"/>
</form>

</body>

</html>
(4)now write code to display record  form mysql database using PDO :

EXAMPLE   1:

<?php
// mysql hostname
$hostname = 'localhost';
// mysql username
$username = 'root';
// mysql password
$password = '';
// Database Connection using PDO
try {
$dbh = new PDO("mysql:host=$hostname;dbname=abhi", $username, $password);
// Define Variables
    $sno = 1;
    $name = 'om';
// We Will prepare SQL Query
    $STM = $dbh->prepare("SELECT * FROM students WHERE  sno= :sno AND name = :name");
// bind paramenters, Named paramenters alaways start with colon(:)
    $STM->bindParam(':sno', $sno);
    $STM->bindParam(':name', $name);
// For Executing prepared statement we will use below function
    $STM->execute();
// we will fetch records like this and use foreach loop to show multiple Results
    $STMrecords = $STM->fetchAll();
echo '<table  border=1>';
    foreach($STMrecords as $row)
        {
echo '<tr><td>';
        echo $row['sno'];
echo '</td>';
echo '<td>';
echo $row['name'];
echo '</td>';
echo '<td>';
echo $row['course'];
echo '</td>';
echo '</tr>';
        }
echo '</table>';
// Closing MySQL database connection   
    $dbh = null;
    }
catch(PDOException $e)
    {
    echo $e->getMessage();
    }  
?>

EXAMPLE    2:

<!DOCTYPE html>
<html>
<body>

<?php
echo "<table style='border: solid 1px black;'>";
  echo "<tr><th>Id</th><th>Firstname</th>
  <th>Lastname</th></tr>";

class TableRows extends RecursiveIteratorIterator { 
     function __construct($it) { 
         parent::__construct($it, self::LEAVES_ONLY); 
     }

     function current() {
         return "<td style='width: 
150px; border: 
1px solid black;'>" . parent::current(). "</td>";
     }

     function beginChildren() { 
         echo "<tr>"; 
     } 

     function endChildren() { 
         echo "</tr>" . "\n";
     } 




include("dbconfig.php");

try {
     
     $stmt = $con->prepare("SELECT sno, name,course FROM students"); 
     $stmt->execute();

     // set the resulting array to associative
     $result = $stmt->setFetchMode(PDO::FETCH_ASSOC); 

     foreach(new TableRows
(new RecursiveArrayIterator($stmt->fetchAll())) as $k=>$v) 

         echo $v;
     }
}
catch(PDOException $e) {
     echo "Error: " . $e->getMessage();
}
$con = null;

echo "</table>";

?>  

</body>
</html>

Example  3:


<?php
// mysql hostname
$hostname = 'localhost';
// mysql username
$username = 'root';
// mysql password
$password = '';
// Database Connection using PDO
try {
$pdo = new PDO("mysql:host=$hostname;dbname=abhi", $username, $password);
// Define Variables
    
// We Will prepare SQL Query
    $stmt = $pdo->query('SELECT name FROM students');
foreach ($stmt as $row)
{
    echo $row['name'] . "\n";
}
// Closing MySQL database connection   
    $dbh = null;
    }
catch(PDOException $e)
    {
    echo $e->getMessage();
    }  
?>


Demikianlah Artikel PDO

Sekianlah artikel PDO kali ini, mudah-mudahan bisa memberi manfaat untuk anda semua. baiklah, sampai jumpa di postingan artikel lainnya.

Anda sekarang membaca artikel PDO dengan alamat link https://othereffect.blogspot.com/2016/06/pdo.html

0 Response to "PDO"

Post a Comment