我注意到START TRANSACTION
自动COMMIT
之前的查询。因为这个以及我在整个事务结束之前调用了几个存储过程的事实,我需要检查我是否在START TRANSACTION
内。阅读手册我明白自动提交在START TRANSACTION
内设置为false,但它看起来并非如此。我写了以下程序:
CREATE DEFINER=`root`@`localhost` PROCEDURE `test_transaction`()
BEGIN
show session variables like 'autocommit';
start transaction;
show session variables like 'autocommit';
COMMIT;
show session variables like 'autocommit';
END
但每个show session variables like 'autocommit';
显示autocommit = ON,而我期望第二个是autocommit = OFF。
如何查看我是否在START TRANSACTION
内?
我需要执行此检查,因为我有需要START TRANSACTION
的procedure1然后调用也需要START TRANSACTION
的procedure2。但是,假设我有第三个程序different_procedure,它也需要调用procedure2,但在这种情况下,different_procedure不会使用START TRANSACTION
。在这种情况下,我需要procedure2来检查是否已启动START TRANSACTION
。我希望这很清楚。
由于
答案 0 :(得分:7)
您可以创建一个能够利用只能在事务中发生的错误的函数:
DELIMITER //
CREATE FUNCTION `is_in_transaction`() RETURNS int(11)
BEGIN
DECLARE oldIsolation TEXT DEFAULT @@TX_ISOLATION;
DECLARE EXIT HANDLER FOR 1568 BEGIN
-- error 1568 will only be thrown within a transaction
RETURN 1;
END;
-- will throw an error if we are within a transaction
SET TRANSACTION ISOLATION LEVEL REPEATABLE READ;
-- no error was thrown - we are not within a transaction
SET TX_ISOLATION = oldIsolation;
RETURN 0;
END//
DELIMITER ;
测试功能:
set @within_transaction := null;
set @out_of_transaction := null;
begin;
set @within_transaction := is_in_transaction();
commit;
set @out_of_transaction := is_in_transaction();
select @within_transaction, @out_of_transaction;
结果:
@within_transaction | @out_of_transaction
--------------------|--------------------
1 | 0
使用MariaDB,您可以使用@@in_transaction
答案 1 :(得分:1)
来自https://dev.mysql.com/doc/refman/5.5/en/implicit-commit.html:
无法嵌套交易。这是当您发出START TRANSACTION语句或其中一个同义词时对任何当前事务执行的隐式提交的结果。
我怀疑使用SET autocommit=0;
代替START TRANSACTION;
可以解决问题。如果自动提交已经为0,则无效。
另见Does setting autocommit=0 within a transaction do anything?