Como excluir linhas duplicadas no SQL?

Neste tutorial de SQL, aprenderemos como excluir linhas duplicadas no SQL? Explicado com sintaxe e exemplos

Nas tabelas SQL , pode haver linhas duplicadas, o que geralmente leva à inconsistência de dados. Esses problemas podem ser superados com uma chave primária, mas às vezes, quando essas regras não são seguidas ou ocorre uma exceção, o problema se torna mais assustador. É uma prática recomendada usar as chaves e restrições relevantes para remover o risco de linhas duplicadas. Para limpar dados duplicados, você deve usar alguns procedimentos especiais.

Excluindo linhas duplicadas no SQL

Em uma tabela do SQL Server, registros duplicados podem ser um problema sério. Dados duplicados podem resultar em pedidos sendo manipulados várias vezes, resultados de relatórios incorretos e muito mais. No SQL Server, existem muitas opções para lidar com registros duplicados em uma tabela, dependendo das circunstâncias. Eles são:

  • Restrições únicas na Tabela
  • Nenhuma restrição exclusiva na tabela 

Restrições únicas na tabela

De acordo com Excluir linhas duplicadas no SQL, uma tabela com um índice exclusivo pode usar o índice para identificar dados duplicados e, em seguida, excluir os registros duplicados. Autojunções, ordenando os dados pelo valor máximo, usando a função RANK ou usando a lógica NOT IN são usadas para realizar a identificação.

Nenhuma restrição exclusiva na tabela

Em Excluir linhas duplicadas no SQL, é um pouco difícil para tabelas sem um índice especial. A função ROW NUMBER() pode ser usada em conexão com uma expressão de tabela comum (CTE) para classificar os dados e, em seguida, remover os registros duplicados.

Leia também: O guia definitivo sobre fundamentos do SQL

SQL Excluir Linhas Duplicadas Usando Agrupar Por e Ter Cláusula

De acordo com Delete Duplicate Rows in SQL, para localizar linhas duplicadas, você precisa usar a cláusula SQL GROUP BY . A função COUNT pode ser utilizada para verificar a ocorrência de uma linha através da cláusula Group by, que agrupa os dados de acordo com as colunas fornecidas.

Código:

Criando e inserindo dados na tabela:

Primeiro, você precisa criar uma tabela da seguinte maneira:

CREATE TABLE stud(Regno integer, Name text,Marks integer);

/* Create few records in this table */

INSERT INTO stud VALUES(1,'Tom',77);

INSERT INTO stud VALUES(2,'Lucy',78);

INSERT INTO stud VALUES(3,'Frank',89);

INSERT INTO stud VALUES(4,'Jane',98);

INSERT INTO stud VALUES(5,'Robert',78);

INSERT INTO stud VALUES(3,'Frank',89);

INSERT INTO stud VALUES(5,'Robert',78);

INSERT INTO stud VALUES(4,'Jane',98);

COMMIT;
ExcluindoDuplicateRowsinSQL_1

Buscando e identificando as linhas duplicadas no SQL

/* Display all the records from the table */

SELECT * FROM stud;

Entrada

ExcluindoDuplicateRowsinSQL_2

Saída

DeletingDuplicateRowsinSQL_3.

A tabela representada acima que consiste em repetição de dados, ou seja, dados duplicados, pode ser excluída usando a cláusula group by da seguinte forma:

Excluindo linhas duplicadas da tabela usando a cláusula Group by e Tendo

No SQL, excluir linhas duplicadas no SQL é feito com a cláusula Group by e Tendo. É feito da seguinte forma:

Código:

select Name,Marks,grade,count(*) as cnt from stud group by Name,Marks,grade having count(*) > 1;

Entrada:

ExcluindoDuplicateRowsinSQL_4

Saída:

ExcluindoDuplicateRowsinSQL_5

SQL Excluir linhas duplicadas usando expressões de tabela comuns (CTE)

Expressão de Tabela Comum

Em excluir linhas duplicadas no SQL, o acrônimo CTE significa "expressão de tabela comum". É um conjunto de resultados temporário nomeado criado por uma consulta simples e especificado no escopo de uma única expressão SELECT, INSERT, UPDATE ou DELETE . Você pode escrever consultas recursivas complexas usando CTE. Tem muito mais tração do que tabelas temporárias.

Sintaxe

COM [CTENome]

Como

