-1

フォルダにたくさんのテキスト ファイルがありC:\Sourceます。すべてのファイルMyDataC:\ drive. C# でのアプローチを教えてください。再帰的なものになると思います。

ファイルをある場所から別の場所にコピーする方法を知っています。C:. また、フォルダ「MyData」は複数の場所にあります。そのため、ファイルをすべての場所にコピーしたいと考えています。

4

3 に答える 3

2

この回答は、MSDN から直接取得したものです: http://msdn.microsoft.com/en-us/library/bb762914.aspx

using System;
using System.IO;

class DirectoryCopyExample
{
    static void Main()
    {
        // Copy from the current directory, include subdirectories.
        DirectoryCopy(".", @".\temp", true);
    }

private static void DirectoryCopy(string sourceDirName, string destDirName, bool copySubDirs)
{
    // Get the subdirectories for the specified directory.
    DirectoryInfo dir = new DirectoryInfo(sourceDirName);
    DirectoryInfo[] dirs = dir.GetDirectories();

    if (!dir.Exists)
    {
        throw new DirectoryNotFoundException(
            "Source directory does not exist or could not be found: "
            + sourceDirName);
    }

    // If the destination directory doesn't exist, create it. 
    if (!Directory.Exists(destDirName))
    {
        Directory.CreateDirectory(destDirName);
    }

    // Get the files in the directory and copy them to the new location.
    FileInfo[] files = dir.GetFiles();
    foreach (FileInfo file in files)
    {
        string temppath = Path.Combine(destDirName, file.Name);
        file.CopyTo(temppath, false);
    }

    // If copying subdirectories, copy them and their contents to new location. 
    if (copySubDirs)
    {
        foreach (DirectoryInfo subdir in dirs)
        {
            string temppath = Path.Combine(destDirName, subdir.Name);
            DirectoryCopy(subdir.FullName, temppath, copySubDirs);
        }
    }
}

}

于 2013-05-31T13:54:07.290 に答える
1

System.IO 名前空間で FileSystemWatcher クラスを利用できます。

public void FolderWatcher()
    {
        FileSystemWatcher Watcher = new System.IO.FileSystemWatcher();
        Watcher.Path = @"C:\Source";
        Watcher.Filter="*.txt";
        Watcher.NotifyFilter = NotifyFilters.LastAccess |
                     NotifyFilters.LastWrite |
                     NotifyFilters.FileName |
                     NotifyFilters.DirectoryName;
        Watcher.Created += new FileSystemEventHandler(Watcher_Created);
        Watcher.EnableRaisingEvents = true;

    }

    void Watcher_Created(object sender, FileSystemEventArgs e)
    {            
        File.Copy(e.FullPath,"C:\\MyData",true);            
    }
于 2013-05-31T14:04:47.253 に答える