在 SQL Server 2012 中测试。(省略了股票符号。)
create table stock_transactions (
trans_id integer primary key,
trans_ts datetime not null default current_timestamp,
account_id integer not null, -- references accounts, not shown
-- char(1) keeps the table narrow, while avoiding a needless
-- join on an integer.
-- (b)uy, (s)ell, (d)eposit
action char(1) not null check (action in ('b', 's', 'd')),
qty integer not null check (qty > 0),
-- If your platform offers a special data type for money, you
-- should probably use it.
price money not null check (price > cast(0.00 as money)),
-- Assumes it's not practical to calculate amounts on the fly
-- for many millions of rows. If you store it, use a constraint
-- to make sure it's right. But you're better off starting
-- with a view that does the calculation. If that doesn't perform
-- well, try an indexed view, or (as I did below) add the
-- "trans_amount" column and check constraint, and fix up
-- the view. (Which might mean just including the new "trans_amount"
-- column, or might mean dropping the view altogether.)
trans_amount money not null,
-- Only (b)uys always result in a negative amount.
check (
trans_amount = (case when action = 'b' then qty * price * (-1)
else qty * price
end )
),
-- (d)eposits always have a quantity of 1. Simple, makes logical
-- sense, avoids NULL and avoids additional tables.
check (
qty = (case when action = 'd' then 1 end)
)
);
insert into stock_transactions values
(1, current_timestamp, 1, 's', 30, 1.00, 30.00),
(2, current_timestamp, 2, 'b', 30, 1.00, -30.00),
(3, current_timestamp, 1, 's', 20, 2.00, 40.00),
(4, current_timestamp, 3, 'b', 20, 2.00, -40.00),
(5, current_timestamp, 3, 'd', 1, 100.00, 100.00);
但是看看发生了什么。现在我们已经将存款添加为一种交易类型,这不再是一个股票交易表。现在它更像是一张账户交易表。
您需要的不仅仅是 CHECK 约束,以确保帐户中有足够的资金来购买帐户持有人想要购买的任何东西。
在 SQL Server 中,关于聚集索引的决策很重要。对此进行一些思考和测试。我希望您经常查询帐号。