6

I have a customers table that links to an addresses table through a middle CustomerAddress table. This means that a customer can have many addresses and an address can have many customers. (This is neccessary due to the fact that we deal with spouses and children as seperate customers, and each can have delivery, work, billing and other addresses).

I want a customer to be able to specify a preferred address.

My thought was to create a new column in the customers table that links to a CustomerAddress record.

My problem is- how can I ensure that the selected preferred address is one of that customers addresses?

My thought was to put a Check constraint on the customers.preferredAddress field that checks the given CustomerAddress to see if that records customer ID matches the customer being updated.

Is this possible? I have only ever used Check constraints to check simple stuff like (Value > 0) etc.

Thanks for your help

4

1 回答 1

6

编写用于验证地址所有权的 UDF,然后从检查约束中引用该 UDF。

CREATE FUNCTION dbo.fnIsAddressOwner (
  @CustomerId int,
  @AddressId int
)
RETURNS tinyint
AS
BEGIN
  DECLARE @Result tinyint
  IF EXISTS(SELECT * FROM CustomerAddresses WHERE CustomerId=@CustomerId and AddressId=@AddressId)
    SET @Result= 1
  ELSE 
    SET @Result= 0
  RETURN @Result
END


CREATE TABLE Customers (
  CustomerId int,
  PreferredAddressId int,
  CONSTRAINT ckPreferredAddressId CHECK (
    dbo.fnIsAddressOwner(CustomerId, PreferredAddressId) = 1)
  )
)
于 2014-02-25T14:29:32.147 回答