MYSQL код для создания таблицы транзитивного закрытия не удается
Я использую текущие данные и примеры SNOMED и хочу создать таблицу транзитивного замыкания, но что-то в моих настройках сервера mysql5.6 по умолчанию не работает.
Для тех, кто не знает, SNOMED - это медицинская база данных. Есть 2,1M отношений и 446697 концепций. Запрос останавливается во второй части - так что я думаю, что он исчерпывает ОЗУ. Но какие настройки я настраиваю и к чему? join_buffer_size?
вот код:
DELIMITER ;;
CREATE DEFINER=`snomed`@`localhost` PROCEDURE `createTc`()
BEGIN
drop table if exists tc;
CREATE TABLE tc (
source BIGINT UNSIGNED NOT NULL ,
dest BIGINT UNSIGNED NOT NULL
) ENGINE = InnoDB CHARSET=utf8;
insert into tc (source, dest)
select distinct rel.sourceid, rel.destinationid
from rf2_ss_relationships rel
inner join rf2_ss_concepts con
on rel.sourceid = con.id and con.active = 1
where rel.typeid = 116680003 # IS A relationship
and rel.active = 1;
REPEAT
insert into tc (source, dest)
select distinct b.source, a.dest
from tc a
join tc b on a.source = b.dest
left join tc c on c.source = b.source and c.dest = a.dest
where c.source is null;
set @x = row_count();
select concat('Inserted ', @x);
UNTIL @x = 0 END REPEAT;
create index idx_tc_source on tc (source);
create index idx_tc_dest on tc (dest);
END;;
DELIMITER ;
CREATE TABLE `rf2_ss_relationships` (
`id` bigint(20) unsigned NOT NULL,
`effectiveTime` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
`active` tinyint(4) DEFAULT '1',
`moduleId` bigint(20) unsigned NOT NULL,
`sourceId` bigint(20) unsigned NOT NULL,
`destinationId` bigint(20) unsigned NOT NULL,
`relationshipGroup` bigint(20) unsigned NOT NULL,
`typeId` bigint(20) unsigned NOT NULL,
`characteristicTypeId` bigint(20) unsigned NOT NULL,
`modifierId` bigint(20) unsigned NOT NULL,
PRIMARY KEY (`id`,`effectiveTime`),
KEY `moduleId_idx` (`moduleId`),
KEY `sourceId_idx` (`sourceId`),
KEY `destinationId_idx` (`destinationId`),
KEY `relationshipGroup_idx` (`relationshipGroup`),
KEY `typeId_idx` (`typeId`),
KEY `characteristicTypeId_idx` (`characteristicTypeId`),
KEY `modifierId_idx` (`modifierId`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci;
CREATE TABLE `rf2_ss_concepts` (
`id` bigint(20) unsigned NOT NULL,
`effectiveTime` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
`active` tinyint(4) DEFAULT NULL,
`moduleId` bigint(20) unsigned NOT NULL,
`definitionStatusId` bigint(20) unsigned NOT NULL,
PRIMARY KEY (`id`,`effectiveTime`),
KEY `moduleId_idx` (`moduleId`),
KEY `definitionStatusId_idx` (`definitionStatusId`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_unicode_ci;
2 ответа
Я не знаю, является ли это лучшим ответом, но он работает... Я изменил синтаксис создания таблицы, чтобы добавить индекс при создании, а не после завершения. Я изменил настройку mysqld для innodb_buffer_pool_size=8G
CREATE TABLE tc (
source BIGINT UNSIGNED NOT NULL ,
dest BIGINT UNSIGNED NOT NULL,
KEY source_idx (source),
KEy dest_idx (dest)
) ENGINE = InnoDB CHARSET=utf8;
даже на моем i7 mac с SSD выполнение не было быстрым, но оно работало, и таблица переходного закрытия составляет 5180059 строк....
mysql> call createTc;
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 654161 |
+-------------------------+
1 row in set (1 min 55.13 sec)
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 1752024 |
+-------------------------+
1 row in set (3 min 5.60 sec)
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 2063816 |
+-------------------------+
1 row in set (10 min 42.07 sec)
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 275904 |
+-------------------------+
1 row in set (28 min 5.49 sec)
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 280 |
+-------------------------+
1 row in set (46 min 29.78 sec)
+-------------------------+
| concat('Inserted ', @x) |
+-------------------------+
| Inserted 0 |
+-------------------------+
1 row in set (1 hour 5 min 20.05 sec)
Query OK, 0 rows affected (1 hour 5 min 20.05 sec)
Я использую этот рекурсивный метод. Читая отношения, я уже добавил всех прямых потомков в список в концептуальных объектах (я использую hibernate), чтобы они были доступны.
Затем я запускаю эту рекурсивную функцию, просматривая список понятий. Смотрите пример. Он идет по каждой концепции через список всех прямых родителей:
for (Sct2Concept c : concepts.values()) {
for(Sct2Relationship parentRelation : c.getChildOfRelationships()){
addParentToList(concepts, sct2TransitiveClosureList, parentRelation, c);
}
}
Как видите, хранилище памяти TransitiveClosure - это Set, так что он проверяет уникальные значения в интеллектуальном и очень зрелом внутреннем коде Java-библиотеки.
private void addParentToList(Map<String, Sct2Concept> concepts, Set<Sct2TransitiveClosure> sct2TransitiveClosureList, Sct2Relationship parentRelation, Sct2Concept c){
if(!parentRelation.isActive())
return;
Sct2TransitiveClosure tc = new Sct2TransitiveClosure(parentRelation.getDestinationSct2Concept().getId(), c.getId());
if(sct2TransitiveClosureList.add(tc)){
Sct2Concept s = concepts.get(Long.toString(tc.getParentId()));
for(Sct2Relationship newParentRelation : s.getChildOfRelationships()){
addParentToList(concepts, sct2TransitiveClosureList, newParentRelation, c);
}
}
}