我有一组记录,我们在其中标识了连接到客户的几个项目。我的困境是,如果客户都有两个项目,那么我想排除该客户。
如果他们只有一个特定的项目,那么我想包括它。我将使用此代码创建视图,因此我正在尝试找到最佳方法。我可以尝试Row_number()
来识别不同的记录,但我不确定在这种情况下这是否理想。
示例数据表:
Customer | ItemID | value1 | Value2
A 12 35 0
B 12 35 0
C 13 0 25
C 12 0 25
D 18 225 12
所需的输出:
Customer | ItemID | value1 | Value2
A 12 35 0
B 12 35 0
这是我到目前为止所拥有的:
select Customer, ItemID, Value1, Value2
from Table1
where itemID = 12
这会给我客户'C'
,我不想要。
如果您想要具有itemid = 12
但的客户, itemid = 13
可以使用NOT EXISTS
:
select * from tablename t
where itemid = 12
and not exists (
select 1 from tablename
where customer = t.customer
and itemid = 13
)
如果您想要具有itemid = 12
和的客户,> 任何其他itemid
:
select * from tablename t
where itemid = 12
and not exists (
select 1 from tablename
where customer = t.customer
and itemid <> 12
)
或:
select * from tablename
where customer in (
select customer from tablename
group by customer
having min(itemid) = 12 and max(itemid) = 12
)
我认为您需要澄清您的问题
1)客户有一个特定的项目(即项目ID 12,不包括客户d)
和
(2)他们总共只有一项,因为他们有两个项目,因此不包括客户C。
如果是这种情况,那就是我得到的:
SELECT *
FROM Table1
WHERE ItemID == '12' AND
Customer in (
SELECT Customer
FROM Table1
GROUP BY Customer
HAVING Count(Customer) = 1
)
编辑:我澄清了对OP问题的解释。我还测试了我的解决方案(http://sqlfiddle.com/#!5/b5f1f/2/0),并相应地更新了Where子句。