I have a recursive method that is return me categories, and checking for its sub categories.
So it looks like:
public List GetAllChildCat
Currently you haven't shown anything which actually adds a single category to the list... I'm assuming that as you recurse, you want to add the results of Get(categoryId) as well·
Preet's solution will certainly work, but here's an alternative which avoids creating all the extra lists:
public List GetAllChildCats(int categoryId)
{
List ret = new List();
GetAllChildCats(categoryId, ret);
return ret;
}
private void GetAllChildCats(int categoryId, List list)
{
Category c = Get(categoryid);
list.Add(c);
foreach(Category cat in c.ChildCategories)
{
GetAllChildCats(cat.CategoryID, list);
}
}
This creates a single list, and adds items to it as it goes.
One point though - if you've already got the child Category objects, do you really need to call Get again? Does each child only contain its ID until you fetch the whole category?