Udostępnij za pośrednictwem


Porady: zapytanie o największy plik lub pliki w drzewie katalogu (LINQ)

W tym przykładzie przedstawiono pięć kwerend związanych z rozmiar pliku w bajtach:

  • Jak pobrać rozmiar w bajtach największego pliku.

  • Jak pobrać rozmiar w bajtach najmniejszym pliku.

  • Jak pobrać FileInfo największej lub najmniejszej pliku obiektu z jednego lub więcej folderów w folderze określony katalog główny.

  • Jak pobrać sekwencji, takie jak 10 największych plików.

  • Jak zamówić pliki w grupach, na podstawie ich rozmiar pliku w bajtach, ignorując pliki, które są mniejsze niż określony rozmiar.

Przykład

Poniższy przykład zawiera pięć oddzielne kwerendy, które pokazują, jak kwerendy i grupy plików, w zależności od ich rozmiar pliku w bajtach.Można łatwo modyfikować tych przykładów, aby utworzyć kwerendę na niektórych innych właściwości FileInfo obiektu.

Module QueryBySize
    Sub Main()

        ' Change the drive\path if necessary 
        Dim root As String = "C:\Program Files\Microsoft Visual Studio 9.0" 

        'Take a snapshot of the folder contents 
        Dim dir As New System.IO.DirectoryInfo(root)
        Dim fileList = dir.GetFiles("*.*", System.IO.SearchOption.AllDirectories)

        ' Return the size of the largest file 
        Dim maxSize = Aggregate aFile In fileList Into Max(GetFileLength(aFile))

        'Dim maxSize = fileLengths.Max
        Console.WriteLine("The length of the largest file under {0} is {1}", _
                          root, maxSize)

        ' Return the FileInfo object of the largest file 
        ' by sorting and selecting from the beginning of the list 
        Dim filesByLengDesc = From file In fileList _
                              Let filelength = GetFileLength(file) _
                              Where filelength > 0 _
                              Order By filelength Descending _
                              Select file

        Dim longestFile = filesByLengDesc.First

        Console.WriteLine("The largest file under {0} is {1} with a length of {2} bytes", _
                          root, longestFile.FullName, longestFile.Length)

        Dim smallestFile = filesByLengDesc.Last

        Console.WriteLine("The smallest file under {0} is {1} with a length of {2} bytes", _
                                root, smallestFile.FullName, smallestFile.Length)

        ' Return the FileInfos for the 10 largest files 
        ' Based on a previous query, but nothing is executed 
        ' until the For Each statement below. 
        Dim tenLargest = From file In filesByLengDesc Take 10

        Console.WriteLine("The 10 largest files under {0} are:", root)

        For Each fi As System.IO.FileInfo In tenLargest
            Console.WriteLine("{0}: {1} bytes", fi.FullName, fi.Length)
        Next 

        ' Group files according to their size, 
        ' leaving out the ones under 200K 
        Dim sizeGroups = From file As System.IO.FileInfo In fileList _
                         Where file.Length > 0 _
                         Let groupLength = file.Length / 100000 _
                         Group file By groupLength Into fileGroup = Group _
                         Where groupLength >= 2 _
                         Order By groupLength Descending

        For Each group In sizeGroups
            Console.WriteLine(group.groupLength + "00000")

            For Each item As System.IO.FileInfo In group.fileGroup
                Console.WriteLine("   {0}: {1}", item.Name, item.Length)
            Next 
        Next 

        ' Keep the console window open in debug mode
        Console.WriteLine("Press any key to exit.")
        Console.ReadKey()

    End Sub 

    ' This method is used to catch the possible exception 
    ' that can be raised when accessing the FileInfo.Length property. 
    ' In this particular case, it is safe to ignore the exception. 
    Function GetFileLength(ByVal fi As System.IO.FileInfo) As Long 
        Dim retval As Long 
        Try
            retval = fi.Length
        Catch ex As FileNotFoundException
            ' If a file is no longer present, 
            ' just return zero bytes. 
            retval = 0
        End Try 

        Return retval
    End Function 
End Module
class QueryBySize
{
    static void Main(string[] args)
    {
        QueryFilesBySize();
        Console.WriteLine("Press any key to exit");
        Console.ReadKey();
    }