( Selecione col1,col2,col3 de [tablename] onde [condição]

Selecione col1,col2,col3 de [CTEName]

Procedimento para remover as linhas duplicadas usando CTE

Primeiro, você precisa criar um script de tabela Employ_DB para o SQL Server e executá-lo no banco de dados necessário.

Criando a Tabela

Create table Employ_DB(emp_no number(10),emp_name varchar(20),emp_address varchar(25), emp_eoj date);

Entrada:

ExcluindoDuplicateRowsinSQL_6

Saída

ExcluindoDuplicateRowsinSQL_7

Inserindo dados na tabela

Depois que a tabela foi estabelecida, você deve inserir alguns registros nela, incluindo algumas duplicatas.

Código:

Insert into Employ_DB values(11,’Mohith’,’tokya’,’12-may-2000’);

Entrada:

DeletingDuplicateRowsinSQL_8.

Saída:

(8) linhas inseridas

Pesquisando dados da tabela

Em seguida, execute o script anterior e use a consulta a seguir para pesquisar os dados na tabela.

Para imprimir os registros do Employ_EB em uma lista ordenada, use o nome do campo e o endereço de um funcionário.

Código:

Select * from Employ_DB order by emp_name,emp_address;

Entrada:

ExcluindoDuplicateRowsinSQL_9

Saída:

ExcluindoDuplicateRowsinSQL_10

Excluindo linhas duplicadas no SQL usando CTE

De acordo com Delete Duplicate Rows in SQL, o acima contém muitos dos registros duplicados que foram corrigidos na tabela. Para numerar registros duplicados de cidades por estado, você usará o recurso de número de linha () do CTE. A CTE pode gerar um conjunto de resultados temporários que você pode usar para remover registros redundantes da tabela real com uma única pergunta.

Código:

With CTE as (Select emp_no,emp_name,row_number()

Over (partition by emp_no order by emp_no) as number_of_employ

From Employ_DB)Select * from CTE order by emp_name,emp_no;
ExcluindoDuplicateRowsinSQL_11

Por fim, exclua o registro duplicado usando a expressão Common Type da seguinte forma:

Código:

With CTE as (Select emp_no,emp_name,row_number()

Over (partition by emp_no order by emp_no) as number_of_employ

From Employ_DB)

Select * from CTE where number of employ >1 order by emp_no;
ExcluindoDuplicateRowsinSQL_12

De acordo com Delete Duplicate Rows in SQL, na tabela acima, apenas dois dos registros são duplicados com base no emp_no. Portanto, agora você excluirá esse registro duplicado da tabela Employ_DB usando o seguinte código.

DeletingDuplicateRowsinSQL_14.

Função de Classificação para SQL Excluir Linhas Duplicadas

De acordo com Delete Duplicate Rows in SQL, você também pode usar o recurso SQL RANK para se livrar das linhas duplicadas. Independentemente das linhas duplicadas, a função SQL RANK retorna um ID de linha exclusivo para cada linha.

Você precisa usar funções agregadas como Max, Min e AVG para realizar cálculos nos dados. Usando essas funções, você obtém uma única linha de saída. As funções SQL RANK no SQL Server permitem que você especifique uma classificação para campos individuais com base em categorizações. Para cada linha participante, retorna um valor agregado. As funções RANK no SQL geralmente são chamadas de funções de janela.

Você pode implementar funções de classificação de quatro maneiras.

  1. ROW_NUMBER()
  2. CLASSIFICAÇÃO()
  3. DENSE_RANK()
  4. NTIL()

De acordo com Delete Duplicate Rows in SQL, a cláusula PARTITION BY é usada com a função RANK na consulta a seguir. A cláusula PARTITION BY divide os dados em subconjuntos para as colunas listadas e atribui uma classificação a cada partição.

 Código:

Select *,

RANK() OVER ( PARTITION BY Animal_id,Animal_name ORDER BY sno DESC )rank

From Animals ) T on A.sno=T.sno

Where T.Rank>1

Alter table Animals

Drop column sno

Select * from Animals

DeletingDuplicateRowsinSQL_15.

ExcluindoDuplicateRowsinSQL_16

Você pode ver na captura de tela que a linha com classificação maior que um precisa ser removida. Vamos usar a seguinte pergunta para nos livrarmos dessas linhas.

 

Use o pacote SSIS para SQL excluir linhas duplicadas

O serviço de integração do SQL Server inclui várias transformações e operadores que auxiliam administradores e desenvolvedores na redução do trabalho manual e na otimização de tarefas. O pacote SSIS também pode ser usado para excluir linhas duplicadas de uma tabela SQL.

Use o operador de classificação em um pacote SSIS para remover linhas duplicadas

