Substituir quot;not inquot; em select

31/07/2008

0

Oi pessoal !

Tenho uma select onde sei quais os produtos NÃO ESTÃO na tabela estoque; e uso o NOT IN.

Só que a tabela é muito grande e o not in tenho a impressão que demora demais.

Alguém tem alguma dica para substituir ´not in´ na select ?

Valew!


Powerlog Tecnologia

Powerlog Tecnologia

Responder

Posts

31/07/2008

Acacio

Bom teria que ver o sql completo para dizer alguma coisa, mas
veja se o campo que tais dando not in tem índice.


Responder

31/07/2008

Powerlog Tecnologia

select p.codigo, p.descricao from produto where p.codigo NOT IN (select e.codproduto from estoque)


Índice tem, tanto na tabela produto, por ser a chave primária, quanto na tabela estoque...


Responder

31/07/2008

Joaoshi

Colega, tente assim:

select p.codigo, 
       p.descricao 
from   produto P
where not exists(SELECT E.CODPRODUTO FROM ESTOQUE E WHERE E.CODPRODUTO = P.CODIGO)


Espero ter ajudado.


Responder

31/07/2008

Luiz Henrique

Boa Tarde PowerLog...

So reafirmando a dica do joaoshi

Mais lento:
...IN...(sub select) . Por que executa o sub-select para cada registro do select principal.

Mais rapido:
...EXISTS...(sub select). Executa o sub-select apenas uma vez.


Abraço T+


Responder

31/07/2008

Powerlog Tecnologia

Valeu mesmo turma !

Comparei os tempos no Plan do IBExpert e mudou mesmo !!!!

TKS !


Responder

31/07/2008

Brunodsr

Não é bem por aí Luiz henrique. O EXIST é melhor em relação ao IN em questões de performance. Mas não por é executado apenas uma vez.

Ele é executado sim em todas as linhas da query, exatamente como todas as restrições da clausula WHERE.

Para saber como e onde usar cada um, sugiro a leitura desse artigo. Me quebrou um galho há algumas semanas.

http://weblogs.sqlteam.com/mladenp/archive/2007/05/18/60210.aspx

Um abraço


Responder

31/07/2008

Powerlog Tecnologia

[i:f0daade1cd]Obs: Não sei se os moderadores gostam ou não gostam disso, mas resolvi postar aqui o conteúdo da página, porque diversas vezes que tentei clicar em links externos, os links estavam quebrados[/i:f0daade1cd]
There is a common misconception that IN behaves equaliy to EXISTS or JOIN in terms of returned results. This is simply not true. To see why not, let´s review what each statement does. IN: Returns true if a specified value matches any value in a subquery or a list. Exists: Returns true if a subquery contains any rows. Join: Joins 2 resultsets on the joining column. If not read carefully it looks pretty same so far, doesn´t it. The difference comes when you take into account the ´dreaded´ THREE-VALUED LOGIC. Let´s review that also:
-- this is true
SELECT 1 WHERE 1 = 1

-- this is false
SELECT 1 WHERE 1 = 0

-- this is unknown - it is usually expected to be false, but that only shows 
-- misunderstanding of nulls. It´s not false it´s only treated as false in the filter
SELECT 1 WHERE 1 = NULL

-- this is also unknown - but logicaly it would seem it would be true
-- but unknown compared to unknown equals uknown and it is treated as false in the filter
SELECT 1 WHERE NULL = NULL
 
The where will return a row only if the condition evaluates to true which UNKNOWN isn´t. So let´s demonstrate this with some code. I´ve commented it heavily so it can be self explaining. I´ve also shown a parser bug in the IN Query. Well... it´s a bug if you ask me. It shouldn´t behave like that.
------------------------------------------------------------------
-- Prepare tables and data
------------------------------------------------------------------
CREATE TABLE t1 (id INT, title VARCHAR(20), someIntCol INT)
GO
CREATE TABLE t2 (id INT, t1Id INT, someData VARCHAR(20))
GO

INSERT INTO t1
SELECT 1, ´title 1´, 5 UNION ALL
SELECT 2, ´title 2´, 5 UNION ALL
SELECT 3, ´title 3´, 5 UNION ALL
SELECT 4, ´title 4´, 5 UNION ALL
SELECT null, ´title 5´, 5 UNION ALL
SELECT null, ´title 6´, 5

INSERT INTO t2
SELECT 1, 1, ´data 1´ UNION ALL
SELECT 2, 1, ´data 2´ UNION ALL
SELECT 3, 2, ´data 3´ UNION ALL
SELECT 4, 3, ´data 4´ UNION ALL
SELECT 5, 3, ´data 5´ UNION ALL
SELECT 6, 3, ´data 6´ UNION ALL
SELECT 7, 4, ´data 7´ UNION ALL
SELECT 8, null, ´data 8´ UNION ALL
SELECT 9, 6, ´data 9´ UNION ALL
SELECT 10, 6, ´data 10´ UNION ALL
SELECT 11, 8, ´data 11´

------------------------------------------------------------------
-- we want to get all data in t1 that has a child row in t2
------------------------------------------------------------------

-- join gives us more rows than we need, because it joins to every child row
SELECT    t1.* 
FROM    t1 
        JOIN t2 ON t1.id = t2.t1Id
-- distinct would solve that but it´s not pretty nor efficient
SELECT    DISTINCT t1.* 
FROM    t1 
        JOIN t2 ON t1.id = t2.t1Id

-- now this is a weird part where someIntCol is a column in t1 
-- but the parser doesn´t seem to mind that
SELECT    t1.* 
FROM    t1 
WHERE    t1.id IN (SELECT someIntCol FROM t2)

-- here in and exists both get correct results
SELECT    t1.* 
FROM    t1 
WHERE    t1.id IN (SELECT t1id FROM t2)

SELECT    t1.* 
FROM    t1 
WHERE    exists (SELECT * FROM t2 WHERE t1.id = t2.t1id)

------------------------------------------------------------------
-- we want to get all data in t1 that doesn´t have a child row in t2
------------------------------------------------------------------

-- join gives us the correct result
SELECT    t1.* 
FROM    t1 
        LEFT JOIN t2 ON t1.id = t2.t1Id
WHERE    t2.id IS NULL

-- IN doesn´t get correct results.
-- That´s because of how IN treats NULLs and the Three-valued logic
-- NULL is treated as an unknown, so if there´s a null in the t2.t1id 
-- NOT IN will return either NOT TRUE or NOT UNKNOWN. And neither can be TRUE.
-- when there´s a NULL in the t1id column of the t2 table the NOT IN query will always return an empty set. 
SELECT    t1.* 
FROM    t1 
WHERE    t1.id NOT IN (SELECT t1id FROM t2)

-- NOT EXISTS gets correct results
SELECT    t1.* 
FROM    t1 
WHERE    NOT EXISTS (SELECT * FROM t2 WHERE t1.id = t2.t1id)
GO

DROP TABLE t2
DROP TABLE t1 
We can see that it´s best to use EXISTS because it always behaves as the user would think it does. Hope this demonstartes the logical difference between the 3 close yet so far apart functionalities of SQL Server



Responder

Assista grátis a nossa aula inaugural

Assitir aula

Saiba por que programar é uma questão de
sobrevivência e como aprender sem riscos

Assistir agora

Utilizamos cookies para fornecer uma melhor experiência para nossos usuários, consulte nossa política de privacidade.

Aceitar