views:

37

answers:

1

I've got a table Folders with hierarchical information about folders:

FolderID     FolderName     ParentID
1            Folder1        0
2            Folder2        1
3            Folder3        2
4            Folder4        3

For Folder4 I would like to get the parent folders in the following format:

Folder1\Folder2\Folder3\

Note: I have asked this before, but I cannot use CTE because I am using SQL-Server 2000.

+1  A: 

I've written a SQL function that should return what you're looking for.

/* Set up test data */
create table Folders (
    FolderID int,
    FolderName varchar(10),
    ParentID int
)

insert into Folders
    (FolderID, FolderName, ParentID)
    select 1,'Folder1',0 union all
    select 2,'Folder2',1 union all
    select 3,'Folder3',2 union all
    select 4,'Folder4',3        
go

/* Create function */
create function dbo.CreateFolderPath (@FolderID int)
returns varchar(1000)
as
begin
    declare @ParentID int
    declare @FolderPath varchar(1000)
    set @FolderPath = ''

    select @ParentID = ParentID
        from Folders
        where FolderID = @FolderID

    while @ParentID<>0 begin
        select @FolderPath = FolderName + '\' + @FolderPath, @ParentID = ParentID
            from Folders
            where FolderID = @ParentID
    end /* while */

    return @FolderPath
end /* function */
go

/* Demo the function */
select dbo.CreateFolderPath(4)

/* Clean up after demo */
drop function dbo.CreateFolderPath
drop table Folders
Joe Stefanelli
@Adu: If this answer solved your problem, then up-voting it and thanking the author would be a nice move to honor the time he has invested for you...
Peter Lang
@Peter Lang: And a thank you to you as well for your work editing the original question.
Joe Stefanelli