我在SQL中遇到的一个小问题需要一些帮助
我目前Wamp服务器32位与MySQL 5.6.12
我有两个表,一个包含id(主键)和其他东西,第二个表是第一个表上的n-n关系的结果,表示某个bug可能是另一个的克隆。
我需要做的是:
取出一个错误列表,其中包含一个字段,旁边有“克隆”错误的id。
我已经拥有的东西:
我有一部分解决方案,我成功将一些克隆的bug附加到一个bug并将克隆的bug从列表中删除,我想给你实际的代码,但我现在没有它但是这里有些东西看起来像(通过记忆):
select bug_table.id, clones_table.clone
from bug_table
left outer join
(
select source_bug_id, Group_Concat(DISTINC cast(destination_bug_id AS string)) as clone
from relationship_table
Group by source_bug_id
) clones_table
On bug_table_id=source_bug_id
where id not in
(
select destination_bug_id
from relationship_table
)
此查询来自2个子查询,第一个用于将“clone id”列表添加到“origin id”,seconde用于从实际结果中删除那些“clone id”
所以我的问题是:它只能在表格的一侧查看克隆,我不知道如何用文字解释它,所以让我们举个例子
假设我有4个bug,所以它们的id为1,2,3,4并且它们都是彼此的克隆
在我的relationship_table中我有
source_bug_id |destination_bug_id
1 |2
1 |3
1 |4
因此,如果我将此查询抛出,它应该并将输出:
id |clone
1 |2,3,4
正是我想要的,但如果表格包含这个:
source_bug_id |destination_bug_id
1 |2
3 |2
4 |2
它会输出我
id |clone
1 |2
3 |2
4 |2
而且,当然,这不是我想要的...... 我已经解决了我的问题: 在我的查询中,我可以尝试添加一个子查询,替换“from relationship_table”以使表格处于良好状态,我认为它可能像是
(
select *
from relationship_table
group by destination_bug_id
)
union
(
select t1.destination_bug_id , t2.source_bug_id
from relationship_table as t1 inner join relationship_table as t2 on t1.destination_bug_id = t2.source_bug_id
where t1.source_bug_id not in
(
select source_bug_id
from relationship_table
group by destination_bug_id
)
)
我没有对它进行测试,但是第一个子查询应该将所有destination_bug_id分组以确保它们是唯一的,并且第二个添加它可能会丢失的行:/
我已经搜索过,但我对英语术语并不熟悉,所以也许我可能会错过一个能给我答案的主题。
答案 0 :(得分:0)
您确定要在SQL中执行此操作吗?
如果bug1是bug2的克隆,bug2是bug3的克隆等,会发生什么。:
Id CloneId
1 2
2 3
3 4
您应该想要结果
Id Clones
1 2, 3, 4
这将成为递归搜索,在SQL中会非常复杂。也许你想用PHP或者你正在使用的任何语言来做到这一点。
对于您的情况,这是一个只反转字段的查询,它会为您提供部分结果:
select source_bug_id,
Group_Concat(destination_bug_id) as clone
from
(
(
select source_bug_id, destination_bug_id
from relationship_table
)
union
(
select destination_bug_id, source_bug_id
from relationship_table
)
) as alls
group by source_bug_id
SOURCE_BUG_ID CLONE
1 2
2 1,3,4
3 2
4 2