0

在下表中:

Country Name             |  Country Code |  isStandardName
----------------------------------------------------------

United States            |  USA          |    false
----------------------------------------------------------
United States of America |  USA          |    True 
----------------------------------------------------------
Yankees                  |  USA          |   false

有一种情况是,美国/美国等国家有不同的名称,国家代码相似(在本例中为美国),但其中一个可以是标准名称。在这种情况下,最简单的解决方案是强制执行一个约束,其中类似的国家代码一次只能在 isStandardName 部分中具有一个布尔值 true。

换句话说,如何通过触发器/约束使“CountryCode,'true'”对于一组相等的 countryCode 名称是唯一的?

关于如何执行此约束的任何建议?

4

2 回答 2

1

我建议删除“isStandardName”列。创建一个表standard_country。在国家和标准国家之间建立了关系。使用左连接创建视图并更改模型以使用新结构。

例子。

CREATE TABLE `country` (
  `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `country` varchar(63) DEFAULT NULL,
  `code` char(3) DEFAULT NULL COMMENT 'ISO 3166-1 alpha-3',
  PRIMARY KEY (`id`),
  UNIQUE KEY `country` (`country`,`code`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;

INSERT INTO `country` (`id`, `country`, `code`)
VALUES
    (1,'United States','USA'),
    (2,'United States of America','USA'),
    (3,'Yankees','USA');

CREATE TABLE `standard_country` (
  `id` int(11) unsigned NOT NULL AUTO_INCREMENT,
  `country_id` int(11) unsigned NOT NULL,
  `code` char(3) NOT NULL DEFAULT '',
  PRIMARY KEY (`id`),
  UNIQUE KEY `key` (`code`),
  KEY `country_id` (`country_id`),
  CONSTRAINT `standard_country_ibfk_1` FOREIGN KEY (`country_id`) REFERENCES `country` (`id`) ON DELETE CASCADE ON UPDATE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8;

INSERT INTO `standard_country` (`id`, `country_id`, `code`)
VALUES
    (1,2,'USA');

create or replace view countries_view as
select country.id country_id 
, country
, country.code
, COALESCE( (standard_country.id > 0) , 0 ) isStandard
from `country`
left join `standard_country`
on country.id = standard_country.country_id

-- example result
select * from countries_view ;

country_id    country    code    isStandard
1    United States    USA    0
2    United States of America    USA    1
3    Yankees    USA    0
于 2013-04-05T11:53:37.693 回答
0

我这样做的同时将桌子保持为一体(原样)。

首先,创建检查规范国家整合的程序

DELIMITER //
CREATE PROCEDURE `db`.`check_canonical_integrity` (IN new_countrycode
  VARCHAR(10), IN new_iscanonical tinyint(1))
BEGIN
SELECT sum(iscanonical) into @canonicalsum from `gapminder_db`.`COUNTRY_CODES` WHERE countrycode = new_countrycode; 
IF (@canonicalsum + new_iscanonical) > 1 THEN
   SET @msg := 'More than one canonical countrycode cannot exit.';
   SIGNAL SQLSTATE '45000' SET MESSAGE_TEXT = @msg;
END IF;
END
//DELIMITER ;

其次,我们在插入之前调用上面的,你可以在删除中做同样的事情:

DELIMITER &&
 CREATE TRIGGER `db`.`check_canonical_flag_insert` BEFORE INSERT ON
 `COUNTRY_CODES`

 FOR EACH ROW
    BEGIN 
      CALL check_canonical_integrity(New.countrycode, New.iscanonical);
    END&&
 DELIMITER ;
于 2013-08-13T14:50:03.920 回答