5

我有一个如下表:

transaction_id
user_id
other_user_id
trans_type
amount

此表用于维护财务类型应用程序的帐户交易。

它的复式记帐,因此从用户 A 到 B 的转移将在表中插入两行,看起来像。

1, A, B, Sent, -100
1, B, A, Received, 100

任何账户的余额都是通过汇总该账户的交易来计算的。

例如:

select sum(amount) from transactions where user_id=A

锁定资金转移的最佳方法是什么?我当前的代码如下所示:

Start Transaction
Debit the sender's account
check the balance of the sender's account
if new balance is negative then the sender didn't have enough money and rollback
if the balance is positive then credit the receiver and commit

这似乎没有完全按预期工作。我在网上看到很多关于交易的例子,基本上都是:开始、借方、贷方、提交。但是检查发件人之间余额的最佳方法是什么?

我有不应该通过的交易。假设一个用户有 3K 的余额,并且两笔交易同时进入 3K,这两项交易在只有一笔交易的情况下才能通过。

谢谢

4

2 回答 2

6

您使用的是 InnoDB 表还是 MyISAM 表?MySQL 不支持 MyISAM 表上的事务(但如果您尝试使用它们,它不会给您错误)。此外,请确保您的事务隔离级别设置得当,它应该是 SERIALIZABLE,这不是 MySQL 的默认值。

本文有一个很好的示例,使用与您的示例非常相似的示例来解释不同隔离级别的影响。

于 2008-11-15T16:39:42.240 回答
1

问题是“用户帐户”的概念“分散”在表中的许多行中。使用当前的表示,我认为您不能“锁定用户帐户”(可以这么说),因此在修改它们时您可以接受竞争条件。

一个可能的解决方案是拥有另一个带有用户帐户的表,并锁定该表中的一行,因此任何需要修改帐户的人都可以尝试获取锁定,执行操作并释放锁定。

例如:

begin transaction;
update db.accounts set lock=1 where account_id='Bob' and lock=0;
if (update is NOT successful) # lock wasn't on zero
  {
  rollback;
  return;
  }
if (Bob hasn't enough funds)
  {
  rollback;
  return;
  }

insert into db.transactions value (?, 'Bob', 'Alice', 'Sent', -3000);
insert into db.transactions value (?, 'Alice', 'Bob', 'Received',  3000);
update db.accounts set lock=0 where account_id='Bob' and lock=1;

commit;

... 或类似的东西。

于 2008-11-15T20:28:00.110 回答