PDO::exec

(PHP 5 >= 5.1.0, PECL pdo >= 0.1.0)

PDO::exec Запускает SQL запрос на выполнение и возвращает количество строк, задействованых в ходе его выполнения

Описание

int PDO::exec ( string $statement )

PDO::exec() запускает SQL запрос на выполнение и возвращает количество строк, задействованых в ходе его выполнения.

PDO::exec() не возвращает результат выборки оператором SELECT. Если вам нужно выбрать данные этим оператором единожды в ходе выполнения программы, пользуйтесь методом PDO::query(). Если требуется запускать один и тот же запрос на выборку множество раз, лучше создать подготовленный запрос PDOStatement методом PDO::prepare(), а затем запускать его методом PDOStatement::execute() столько раз, сколько потребуется.

Список параметров

statement

SQL выражение, которое необходимо подготовить и запустить.

Данные внутри запроса должны быть правильно экранированы.

Возвращаемые значения

PDO::exec() возвращает количество строк, которые были модифицированы или удалены в ходе его выполнения. Если таких строк нет, PDO::exec() вернет 0.

Внимание

Эта функция может возвращать как boolean FALSE, так и не-boolean значение, которое приводится к FALSE. За более подробной информацией обратитесь к разделу Булев тип. Используйте оператор === для проверки значения, возвращаемого этой функцией.

В этом примере разработчик допустил ошибку, полагаясь на возвращаемый результат PDO::exec(). В результате, если запрос отработал без ошибок, но не модифицировал ни одной строки, работа скрипта будет завершена функцией die():

<?php
$db
->exec() or die(print_r($db->errorInfo(), true));
?>

Примеры

Пример #1 Выполнение DELETE запроса

Получение количества удаленных записей DELETE запросом без WHERE условий.

<?php
$dbh 
= new PDO('odbc:sample''db2inst1''ibmdb2');

/* Удаляем все записи из таблицы FRUIT */
$count $dbh->exec("DELETE FROM fruit WHERE colour = 'red'");

/* Получим количество удаленных записей */
print("Удалено $count строк.\n");
?>

Результат выполнения данного примера:

Deleted 1 rows.

Смотрите также

  • PDO::prepare() - Подготавливает запрос к выполнению и возвращает ассоциированный с этим запросом объект
  • PDO::query() - Выполняет SQL запрос и возвращает результирующий набор в виде объекта PDOStatement
  • PDOStatement::execute() - Запускает подготовленный запрос на выполнение

Коментарии

This function cannot be used with any queries that return results.  This includes SELECT, OPTIMIZE TABLE, etc.
2006-02-09 18:39:18
http://php5.kiev.ua/manual/ru/pdo.exec.html
It's worth noting here, that - in addition to the hints given in docs up there - using prepare, bind and execute provides more benefits than multiply querying a statement: performance and security!

If you insert some binary data (e.g. image file) into database using INSERT INTO ... then it may boost performance of parsing your statement since it is kept small (a few bytes, only, while the image may be several MiBytes) and there is no need to escape/quote the file's binary data to become a proper string value.

And, finally and for example, if you want to get a more secure PHP application which isn't affectable by SQL injection attacks you _have to_ consider using prepare/execute on every statement containing data (like INSERTs or SELECTs with WHERE-clauses). Separating the statement code from related data using prepare, bind and execute is best method - fast and secure! You don't even need to escape/quote/format-check any data.
2006-08-29 16:40:14
http://php5.kiev.ua/manual/ru/pdo.exec.html
this function don't execute multi_query
to get it see SQLITE_EXEC comments there is an pereg function that get all queries and execute all then an return the last one
2006-12-19 01:47:55
http://php5.kiev.ua/manual/ru/pdo.exec.html
You can't use it not only with SELECT statement, but any statement that might return rows. "OPTIMIZE table" is such example (returns some rows with optimization status).

If you do, PDO will lock-up with the "Cannot execute queries while other unbuffered queries are active." nonsense.
2007-09-05 11:07:11
http://php5.kiev.ua/manual/ru/pdo.exec.html
For those that want an exec that handles params like prepare/execute does.  You can simulate this with another function

<?php
class Real_PDO extends PDO {
  public function 
execParams($sql$params) {
   
$stm $this->prepare($sql);
   
$result false;
    if( 
$stm && $stm->execute($params) ) {
     
$result $stm->rowCount();
      while( 
$stm->fetch(PDO::FETCH_ASSOC) ) {
      }
    }
    return 
$result;
  }
}
?>

Remember though, if you are doing a lot of inserts, you'll want to do it the manual way, as the prepare statement will speed up when doing multiple executes(inserts).  I use this so I can place all my SQL statements in one place, and have auto safe quoting against sql-injections.

If you are wondering about the fetch after, remember some databases can return data SELECT-like data from REMOVE/INSERTS.  In the case of PostgreSQL, you can have it return you all records that were actually removed, or have the insert return the records after the insert/post field functions, and io trigger fire, to give you normalized data.

<?php
define
("BLAH_INSERT""INSERT INTO blah (id,data) VALUES(?,?)");
$pdo = new Real_PDO("connect string");
$data = array("1""2");
$pdo->execParams(BLAH_INSERT$data);
?>
2010-11-10 19:24:54
http://php5.kiev.ua/manual/ru/pdo.exec.html
PDO::eval() might return `false` for some statements (e.g. CREATE TABLE) even if the operation completed successfully, when using PDO_DBLIB and FreeTDS. So it is not a reliable way of testing the op status.

PDO::errorInfo() can be used to test the SQLSTATE error code for '00000' (success) and '01000' (success with warning).

<?php
function execute(PDO $conn$sql) {
   
$affected $conn->exec($sql);
    if (
$affected === false) {
       
$err $conn->errorInfo();
        if (
$err[0] === '00000' || $err[0] === '01000') {
            return 
true;
        }
    }
    return 
$affected;
}
?>

PDO::errorInfo(): pdo.errorinfo
List of SQLSTATE Codes: http://www-01.ibm.com/support/knowledgecenter/SSGU8G_11.70.0/com.ibm.sqls.doc/ids_sqs_0809.htm
2015-10-16 14:20:23
http://php5.kiev.ua/manual/ru/pdo.exec.html
Автор:
Note that with MySQL you can detect a DUPLICATE KEY with INSERT (1 = INSERT, 2 = UPDATE) :

<?php

// MySQL specific INSERT UPDATE-like syntax
$sql = <<<SQL
    INSERT INTO customers
    SET
        id = 
{$pdo->quote($id)},
        name = 
{$pdo->quote($name)},
        address = 
{$pdo->quote($address)}
        AS new
    ON DUPLICATE KEY UPDATE
        name = new.name,
        address = new.address
    SQL;

$result $pdo->exec($sql);

if (
$result === 1) {
   
// An INSERT of a new row has be done
} elseif ($result === 2) {
   
// An UPDATE of an existing row has be done
}
2022-09-13 18:21:48
http://php5.kiev.ua/manual/ru/pdo.exec.html

    Поддержать сайт на родительском проекте КГБ