Um operador Sort pode ser usado para classificar os valores em uma tabela SQL. Você pode se perguntar como a classificação de dados o ajudará a se livrar de linhas duplicadas. Aqui está como é.

ExcluindoDuplicateRowsinSQL_18

DeletingDuplicateRowsinSQL_19.

ExcluindoDuplicateRowsinSQL_20

ExcluindoDuplicateRowsinSQL_21

DeletingDuplicateRowsinSQL_22.

Para demonstrar esse desafio, crie um kit SSIS.

Primeiro, crie um novo kit de integração no SQL Server Data Tools. Adicione um link de origem OLE DB ao novo pacote.

Conclusão

Neste artigo, você viu como remover linhas duplicadas no SQL usando T-SQL , CTE e o kit SSIS, entre outros métodos. Você é livre para usar qualquer abordagem que o deixe mais à vontade. No entanto, é desaconselhável implementar diretamente esses procedimentos e empacotar os resultados de saída. Você deve realizar seus testes em um ambiente menos exigente.

Para se tornar um especialista em linguagem de programação SQL, participe do Curso de Treinamento de Certificação SQL da Simplilearn. Este curso de certificação SQL fornece tudo o que você precisa para começar a trabalhar com bancos de dados SQL e incorporá-los em seus aplicativos. Aprenda como organizar seu banco de dados corretamente, escrever instruções e cláusulas SQL eficazes e manter seu banco de dados SQL para escalabilidade. Este curso inclui cobertura abrangente dos fundamentos do SQL, cobertura abrangente de todas as ferramentas de consulta e comandos SQL relevantes , um certificado de conclusão de curso reconhecido pelo setor e acesso vitalício ao aprendizado individualizado.

Apesar de o SQL ser uma linguagem antiga, ainda é muito útil hoje, pois empresas de todo o mundo coletam grandes quantidades de dados. SQL é uma das habilidades de engenharia mais solicitadas, e dominá-la melhorará muito seu currículo.

Gerenciamento de banco de dados e relacionamento, ferramentas de consulta e comandos SQL, funções agregadas, grupo por cláusula, tabelas e junções, subconsultas, manipulação de dados, controle de transação, exibições e procedimentos estão entre as habilidades abordadas.

Comece a aprender gratuitamente as habilidades mais procuradas atualmente. Este curso enfatiza o desenvolvimento de boas habilidades básicas para o futuro avanço na carreira. Especialistas na área irão ensiná-lo. Obtenha acesso a mais de 300 habilidades prontas para o trabalho nos campos mais procurados da atualidade. Você pode encontrar guias gratuitos sobre várias carreiras, salários, dicas para entrevistas e muito mais em nosso site.

Se você deseja aprimorar ainda mais suas habilidades de desenvolvimento de software, recomendamos que verifique o Programa de Pós-Graduação da Simplilearn em Desenvolvimento Web Full Stack . Este curso pode ajudá-lo a aprimorar as habilidades certas e prepará-lo para o trabalho rapidamente.

Tem alguma pergunta para nós? Deixe-os na seção de comentários deste artigo e nossos especialistas entrarão em contato com você o mais rápido possível.

Fonte do artigo original em: https://www.simplilearn.com

#sql 

What is GEEK

Buddha Community

Como excluir linhas duplicadas no SQL?
Cayla  Erdman

Cayla Erdman

1594369800

Introduction to Structured Query Language SQL pdf

SQL stands for Structured Query Language. SQL is a scripting language expected to store, control, and inquiry information put away in social databases. The main manifestation of SQL showed up in 1974, when a gathering in IBM built up the principal model of a social database. The primary business social database was discharged by Relational Software later turning out to be Oracle.

Models for SQL exist. In any case, the SQL that can be utilized on every last one of the major RDBMS today is in various flavors. This is because of two reasons:

1. The SQL order standard is genuinely intricate, and it isn’t handy to actualize the whole standard.

2. Every database seller needs an approach to separate its item from others.

Right now, contrasts are noted where fitting.

#programming books #beginning sql pdf #commands sql #download free sql full book pdf #introduction to sql pdf #introduction to sql ppt #introduction to sql #practical sql pdf #sql commands pdf with examples free download #sql commands #sql free bool download #sql guide #sql language #sql pdf #sql ppt #sql programming language #sql tutorial for beginners #sql tutorial pdf #sql #structured query language pdf #structured query language ppt #structured query language

Cayla  Erdman

Cayla Erdman

1596441660

