1
s = Environment.GetEnvironmentVariable("UserProfile") + "\\Pictures";
            string[] photosfiles = Directory.GetFiles(t, "*.*", SearchOption.AllDirectories);
            for (int i = 0; i < s.Length; i++)
            {

                File.Copy(photosfiles[i], tempphotos + "\\" + Path.GetFileName(photosfiles[i]), true);

            }

这会将文件从一个目录复制到另一个目录。我想一直在 FOR 循环内检查目标目录的大小。例如,首先它复制一个文件以检查文件大小是否继续小于 50mb。

复制第二个文件后,循环中的下一个迭代检查目标目录大小中的两个文件,如果两个文件的大小都小于 50mb,则继续。依此类推,直到达到 50mb,然后停止循环。

4

2 回答 2

1

您可以在开始复制文件之前计算目录的大小,然后在复制文件时添加每个文件的大小,或者您可以在每个文件复制后重新计算目录的大小。我认为后一种选择可能会更准确,但效率也会低得多,具体取决于您正在复制的文件的大小(如果它们非常小,您最终会多次计算它们)。

要获取目录的大小,请使用:

public static long DirSize(DirectoryInfo d) 
{    
    long Size = 0;    
    // Add file sizes.
    FileInfo[] fis = d.GetFiles();
    foreach (FileInfo fi in fis) 
    {      
        Size += fi.Length;    
    }
    // Add subdirectory sizes.
    DirectoryInfo[] dis = d.GetDirectories();
    foreach (DirectoryInfo di in dis) 
    {
        Size += DirSize(di);   
    }
    return(Size);  
}

此处用作示例的函数:http: //msdn.microsoft.com/en-us/library/system.io.directory (v=vs.100).aspx

所以你的代码看起来像:

for (int i = 0; i < photosfiles.Length; i++)
{
    FileInfo fi(photosfiles[i]);

    DirectoryInfo d = new DirectoryInfo(tempphotos);
    long dirSize = DirSize(d);

    //if copying the file would take the directory over 50MB then don't do it
    if ((dirSize + fi.length) <= 52428800)
        fi.CopyTo(tempphotos + "\\" + fi.Name)
    else
        break;
}
于 2013-08-08T08:17:59.673 回答
0

您可以借助以下代码:

string[] sizes = { "B", "KB", "MB", "GB" };
    double len = new FileInfo(filename).Length;
    int order = 0;
    while (len >= 1024 && order + 1 < sizes.Length) {
        order++;
        len = len/1024;
    }

    // Adjust the format string to your preferences. For example "{0:0.#}{1}" would
    // show a single decimal place, and no space.
    string result = String.Format("{0:0.##} {1}", len, sizes[order]);

或者

static String BytesToString(long byteCount)
{
    string[] suf = { "B", "KB", "MB", "GB", "TB", "PB", "EB" }; //Longs run out around EB
    if (byteCount == 0)
        return "0" + suf[0];
    long bytes = Math.Abs(byteCount);
    int place = Convert.ToInt32(Math.Floor(Math.Log(bytes, 1024)));
    double num = Math.Round(bytes / Math.Pow(1024, place), 1);
    return (Math.Sign(byteCount) * num).ToString() + suf[place];
}

两个答案都来自链接How do I get a human-readable file size in bytes abbreviation using .NET?

于 2013-08-08T08:11:09.000 回答