web-dev-qa-db-ja.com

PHP + MySQLトランザクションの例

MySQLトランザクションが使用されているPHPファイルの通常の例が本当に見つかりません。その簡単な例を教えてください。

そしてもう一つ質問があります。私はすでにたくさんのプログラミングをして、トランザクションを使いませんでした。 PHP関数または何かをheader.phpに入れて、1つのmysql_queryが失敗した場合、他のものも失敗する可能性がありますか。


私はそれを考え出したと思います、それは正しいですか?

mysql_query("SET AUTOCOMMIT=0");
mysql_query("START TRANSACTION");

$a1 = mysql_query("INSERT INTO rarara (l_id) VALUES('1')");
$a2 = mysql_query("INSERT INTO rarara (l_id) VALUES('2')");

if ($a1 and $a2) {
    mysql_query("COMMIT");
} else {        
    mysql_query("ROLLBACK");
}
282
good_evening

私がトランザクションを扱うときに私が一般的に使用するアイデアは、このように見えます(セミ擬似コード)

try {
    // First of all, let's begin a transaction
    $db->beginTransaction();

    // A set of queries; if one fails, an exception should be thrown
    $db->query('first query');
    $db->query('second query');
    $db->query('third query');

    // If we arrive here, it means that no exception was thrown
    // i.e. no query has failed, and we can commit the transaction
    $db->commit();
} catch (Exception $e) {
    // An exception has been thrown
    // We must rollback the transaction
    $db->rollback();
}


この考えでは、クエリが失敗した場合、Exceptionをスローする必要があります。

  • あなたがそれをどのように設定するかに応じて、PDOはそれをすることができます
  • それ以外の場合は、他のAPIを使用して、クエリの実行に使用された関数の結果をテストし、自分で例外をスローする必要があります。


残念ながら、関与する魔法はありません。命令をどこかに置いてトランザクションを自動的に実行することはできません。それでも、トランザクション内で実行する必要があるクエリのグループを特定する必要があります。

たとえば、トランザクションの前beginの前(---)と、トランザクションの後(後)のクエリがいくつかあります。 commitまたはrollbackのいずれかであり、トランザクション内で何が起こったかであろうとなかろうと、これらのクエリを実行することができます。

315
Pascal MARTIN

私はそれを考え出したと思います、それは正しいですか?

mysql_query("START TRANSACTION");

$a1 = mysql_query("INSERT INTO rarara (l_id) VALUES('1')");
$a2 = mysql_query("INSERT INTO rarara (l_id) VALUES('2')");

if ($a1 and $a2) {
    mysql_query("COMMIT");
} else {        
    mysql_query("ROLLBACK");
}
107
good_evening
<?php

// trans.php
function begin(){
    mysql_query("BEGIN");
}

function commit(){
    mysql_query("COMMIT");
}

function rollback(){
    mysql_query("ROLLBACK");
}

mysql_connect("localhost","Dude1", "SuperSecret") or die(mysql_error());

mysql_select_db("bedrock") or die(mysql_error());

$query = "INSERT INTO employee (ssn,name,phone) values ('123-45-6789','Matt','1-800-555-1212')";

begin(); // transaction begins

$result = mysql_query($query);

if(!$result){
    rollback(); // transaction rolls back
    echo "transaction rolled back";
    exit;
}else{
    commit(); // transaction is committed
    echo "Database transaction was successful";
}

?>
39
Gedzberg Alex

これは "php mysqlトランザクション"のためのグーグル上の最初の結果であるので、私は(元の作者が例を望んだように)mysqliでこれを行う方法を明示的に示す答えを加えたいと思いました。これがPHP/mysqliとのトランザクションの簡単な例です。

// let's pretend that a user wants to create a new "group". we will do so
// while at the same time creating a "membership" for the group which
// consists solely of the user themselves (at first). accordingly, the group
// and membership records should be created together, or not at all.
// this sounds like a job for: TRANSACTIONS! (*cue music*)

$group_name = "The Thursday Thumpers";
$member_name = "EleventyOne";
$conn = new mysqli($db_Host,$db_user,$db_passwd,$db_name); // error-check this

// note: this is meant for InnoDB tables. won't work with MyISAM tables.