Welcome Back the T-SQL Debugger with SQL Complete – SQL Debugger

When you develop large chunks of T-SQL code with the help of the SQL Server Management Studio tool, it is essential to test the “Live” behavior of your code by making sure that each small piece of code works fine and being able to allocate any error message that may cause a failure within that code.

The easiest way to perform that would be to use the T-SQL debugger feature, which used to be built-in over the SQL Server Management Studio tool. But since the T-SQL debugger feature was removed completely from SQL Server Management Studio 18 and later editions, we need a replacement for that feature. This is because we cannot keep using the old versions of SSMS just to support the T-SQL Debugger feature without “enjoying” the new features and bug fixes that are released in the new SSMS versions.

If you plan to wait for SSMS to bring back the T-SQL Debugger feature, vote in the Put Debugger back into SSMS 18 to ask Microsoft to reintroduce it.

As for me, I searched for an alternative tool for a T-SQL Debugger SSMS built-in feature and found that Devart company rolled out a new T-SQL Debugger feature to version 6.4 of SQL – Complete tool. SQL Complete is an add-in for Visual Studio and SSMS that offers scripts autocompletion capabilities, which help develop and debug your SQL database project.

The SQL Debugger feature of SQL Complete allows you to check the execution of your scripts, procedures, functions, and triggers step by step by adding breakpoints to the lines where you plan to start, suspend, evaluate, step through, and then to continue the execution of your script.

You can download SQL Complete from the dbForge Download page and install it on your machine using a straight-forward installation wizard. The wizard will ask you to specify the installation path for the SQL Complete tool and the versions of SSMS and Visual Studio that you plan to install the SQL Complete on, as an add-in, from the versions that are installed on your machine, as shown below:

Once SQL Complete is fully installed on your machine, the dbForge SQL Complete installation wizard will notify you of whether the installation was completed successfully or the wizard faced any specific issue that you can troubleshoot and fix easily. If there are no issues, the wizard will provide you with an option to open the SSMS tool and start using the SQL Complete tool, as displayed below:

When you open SSMS, you will see a new “Debug” tools menu, under which you can navigate the SQL Debugger feature options. Besides, you will see a list of icons that will be used to control the debug mode of the T-SQL query at the leftmost side of the SSMS tool. If you cannot see the list, you can go to View -> Toolbars -> Debugger to make these icons visible.

During the debugging session, the SQL Debugger icons will be as follows:

The functionality of these icons within the SQL Debugger can be summarized as:

  • Adding Breakpoints to control the execution pause of the T-SQL script at a specific statement allows you to check the debugging information of the T-SQL statements such as the values for the parameters and the variables.
  • Step Into is “navigate” through the script statements one by one, allowing you to check how each statement behaves.
  • Step Over is “execute” a specific stored procedure if you are sure that it contains no error.
  • Step Out is “return” from the stored procedure, function, or trigger to the main debugging window.
  • Continue executing the script until reaching the next breakpoint.
  • Stop Debugging is “terminate” the debugging session.
  • Restart “stop and start” the current debugging session.

#sql server #sql #sql debugger #sql server #sql server stored procedure #ssms #t-sql queries

Cayla  Erdman

Cayla Erdman

1596448980

The Easy Guide on How to Use Subqueries in SQL Server

Let’s say the chief credit and collections officer asks you to list down the names of people, their unpaid balances per month, and the current running balance and wants you to import this data array into Excel. The purpose is to analyze the data and come up with an offer making payments lighter to mitigate the effects of the COVID19 pandemic.

Do you opt to use a query and a nested subquery or a join? What decision will you make?

SQL Subqueries – What Are They?

Before we do a deep dive into syntax, performance impact, and caveats, why not define a subquery first?

In the simplest terms, a subquery is a query within a query. While a query that embodies a subquery is the outer query, we refer to a subquery as the inner query or inner select. And parentheses enclose a subquery similar to the structure below:

SELECT 
 col1
,col2
,(subquery) as col3
FROM table1
[JOIN table2 ON table1.col1 = table2.col2]
WHERE col1 <operator> (subquery)

We are going to look upon the following points in this post:

  • SQL subquery syntax depending on different subquery types and operators.
  • When and in what sort of statements one can use a subquery.
  • Performance implications vs. JOINs.
  • Common caveats when using SQL subqueries.

As is customary, we provide examples and illustrations to enhance understanding. But bear in mind that the main focus of this post is on subqueries in SQL Server.

Now, let’s get started.

Make SQL Subqueries That Are Self-Contained or Correlated

