11

如果我输入:

SELECT name FROM table WHERE name NOT IN ('Test1','Test2','Test3');

我可以从表中获取不在列表中的条目。我想做相反的事情:从列表中获取不在表中的值。例如,如果表有一个名为 name 的列,其值为“Test1”和“Test3”,我想将其与 ('Test1','Test2','Test3') 进行比较并返回 Test2。或者作为另一个示例,如果表为空,则返回列表中的所有内容:Test1、Test2 和 Test3。

有没有办法在不创建包含列表中所有值的新表的情况下做到这一点?

4

5 回答 5

10

根据你有多少价值,你可以做几个联合。

见:http ://www.sqlfiddle.com/#!5/0e42f/1

select * from (
  select 'Test 1' thename union
  select 'Test 2' union 
  select 'Test 3'
)
where thename not in (select name from foo)
于 2012-04-24T18:58:11.477 回答
2

我通常使用SELECT 'FOO' AS COL UNION SELECT 'BAR'etc,然后使用左连接和检查的标准习语NULL来查找缺失的元素。

CREATE TABLE #YourTable(
name nvarchar(50)
)

insert into #YourTable (name) values ('Test1'), ('Test3')

-- ALL
select * from #YourTable

--MISSING
select t1.* from (
  select 'Test1' testName
  union select 'Test2'
  union select 'Test3') as t1
  left outer join #YourTable yt on t1.testName = yt.name
  where yt.name is null

DROP TABLE #YourTable

给出输出

name
--------------------------------------------------
Test1
Test3

(2 row(s) affected)

testName
--------
Test2

(1 row(s) affected)
于 2012-04-24T19:04:22.397 回答
1
Select a.value from (
SELECT 'testvalue' value UNION
SELECT 'testvalue2' value UNION
SELECT 'testvalue3' value UNION
SELECT 'testvalue4' value UNION
) a
left outer join othertable b
on a.value=b.value
where b.value is null

这非常适合我没有临时表的问题#

于 2016-01-04T10:41:59.573 回答
0

假设“othertable”持有有问题的表......

 select a.value from 
    (select 'test1' value
     union
     select 'test2' value
     union 
     select 'test3' value) a
       left outer join othertable b
         on a.value=b.value
      where b.value is null
于 2012-04-24T19:00:07.827 回答
0

在 SQL Server 中,以下查询运行良好。

SELECT v.val FROM (VALUES 
    ('A'), 
    ('B'), 
    ('C'), 
    ('D'), 
    ('E') 
) v (val)
LEFT JOIN dbo.TABLE_NAME t ON t.COLUMN_NAME = v.val
WHERE t.COLUMN_NAME IS NULL;

可以找到以下输出:

val
-------
A
B
C
D
于 2020-12-02T06:22:18.683 回答