try {

    $conn->autocommit(FALSE); // i.e., start transaction

    // assume that the TABLE groups has an auto_increment id field
    $query = "INSERT INTO groups (name) ";
    $query .= "VALUES ('$group_name')";
    $result = $conn->query($query);
    if ( !$result ) {
        $result->free();
        throw new Exception($conn->error);
    }

    $group_id = $conn->insert_id; // last auto_inc id from *this* connection

    $query = "INSERT INTO group_membership (group_id,name) ";
    $query .= "VALUES ('$group_id','$member_name')";
    $result = $conn->query($query);
    if ( !$result ) {
        $result->free();
        throw new Exception($conn->error);
    }

    // our SQL queries have been successful. commit them
    // and go back to non-transaction mode.

    $conn->commit();
    $conn->autocommit(TRUE); // i.e., end transaction
}
catch ( Exception $e ) {

    // before rolling back the transaction, you'd want
    // to make sure that the exception was db-related
    $conn->rollback(); 
    $conn->autocommit(TRUE); // i.e., end transaction   
}

また、PHP 5.5には新しいメソッド mysqli :: begin_transaction があります。しかし、これはPHPチームによってまだ文書化されていません、そして私はまだPHP 5.3で立ち往生しているので、私はそれについてコメントすることができません。

35
EleventyOne

使用しているストレージエンジンを確認してください。 MyISAMの場合、MyISAMではなくInnoDBストレージエンジンのみがトランザクションをサポートするため、Transaction('COMMIT','ROLLBACK')はサポートされません。

8
dinesh

PDO接続を使用する場合

$pdo = new PDO('mysql:Host=localhost;dbname=mydb;charset=utf8', $user, $pass, [
    PDO::ATTR_ERRMODE => PDO::ERRMODE_EXCEPTION, // this is important
]);

トランザクション管理には、次のコードをよく使用します。

function transaction(Closure $callback)
{
    global $pdo; // let's assume our PDO connection is in a global var

    // start the transaction outside of the try block, because
    // you don't want to rollback a transaction that failed to start
    $pdo->beginTransaction(); 
    try
    {
        $callback();
        $pdo->commit(); 
    }
    catch (Exception $e) // it's better to replace this with Throwable on PHP 7+
    {
        $pdo->rollBack();
        throw $e; // we still have to complain about the exception
    }
}

使用例

transaction(function()
{
    global $pdo;

    $pdo->query('first query');
    $pdo->query('second query');
    $pdo->query('third query');
});

このようにして、トランザクション管理コードはプロジェクト全体で重複しません。これは良いことです。なぜなら、このスレッドの他のPDO関連の回答から判断すると、間違いを犯しやすいからです。最も一般的なのは、例外の再スローを忘れてtryブロック内でトランザクションを開始することです。

5
Danila Piatov

私はクエリのベクトルを取得してトランザクションを実行するための関数を作りました。

function transaction ($con, $Q){
        mysqli_query($con, "START TRANSACTION");

        for ($i = 0; $i < count ($Q); $i++){
            if (!mysqli_query ($con, $Q[$i])){
                echo 'Error! Info: <' . mysqli_error ($con) . '> Query: <' . $Q[$i] . '>';
                break;
            }   
        }

        if ($i == count ($Q)){
            mysqli_query($con, "COMMIT");
            return 1;
        }
        else {
            mysqli_query($con, "ROLLBACK");
            return 0;
        }
    }
5
Marco

私はこれを持っていましたが、これが正しいかどうかわかりません。これも試してみることができます。

mysql_query("START TRANSACTION");
$flag = true;
$query = "INSERT INTO testing (myid) VALUES ('test')";

$query2 = "INSERT INTO testing2 (myid2) VALUES ('test2')";

$result = mysql_query($query) or trigger_error(mysql_error(), E_USER_ERROR);
if (!$result) {
$flag = false;
}

$result = mysql_query($query2) or trigger_error(mysql_error(), E_USER_ERROR);
if (!$result) {
$flag = false;
}

if ($flag) {
mysql_query("COMMIT");
} else {        
mysql_query("ROLLBACK");
}

ここからのアイデア: http://www.phpknowhow.com/mysql/transactions/

3
nodeffect

mysqli_multi_queryを使ったもう1つの手続き型の例では、$queryがセミコロンで区切られたステートメントで埋められていると仮定しています。

mysqli_begin_transaction ($link);

for (mysqli_multi_query ($link, $query);
    mysqli_more_results ($link);
    mysqli_next_result ($link) );

! mysqli_errno ($link) ?
    mysqli_commit ($link) : mysqli_rollback ($link);
1
guest