For one thing, subqueries are categorized based on their dependency on the outer query.

Let me describe what a self-contained subquery is.

Self-contained subqueries (or sometimes referred to as non-correlated or simple subqueries) are independent of the tables in the outer query. Let me illustrate this:

-- Get sales orders of customers from Southwest United States 
-- (TerritoryID = 4)

USE [AdventureWorks]
GO
SELECT CustomerID, SalesOrderID
FROM Sales.SalesOrderHeader
WHERE CustomerID IN (SELECT [CustomerID]
                     FROM [AdventureWorks].[Sales].[Customer]
                     WHERE TerritoryID = 4)

As demonstrated in the above code, the subquery (enclosed in parentheses below) has no references to any column in the outer query. Additionally, you can highlight the subquery in SQL Server Management Studio and execute it without getting any runtime errors.

Which, in turn, leads to easier debugging of self-contained subqueries.

The next thing to consider is correlated subqueries. Compared to its self-contained counterpart, this one has at least one column being referenced from the outer query. To clarify, I will provide an example:

USE [AdventureWorks]
GO
SELECT DISTINCT a.LastName, a.FirstName, b.BusinessEntityID
FROM Person.Person AS p
JOIN HumanResources.Employee AS e ON p.BusinessEntityID = e.BusinessEntityID
WHERE 1262000.00 IN
    (SELECT [SalesQuota]
    FROM Sales.SalesPersonQuotaHistory spq
    WHERE p.BusinessEntityID = spq.BusinessEntityID)

Were you attentive enough to notice the reference to BusinessEntityID from the Person table? Well done!

Once a column from the outer query is referenced in the subquery, it becomes a correlated subquery. One more point to consider: if you highlight a subquery and execute it, an error will occur.

And yes, you are absolutely right: this makes correlated subqueries pretty harder to debug.

To make debugging possible, follow these steps:

  • isolate the subquery.
  • replace the reference to the outer query with a constant value.

Isolating the subquery for debugging will make it look like this:

SELECT [SalesQuota]
    FROM Sales.SalesPersonQuotaHistory spq
    WHERE spq.BusinessEntityID = <constant value>

Now, let’s dig a little deeper into the output of subqueries.

Make SQL Subqueries With 3 Possible Returned Values

Well, first, let’s think of what returned values can we expect from SQL subqueries.

In fact, there are 3 possible outcomes:

  • A single value
  • Multiple values
  • Whole tables

Single Value

Let’s start with single-valued output. This type of subquery can appear anywhere in the outer query where an expression is expected, like the WHERE clause.

-- Output a single value which is the maximum or last TransactionID
USE [AdventureWorks]
GO
SELECT TransactionID, ProductID, TransactionDate, Quantity
FROM Production.TransactionHistory
WHERE TransactionID = (SELECT MAX(t.TransactionID) 
                       FROM Production.TransactionHistory t)

When you use a MAX() function, you retrieve a single value. That’s exactly what happened to our subquery above. Using the equal (=) operator tells SQL Server that you expect a single value. Another thing: if the subquery returns multiple values using the equals (=) operator, you get an error, similar to the one below:

Msg 512, Level 16, State 1, Line 20
Subquery returned more than 1 value. This is not permitted when the subquery follows =, !=, <, <= , >, >= or when the subquery is used as an expression.

Multiple Values

Next, we examine the multi-valued output. This kind of subquery returns a list of values with a single column. Additionally, operators like IN and NOT IN will expect one or more values.

-- Output multiple values which is a list of customers with lastnames that --- start with 'I'

USE [AdventureWorks]
GO
SELECT [SalesOrderID], [OrderDate], [ShipDate], [CustomerID]
FROM Sales.SalesOrderHeader
WHERE [CustomerID] IN (SELECT c.[CustomerID] FROM Sales.Customer c
INNER JOIN Person.Person p ON c.PersonID = p.BusinessEntityID
WHERE p.lastname LIKE N'I%' AND p.PersonType='SC')

Whole Table Values

And last but not least, why not delve into whole table outputs.

-- Output a table of values based on sales orders
USE [AdventureWorks]
GO
SELECT [ShipYear],
COUNT(DISTINCT [CustomerID]) AS CustomerCount
FROM (SELECT YEAR([ShipDate]) AS [ShipYear], [CustomerID] 
      FROM Sales.SalesOrderHeader) AS Shipments
GROUP BY [ShipYear]
ORDER BY [ShipYear]

Have you noticed the FROM clause?

