Sqlserver
 sql >> Base de Dados >  >> RDS >> Sqlserver

Pegue recursivamente todos os dados com base em um ID pai


Isso pode ser feito no SQL Server 2005 e superior usando CTEs (Common Table Expressions). Aqui está um ótimo link do MSDN descrevendo consultas recursivas:Recursive Queries Using Common Table Expressions

Aqui está um exemplo:

Se você imaginar uma linha hierárquica de pessoas, essa consulta permitirá que você veja a linha completa de qualquer pessoa E calcule seu lugar na hierarquia. Ele pode ser modificado para encontrar qualquer relacionamento filho.

Em vez do ID da pessoa, você troca o ID da linha que está usando como pai.
--Create table of dummy data
create table #person (
personID integer IDENTITY(1,1) NOT NULL,
name      varchar(255) not null,
dob       date,
father    integer
);

INSERT INTO #person(name,dob,father)Values('Pops','1900/1/1',NULL);  
INSERT INTO #person(name,dob,father)Values('Grandma','1903/2/4',null);
INSERT INTO #person(name,dob,father)Values('Dad','1925/4/2',1);
INSERT INTO #person(name,dob,father)Values('Uncle Kev','1927/3/3',1);
INSERT INTO #person(name,dob,father)Values('Cuz Dave','1953/7/8',4);
INSERT INTO #person(name,dob,father)Values('Billy','1954/8/1',3);

DECLARE @OldestPerson INT; 
SET @OldestPerson = 1; -- Set this value to the ID of the oldest person in the family

WITH PersonHierarchy (personID,Name,dob,father, HierarchyLevel) AS
(
   SELECT
      personID
      ,Name
      ,dob
      ,father,
      1 as HierarchyLevel
   FROM #person
   WHERE personID = @OldestPerson

   UNION ALL

   SELECT
    e.personID,
      e.Name,
      e.dob,
      e.father,
      eh.HierarchyLevel + 1 AS HierarchyLevel
   FROM #person e
      INNER JOIN PersonHierarchy eh ON
         e.father = eh.personID
)

SELECT *
FROM PersonHierarchy
ORDER BY HierarchyLevel, father;

DROP TABLE #person;