    private static void QueryFilesBySize()
    {
        string startFolder = @"c:\program files\Microsoft Visual Studio 9.0\";

        // Take a snapshot of the file system.
        System.IO.DirectoryInfo dir = new System.IO.DirectoryInfo(startFolder);

        // This method assumes that the application has discovery permissions 
        // for all folders under the specified path.
        IEnumerable<System.IO.FileInfo> fileList = dir.GetFiles("*.*", System.IO.SearchOption.AllDirectories);

        //Return the size of the largest file 
        long maxSize =
            (from file in fileList
             let len = GetFileLength(file)
             select len)
             .Max();

        Console.WriteLine("The length of the largest file under {0} is {1}",
            startFolder, maxSize);

        // Return the FileInfo object for the largest file 
        // by sorting and selecting from beginning of list
        System.IO.FileInfo longestFile =
            (from file in fileList
             let len = GetFileLength(file)
             where len > 0
             orderby len descending 
             select file)
            .First();

        Console.WriteLine("The largest file under {0} is {1} with a length of {2} bytes",
                            startFolder, longestFile.FullName, longestFile.Length);

        //Return the FileInfo of the smallest file
        System.IO.FileInfo smallestFile =
            (from file in fileList
             let len = GetFileLength(file)
             where len > 0
             orderby len ascending 
             select file).First();

        Console.WriteLine("The smallest file under {0} is {1} with a length of {2} bytes",
                            startFolder, smallestFile.FullName, smallestFile.Length);

        //Return the FileInfos for the 10 largest files 
        // queryTenLargest is an IEnumerable<System.IO.FileInfo> 
        var queryTenLargest =
            (from file in fileList
             let len = GetFileLength(file)
             orderby len descending 
             select file).Take(10);

        Console.WriteLine("The 10 largest files under {0} are:", startFolder);

        foreach (var v in queryTenLargest)
        {
            Console.WriteLine("{0}: {1} bytes", v.FullName, v.Length);
        }


        // Group the files according to their size, leaving out 
        // files that are less than 200000 bytes.  
        var querySizeGroups =
            from file in fileList
            let len = GetFileLength(file)
            where len > 0
            group file by (len / 100000) into fileGroup
            where fileGroup.Key >= 2
            orderby fileGroup.Key descending 
            select fileGroup;


        foreach (var filegroup in querySizeGroups)
        {
            Console.WriteLine(filegroup.Key.ToString() + "00000");
            foreach (var item in filegroup)
            {
                Console.WriteLine("\t{0}: {1}", item.Name, item.Length);
            }
        }
    }

    // This method is used to swallow the possible exception 
    // that can be raised when accessing the FileInfo.Length property. 
    // In this particular case, it is safe to swallow the exception. 
    static long GetFileLength(System.IO.FileInfo fi)
    {
        long retval;
        try
        {
            retval = fi.Length;
        }
        catch (System.IO.FileNotFoundException)
        {
            // If a file is no longer present, 
            // just add zero bytes to the total.
            retval = 0;
        }
        return retval;
    }

}

Aby powrócić, wykonać jedną lub więcej FileInfo obiektów, najpierw kwerendy musi zbadać każdy z nich dane źródłowe i sortować je według wartości ich właściwości Length.Następnie można wrócić jeden pojedynczy lub sekwencji z największej długości.Użyj First``1 do zwraca pierwszy element na liście.Użyj Take``1 , aby powrócić do pierwszego n liczba elementów.Określić malejący porządek sortowania do najmniejszej elementów na początku listy.

Kwerendy wzywa do oddzielnych metody uzyskiwania rozmiar pliku w bajtach do zużywają możliwe wyjątek, który będzie uruchamiany w przypadku, gdy plik został usunięty w innym wątku w okresie od FileInfo w wywołaniu w celu utworzenia obiektu GetFiles.Nawet poprzez FileInfo obiekt już istnieje, może wystąpić wyjątek ponieważ FileInfo obiektu spróbować odświeżyć jego Length właściwości przy użyciu najbardziej aktualny rozmiar w bajtach właściwość jest dostępna po raz pierwszy.Umieszczenie tej operacji w bloku try-catch poza kwerendy, możemy następujące po regule unikanie operacji w kwerendach, które mogą wywoływać efekty uboczne.Ogólnie rzecz biorąc great należy uważać podczas używające wyjątki, aby upewnić się, że aplikacja nie pozostaje w nieznanym stanie.

Kompilowanie kodu

  • Tworzenie Visual Studio projekt, który jest przeznaczony dla .NET Framework w wersji 3.5.Projekt zawiera odwołanie do System.Core.dll i using dyrektywy (C#) lub Imports instrukcji (Visual Basic) dla obszaru nazw System.Linq domyślnie.

  • Skopiuj ten kod do projektu.

  • Naciśnij klawisz F5, aby skompilować i uruchomić program.

  • Naciśnij dowolny klawisz, aby zamknąć okno konsoli.

Stabilne programowanie

Kwerendy intensywnych operacji nad zawartość wielu rodzajów dokumentów i plików, należy rozważyć użycie Wyszukiwanie z pulpitu systemu Windows silnika.

Zobacz też

Koncepcje

LINQ do obiektów

LINQ i katalogi plików