Instead of using a table, it used a subquery. This is called a derived table or a table subquery.

And now, let me present you some ground rules when using this sort of query:

  • All columns in the subquery should have unique names. Much like a physical table, a derived table should have unique column names.
  • ORDER BY is not allowed unless TOP is also specified. That’s because the derived table represents a relational table where rows have no defined order.

In this case, a derived table has the benefits of a physical table. That’s why in our example, we can use COUNT() in one of the columns of the derived table.

That’s about all regarding subquery outputs. But before we get any further, you may have noticed that the logic behind the example for multiple values and others as well can also be done using a JOIN.

-- Output multiple values which is a list of customers with lastnames that start with 'I'
USE [AdventureWorks]
GO
SELECT o.[SalesOrderID], o.[OrderDate], o.[ShipDate], o.[CustomerID]
FROM Sales.SalesOrderHeader o
INNER JOIN Sales.Customer c on o.CustomerID = c.CustomerID
INNER JOIN Person.Person p ON c.PersonID = p.BusinessEntityID
WHERE p.LastName LIKE N'I%' AND p.PersonType = 'SC'

In fact, the output will be the same. But which one performs better?

Before we get into that, let me tell you that I have dedicated a section to this hot topic. We’ll examine it with complete execution plans and have a look at illustrations.

So, bear with me for a moment. Let’s discuss another way to place your subqueries.

#sql server #sql query #sql server #sql subqueries #t-sql statements #sql

Ruth  Nabimanya

Ruth Nabimanya

1621850444

List of Available Database for Current User In SQL Server

Introduction

When working in the SQL Server, we may have to check some other databases other than the current one which we are working. In that scenario we may not be sure that does we have access to those Databases?. In this article we discuss the list of databases that are available for the current logged user in SQL Server

Get the list of database
Conclusion

#sql server #available databases for current user #check database has access #list of available database #sql #sql query #sql server database #sql tips #sql tips and tricks #tips

Introduction to Recursive CTE

This article will introduce the concept of SQL recursive. Recursive CTE is a really cool. We will see that it can often simplify our code, and avoid a cascade of SQL queries!

Why use a recursive CTE ?

The recursive queries are used to query hierarchical data. It avoids a cascade of SQL queries, you can only do one query to retrieve the hierarchical data.

What is recursive CTE ?

First, what is a CTE? A CTE (Common Table Expression) is a temporary named result set that you can reference within a SELECT, INSERT, UPDATE, or DELETE statement. For example, you can use CTE when, in a query, you will use the same subquery more than once.

A recursive CTE is one having a subquery that refers to its own name!

Recursive CTE is defined in the SQL standard.

How to make a recursive CTE?

A recursive CTE has this structure:

  • The WITH clause must begin with “WITH RECURSIVE”
  • The recursive CTE subquery has two parts, separated by “UNION [ALL]” or “UNION DISTINCT”:
  • The first part produces the initial row(s) for the CTE. This SELECT does not refer to the CTE name.
  • The second part recurses by referring to the CTE name in its FROM clause.

Practice / Example

In this example, we use hierarchical data. Each row can have zero or one parent. And it parent can also have a parent etc.

Create table test (id integer, parent_id integer);

insert into test (id, parent_id) values (1, null);

insert into test (id, parent_id) values (11, 1);
insert into test (id, parent_id) values (111, 11);

insert into test (id, parent_id) values (112, 11);

insert into test (id, parent_id) values (12, 1);

insert into test (id, parent_id) values (121, 12);

For example, the row with id 111 has as ancestors: 11 and 1.

Before knowing the recursive CTE, I was doing several queries to get all the ancestors of a row.

For example, to retrieve all the ancestors of the row with id 111.

While (has parent)

	Select id, parent_id from test where id = X

With recursive CTE, we can retrieve all ancestors of a row with only one SQL query :)

WITH RECURSIVE cte_test AS (
	SELECT id, parent_id FROM test WHERE id = 111
	UNION 
	SELECT test.id, test.parent_id FROM test JOIN cte_test ON cte_test.id = test.parent_id

) SELECT * FROM cte_test

Explanations:

  • “WITH RECURSIVE”:

It indicates we will make recursive

  • “SELECT id, parent_id FROM test WHERE id = 111”:

It is the initial query.

  • “UNION … JOIN cte_test” :

It is the recursive expression! We make a jointure with the current CTE!

Replay this example here

#sql #database #sql-server #sql-injection #writing-sql-queries #sql-beginner-tips #better-sql-querying-tips #sql-top-story