我需要一个表来存储金融交易的状态.
此事务的状态可以通过此类大致建模.
class FinancialTransaction
{
Integer txId,
Money oldLimit,
Money newLimit,
Money oldBalance,
Money newBalance,
Date txDate
}
class Money
{
Currency curr,
BigDecimal amount
}
我最初的架构设计如下所示:
CREATE TABLE tx
(
txId bigint(20) unsigned NOT NULL,
oldlimit_currency varchar(3) NULL,
oldlimit_amount decimal(7,5) default 0.00,
newlimit_currency varchar(3) NULL,
newlimit_amount decimal(7,5) default 0.00,
----snipped----
PRIMARY KEY (txId)
)
有两件事让我担心:
>每笔交易都基于一种货币.我还没有想到我是否需要支持可能以多种货币发生的交易.假设它没有改变;那么维持一个货币专栏不是更节省空间吗?我会后悔这个简单的解决方案吗?
>由于每个Money项都是一个值对象,我应该将所有Money对象保存到一个单独的Money表中,并让原始表使用moneyIds作为Money表的外键吗?
那是,
CREATE TABLE tx
(
txId bigint(20) unsigned NOT NULL,
oldlimit_money_id int NOT NULL,
newlimit_money_id int NOT NULL,
----snipped----
PRIMARY KEY (txId),
FOREIGN KEY (oldlimit_money_id) REFERENCES MONEY(id) ON DELETE NO ACTION ON UPDATE NO ACTION,
FOREIGN KEY (newlimit_money_id) REFERENCES MONEY(id) ON DELETE NO ACTION ON UPDATE NO ACTION
)
有替代设计吗?
谢谢lazyweb.
解决方法:
货币和货币价值是两个不同的概念,因此最好将它们分开.没有必要为“值”创建单独的表,但最好有一个用于货币,因为这些是单独的实体.新设计看起来像:
CREATE TABLE tx
(
id bigint(20) unsigned primary key,
old_limit_currency_id int not null references CURRENCY(id),
old_limit_value decimal(7,5) not null,
new_limit_currency_id int not null references CURRENCY(id),
new_limit_value decimal(7,5) not null
)
另外,检查十进制(7,5)是否有足够的空间用于您的方案,它看起来有点低.有一句老话:“比抱歉更安全”:)