SQL Server recursive query
I am new to SQL Server development. Most of my experience has been done with Oracle.
suppose I have the following table that contains Appointments objects
CREATE TABLE [dbo].[Appointments](
[AppointmentID] [int] IDENTITY(1,1) NOT NULL,
.......
[AppointmentDate] [datetime] NOT NULL,
[PersonID] [int] NOT NULL,
[PrevAppointmentID] [int] NULL,
CONSTRAINT [PK_Appointments] PRIMARY KEY CLUSTERED ([AppointmentID] ASC)
An a开发者_JAVA百科ppointment can be postponed so, when this happens, a new row is created on the table with the PrevAppointmentID field containing the ID of the original Appointment.
I would like to make a query to obtain the history of a Person appointments. For example, if the appoinment with ID = 1 is postponed two times, and these postponements have created appointments with ID = 7 and ID = 12 for the same PersonID, I would like to make a query that returns the following results:
AppointmentID PrevAppointmentID
----------------- ----------------------
1 NULL
7 1
12 7
If using Oracle I remember that something like this can be obtained using the CONNECT BY PRIOR clause.
Is there any way to make a query to achieve these results?
I am using SQL Server 2005/2008.
thanks in advance
Look into using what is called a CTE (common table expression) (Refer to MSDN document):
;with cteAppointments as (
select AppointmentID, PersonID, PrevAppointmentID
from Appointments
where PrevAppointmentID is null
union all
select a.AppointmentID, a.PersonID, a.PrevAppointmentID
from Appointments a
inner join cteAppointments c
on a.PrevAppointmentID = c.AppointmentID
)
select AppointmentID, PrevAppointmentID
from cteAppointments
where PersonID = xxx
精彩评论