0

我有三个表 Table1、Table2 和 Table3 以及以下删除 Table2 中的行的查询

delete from Table2 
where EXISTS
(select (1) from Table1
 where Table1.col1=Table2.col1
 AND   Table1.col2=Table2.col2
 AND   Table1.col3=(select **Table3.col3 from Table3** inner join Table2 on Table3.col1=Table2.col1)

如果 Table1 的 col3 与 Table3 的 col3 匹配,并且 Table1 的 col1,col2 与 Table2 的 col1,col2 匹配,那么我需要从 Table2 中删除该行。但是我无法在此查询中使用 Table3。请帮忙

4

2 回答 2

1

这样的事情应该可以解决问题:

delete from 
    Table2 t2
where 
    Exists (
        select
            'x'
        from 
            Table1 t1 
                inner join
            Table3 t3
                on t1.col3 = t3.col3
        where
            t1.col1 = t2.col1 and
            t1.col2 = t2.col2
 );
于 2013-10-07T20:45:58.717 回答
0

您可能会从使用该merge into语句中受益。很难区分 Table1,2,3 和 Col1,2,3 示例名称中的每个关系,但它可能看起来像这样:

merge into Table2 t2
using
  (select
    t2.id
  from
    Table1 t1
    inner join Table2 t2 on t2.col1 = t1.col1 and t2.col2 = t1.col2
    inner join Table3 t3 on t3.col3 = t1.col3 and t3.col1 = t2.col1
  ) t2x
on (t2.id = t2x.id)
when matched then
  delete;

基本上是一样的

delete from Table2 t2 
where
  t2.id in
    (select
      t2.id
    from
      Table1 t1
      inner join Table2 t2 on t2.col1 = t1.col1 and t2.col2 = t1.col2
      inner join Table3 t3 on t3.col3 = t1.col3 and t3.col1 = t2.col1
    )
于 2013-10-07T20:51:41.363 回答