What is the best way to recursively copy a folder's content into another folder using C# and ASP.NET?
                +9 
                A: 
                
                
              Well you can try this
    DirectoryInfo sourcedinfo = new DirectoryInfo(@"E:\source");
    DirectoryInfo destinfo = new DirectoryInfo(@"E:\destination");
    copy.CopyAll(sourcedinfo ,destinfo);
and this is the method that do all the work:
public void CopyAll(DirectoryInfo source, DirectoryInfo target)
        {
            try
            {
                //check if the target directory exists
                if (Directory.Exists(target.FullName) == false)
                {
                    Directory.CreateDirectory(target.FullName);
                }
                //copy all the files into the new directory
                foreach (FileInfo fi in source.GetFiles())
                {
                    fi.CopyTo(Path.Combine(target.ToString(), fi.Name), true);
                }
                //copy all the sub directories using recursion
                foreach (DirectoryInfo diSourceDir in source.GetDirectories())
                {
                    DirectoryInfo nextTargetDir = target.CreateSubdirectory(diSourceDir.Name);
                    CopyAll(diSourceDir, nextTargetDir);
                }
                //success here
            }
            catch (IOException ie)
            {
       //hundle it here
            }
        }
I hope this will help :)
                  martani_net
                   2009-03-09 18:43:10
                
              Great code there is one thing i would change: //check if the target directory exists    if (Directory.Exists(target.FullName) == false)    {        Directory.CreateDirectory(target.FullName);    }you can just you the DirectoryInfo object you already have:    if (!target.Exists)    {         target.Create();                        }
                  greektreat
                   2010-01-26 19:55:50
                
                +5 
                A: 
                
                
              
            Just use Microsoft.VisualBasic.FileIO.FileSystem.CopyDirectory in Microsoft.VisualBasic.dll assembly.
Add a reference to Microsoft.VisualBasic
Microsoft.VisualBasic.FileIO.FileSystem.CopyDirectory(source, destination);
                  Mehrdad Afshari
                   2009-03-09 18:43:32