145

典型的方法建议通过 FileStream 读取二进制文件并逐字节进行比较。

  • 诸如CRC之类的校验和比较会更快吗?
  • 是否有任何 .NET 库可以为文件生成校验和?
4

18 回答 18

148

最慢的方法是逐字节比较两个文件。我能想到的最快的是类似的比较,但不是一次一个字节,而是使用大小为 Int64 的字节数组,然后比较结果数字。

这是我想出的:

    const int BYTES_TO_READ = sizeof(Int64);

    static bool FilesAreEqual(FileInfo first, FileInfo second)
    {
        if (first.Length != second.Length)
            return false;

        if (string.Equals(first.FullName, second.FullName, StringComparison.OrdinalIgnoreCase))
            return true;

        int iterations = (int)Math.Ceiling((double)first.Length / BYTES_TO_READ);

        using (FileStream fs1 = first.OpenRead())
        using (FileStream fs2 = second.OpenRead())
        {
            byte[] one = new byte[BYTES_TO_READ];
            byte[] two = new byte[BYTES_TO_READ];

            for (int i = 0; i < iterations; i++)
            {
                 fs1.Read(one, 0, BYTES_TO_READ);
                 fs2.Read(two, 0, BYTES_TO_READ);

                if (BitConverter.ToInt64(one,0) != BitConverter.ToInt64(two,0))
                    return false;
            }
        }

        return true;
    }

在我的测试中,我能够看到这比简单的 ReadByte() 场景的性能要高出近 3:1。平均超过 1000 次运行,我在 1063 毫秒得到了这个方法,在 3031 毫秒得到了下面的方法(直接逐字节比较)。哈希总是以大约 865 毫秒的平均时间返回亚秒级。该测试使用约 100MB 的视频文件。

这是我使用的 ReadByte 和散列方法,用于比较目的:

    static bool FilesAreEqual_OneByte(FileInfo first, FileInfo second)
    {
        if (first.Length != second.Length)
            return false;

        if (string.Equals(first.FullName, second.FullName, StringComparison.OrdinalIgnoreCase))
            return true;

        using (FileStream fs1 = first.OpenRead())
        using (FileStream fs2 = second.OpenRead())
        {
            for (int i = 0; i < first.Length; i++)
            {
                if (fs1.ReadByte() != fs2.ReadByte())
                    return false;
            }
        }

        return true;
    }

    static bool FilesAreEqual_Hash(FileInfo first, FileInfo second)
    {
        byte[] firstHash = MD5.Create().ComputeHash(first.OpenRead());
        byte[] secondHash = MD5.Create().ComputeHash(second.OpenRead());

        for (int i=0; i<firstHash.Length; i++)
        {
            if (firstHash[i] != secondHash[i])
                return false;
        }
        return true;
    }
于 2009-08-31T23:55:25.447 回答
127

校验和比较很可能比逐字节比较慢。

为了生成校验和,您需要加载文件的每个字节,并对其执行处理。然后,您必须在第二个文件上执行此操作。处理几乎肯定会比比较检查慢。

至于生成校验和:您可以使用密码学类轻松完成此操作。这是一个使用 C#生成 MD5 校验和的简短示例。

但是,如果您可以预先计算“测试”或“基本”案例的校验和,校验和可能会更快并且更有意义。如果您有一个现有文件,并且您正在检查新文件是否与现有文件相同,则预先计算“现有”文件的校验和意味着只需要执行一次 DiskIO,在新文件。这可能比逐字节比较快。

于 2009-08-31T17:41:20.660 回答
57

如果您决定确实需要完整的逐字节比较(请参阅其他答案以了解散列的讨论),那么最简单的解决方案是:


• 对于`System.String` 路径名:
public static bool AreFileContentsEqual(String path1, String path2) =>
              File.ReadAllBytes(path1).SequenceEqual(File.ReadAllBytes(path2));

• 对于`System.IO.FileInfo` 实例:
public static bool AreFileContentsEqual(FileInfo fi1, FileInfo fi2) =>
    fi1.Length == fi2.Length &&
    (fi1.Length == 0L || File.ReadAllBytes(fi1.FullName).SequenceEqual(
                         File.ReadAllBytes(fi2.FullName)));

与其他发布的答案不同,这对于任何类型的文件都是正确的:二进制、文本、媒体、可执行文件等,但作为完整的二进制比较在“不重要”方式上不同的文件(例如BOM行-ending字符编码,媒体元数据,空白,填充,源代码注释等注释 1)将始终被视为not-equal

此代码将两个文件完全加载到内存中,因此不应该用于比较真正巨大的文件除了这个重要的警告之外,考虑到 .NET GC的设计,完全加载并不是真正的惩罚(因为它从根本上进行了优化,以保持小而短暂的分配非常便宜),事实上,当预期文件大小时甚至可能是最佳的小于85K,因为使用最少的用户代码(如此处所示)意味着将文件性能问题最大程度地委托给CLRBCL,并JIT从(例如)最新的设计技术、系统代码和自适应运行时优化中受益。

此外,对于这样的日常场景,对通过枚举器进行逐字节比较的性能的担忧LINQ(如此处所示)是没有实际意义的,因为为文件 I/O 访问磁盘a̲t̲ a̲l̲l̲会使好处相形见绌几个数量级各种内存比较替代方案。例如,尽管实际上SequenceEqual 确实给了我们放弃第一次 mismatch的“优化” ,但这在已经获取文件内容之后几乎没有关系,对于任何真正的肯定情况来说,每个都是完全必要的。



1. 一个模糊的例外:本页讨论的任何答案都未检查 NTFS 备用数据流,因此对于其他被认为“相同”的文件可能会有所不同。

于 2016-03-20T00:21:57.850 回答
33

除了Reed Copsey的回答:

  • 最坏的情况是两个文件相同。在这种情况下,最好逐字节比较文件。

  • 如果这两个文件不相同,您可以通过更快地检测到它们不相同来加快处理速度。

例如,如果两个文件的长度不同,那么您就知道它们不可能相同,您甚至不必比较它们的实际内容。

于 2009-08-31T17:47:41.460 回答
20

如果您不读取小的 8 字节块,而是放置一个循环,读取更大的块,它会变得更快。我将平均比较时间减少到 1/4。

    public static bool FilesContentsAreEqual(FileInfo fileInfo1, FileInfo fileInfo2)
    {
        bool result;

        if (fileInfo1.Length != fileInfo2.Length)
        {
            result = false;
        }
        else
        {
            using (var file1 = fileInfo1.OpenRead())
            {
                using (var file2 = fileInfo2.OpenRead())
                {
                    result = StreamsContentsAreEqual(file1, file2);
                }
            }
        }

        return result;
    }

    private static bool StreamsContentsAreEqual(Stream stream1, Stream stream2)
    {
        const int bufferSize = 1024 * sizeof(Int64);
        var buffer1 = new byte[bufferSize];
        var buffer2 = new byte[bufferSize];

        while (true)
        {
            int count1 = stream1.Read(buffer1, 0, bufferSize);
            int count2 = stream2.Read(buffer2, 0, bufferSize);

            if (count1 != count2)
            {
                return false;
            }

            if (count1 == 0)
            {
                return true;
            }

            int iterations = (int)Math.Ceiling((double)count1 / sizeof(Int64));
            for (int i = 0; i < iterations; i++)
            {
                if (BitConverter.ToInt64(buffer1, i * sizeof(Int64)) != BitConverter.ToInt64(buffer2, i * sizeof(Int64)))
                {
                    return false;
                }
            }
        }
    }
}
于 2010-04-14T12:38:08.700 回答
14

编辑:此方法不适用于比较二进制文件!

在 .NET 4.0 中,File该类具有以下两个新方法:

public static IEnumerable<string> ReadLines(string path)
public static IEnumerable<string> ReadLines(string path, Encoding encoding)

这意味着您可以使用:

bool same = File.ReadLines(path1).SequenceEqual(File.ReadLines(path2));
于 2009-08-31T17:45:31.947 回答
14

唯一可能使校验和比较比逐字节比较稍快的是您一次读取一个文件的事实,这在一定程度上减少了磁盘磁头的寻道时间。然而,计算散列的额外时间很可能会消耗掉这一微小的收益。

此外,如果文件相同,校验和比较当然只有更快的机会。如果不是,则逐字节比较将在第一个差异处结束,从而使其更快。

您还应该考虑到哈希码比较只会告诉您文件很可能是相同的。要 100% 确定,您需要进行逐字节比较。

例如,如果散列码是 32 位,那么如果散列码匹配,您大约 99.99999998% 可以确定文件是相同的。这接近 100%,但如果你真的需要 100% 的确定性,那就不是了。

于 2009-08-31T18:30:12.043 回答
7

老实说,我认为你需要尽可能地修剪你的搜索树。

逐字节检查之前要检查的事项:

  1. 尺寸一样吗?
  2. 文件 A 中的最后一个字节与文件 B 不同吗

此外,一次读取大块将更有效,因为驱动器读取顺序字节的速度更快。逐字节进行不仅会导致更多的系统调用,而且如果两个文件都在同一个驱动器上,它还会导致传统硬盘驱动器的读取头更频繁地来回寻找。

将块 A 和块 B 读入字节缓冲区,并比较它们(不要使用 Array.Equals,请参阅注释)。调整块的大小,直到你觉得在内存和性能之间取得了很好的平衡。您也可以多线程比较,但不要多线程磁盘读取。

于 2012-01-27T18:21:07.327 回答
6

我的答案是@lars 的派生词,但修复了调用中的错误Stream.Read。我还添加了一些其他答案具有的快速路径检查和输入验证。简而言之,这应该是答案

using System;
using System.IO;

namespace ConsoleApp4
{
    class Program
    {
        static void Main(string[] args)
        {
            var fi1 = new FileInfo(args[0]);
            var fi2 = new FileInfo(args[1]);
            Console.WriteLine(FilesContentsAreEqual(fi1, fi2));
        }

        public static bool FilesContentsAreEqual(FileInfo fileInfo1, FileInfo fileInfo2)
        {
            if (fileInfo1 == null)
            {
                throw new ArgumentNullException(nameof(fileInfo1));
            }

            if (fileInfo2 == null)
            {
                throw new ArgumentNullException(nameof(fileInfo2));
            }

            if (string.Equals(fileInfo1.FullName, fileInfo2.FullName, StringComparison.OrdinalIgnoreCase))
            {
                return true;
            }

            if (fileInfo1.Length != fileInfo2.Length)
            {
                return false;
            }
            else
            {
                using (var file1 = fileInfo1.OpenRead())
                {
                    using (var file2 = fileInfo2.OpenRead())
                    {
                        return StreamsContentsAreEqual(file1, file2);
                    }
                }
            }
        }

        private static int ReadFullBuffer(Stream stream, byte[] buffer)
        {
            int bytesRead = 0;
            while (bytesRead < buffer.Length)
            {
                int read = stream.Read(buffer, bytesRead, buffer.Length - bytesRead);
                if (read == 0)
                {
                    // Reached end of stream.
                    return bytesRead;
                }

                bytesRead += read;
            }

            return bytesRead;
        }

        private static bool StreamsContentsAreEqual(Stream stream1, Stream stream2)
        {
            const int bufferSize = 1024 * sizeof(Int64);
            var buffer1 = new byte[bufferSize];
            var buffer2 = new byte[bufferSize];

            while (true)
            {
                int count1 = ReadFullBuffer(stream1, buffer1);
                int count2 = ReadFullBuffer(stream2, buffer2);

                if (count1 != count2)
                {
                    return false;
                }

                if (count1 == 0)
                {
                    return true;
                }

                int iterations = (int)Math.Ceiling((double)count1 / sizeof(Int64));
                for (int i = 0; i < iterations; i++)
                {
                    if (BitConverter.ToInt64(buffer1, i * sizeof(Int64)) != BitConverter.ToInt64(buffer2, i * sizeof(Int64)))
                    {
                        return false;
                    }
                }
            }
        }
    }
}

或者,如果你想变得超级棒,你可以使用 async 变体:

using System;
using System.IO;
using System.Threading.Tasks;

namespace ConsoleApp4
{
    class Program
    {
        static void Main(string[] args)
        {
            var fi1 = new FileInfo(args[0]);
            var fi2 = new FileInfo(args[1]);
            Console.WriteLine(FilesContentsAreEqualAsync(fi1, fi2).GetAwaiter().GetResult());
        }

        public static async Task<bool> FilesContentsAreEqualAsync(FileInfo fileInfo1, FileInfo fileInfo2)
        {
            if (fileInfo1 == null)
            {
                throw new ArgumentNullException(nameof(fileInfo1));
            }

            if (fileInfo2 == null)
            {
                throw new ArgumentNullException(nameof(fileInfo2));
            }

            if (string.Equals(fileInfo1.FullName, fileInfo2.FullName, StringComparison.OrdinalIgnoreCase))
            {
                return true;
            }

            if (fileInfo1.Length != fileInfo2.Length)
            {
                return false;
            }
            else
            {
                using (var file1 = fileInfo1.OpenRead())
                {
                    using (var file2 = fileInfo2.OpenRead())
                    {
                        return await StreamsContentsAreEqualAsync(file1, file2).ConfigureAwait(false);
                    }
                }
            }
        }

        private static async Task<int> ReadFullBufferAsync(Stream stream, byte[] buffer)
        {
            int bytesRead = 0;
            while (bytesRead < buffer.Length)
            {
                int read = await stream.ReadAsync(buffer, bytesRead, buffer.Length - bytesRead).ConfigureAwait(false);
                if (read == 0)
                {
                    // Reached end of stream.
                    return bytesRead;
                }

                bytesRead += read;
            }

            return bytesRead;
        }

        private static async Task<bool> StreamsContentsAreEqualAsync(Stream stream1, Stream stream2)
        {
            const int bufferSize = 1024 * sizeof(Int64);
            var buffer1 = new byte[bufferSize];
            var buffer2 = new byte[bufferSize];

            while (true)
            {
                int count1 = await ReadFullBufferAsync(stream1, buffer1).ConfigureAwait(false);
                int count2 = await ReadFullBufferAsync(stream2, buffer2).ConfigureAwait(false);

                if (count1 != count2)
                {
                    return false;
                }

                if (count1 == 0)
                {
                    return true;
                }

                int iterations = (int)Math.Ceiling((double)count1 / sizeof(Int64));
                for (int i = 0; i < iterations; i++)
                {
                    if (BitConverter.ToInt64(buffer1, i * sizeof(Int64)) != BitConverter.ToInt64(buffer2, i * sizeof(Int64)))
                    {
                        return false;
                    }
                }
            }
        }
    }
}
于 2017-11-21T20:31:58.027 回答
2

如果文件不是太大,您可以使用:

public static byte[] ComputeFileHash(string fileName)
{
    using (var stream = File.OpenRead(fileName))
        return System.Security.Cryptography.MD5.Create().ComputeHash(stream);
}

只有当散列对存储有用时,比较散列才是可行的。

(将代码编辑为更简洁的内容。)

于 2009-08-31T17:46:40.043 回答
2

我的实验表明,它确实有助于减少调用 Stream.ReadByte() 的次数,但使用 BitConverter 打包字节与比较字节数组中的字节并没有太大区别。

因此,可以用最简单的循环替换上面评论中的“Math.Ceiling 和迭代”循环:

            for (int i = 0; i < count1; i++)
            {
                if (buffer1[i] != buffer2[i])
                    return false;
            }

我想这与 BitConverter.ToInt64 在比较之前需要做一些工作(检查参数然后执行位移)这一事实有关,并且最终与比较两个数组中的 8 个字节的工作量相同.

于 2011-09-16T01:49:55.093 回答
1

对具有相同长度的大文件的另一个改进可能是不按顺序读取文件,而是比较或多或少的随机块。

您可以使用多个线程,从文件中的不同位置开始并向前或向后比较。

通过这种方式,您可以检测到文件中间/末尾的更改,比使用顺序方法更快。

于 2010-04-14T12:49:45.963 回答
1

如果您只需要比较两个文件,我想最快的方法是(在 C 中,我不知道它是否适用于 .NET)

  1. 打开两个文件 f1, f2
  2. 获取各自的文件长度 l1, l2
  3. 如果 l1 != l2 文件不同;停止
  4. mmap() 两个文件
  5. 在 mmap()ed 文件上使用 memcmp()

OTOH,如果您需要查找一组N个文件中是否存在重复文件,那么最快的方法无疑是使用哈希来避免N路逐位比较。

于 2011-12-12T09:17:12.973 回答
1

一些(希望)相当有效的东西:

public class FileCompare
{
    public static bool FilesEqual(string fileName1, string fileName2)
    {
        return FilesEqual(new FileInfo(fileName1), new FileInfo(fileName2));
    }

    /// <summary>
    /// 
    /// </summary>
    /// <param name="file1"></param>
    /// <param name="file2"></param>
    /// <param name="bufferSize">8kb seemed like a good default</param>
    /// <returns></returns>
    public static bool FilesEqual(FileInfo file1, FileInfo file2, int bufferSize = 8192)
    {
        if (!file1.Exists || !file2.Exists || file1.Length != file2.Length) return false;

        var buffer1 = new byte[bufferSize];
        var buffer2 = new byte[bufferSize];

        using (var stream1 = file1.Open(FileMode.Open, FileAccess.Read, FileShare.Read))
        {
            using (var stream2 = file2.Open(FileMode.Open, FileAccess.Read, FileShare.Read))
            {

                while (true)
                {
                    var bytesRead1 = stream1.Read(buffer1, 0, bufferSize);
                    var bytesRead2 = stream2.Read(buffer2, 0, bufferSize);

                    if (bytesRead1 != bytesRead2) return false;
                    if (bytesRead1 == 0) return true;
                    if (!ArraysEqual(buffer1, buffer2, bytesRead1)) return false;
                }
            }
        }
    }

    /// <summary>
    /// 
    /// </summary>
    /// <param name="array1"></param>
    /// <param name="array2"></param>
    /// <param name="bytesToCompare"> 0 means compare entire arrays</param>
    /// <returns></returns>
    public static bool ArraysEqual(byte[] array1, byte[] array2, int bytesToCompare = 0)
    {
        if (array1.Length != array2.Length) return false;

        var length = (bytesToCompare == 0) ? array1.Length : bytesToCompare;
        var tailIdx = length - length % sizeof(Int64);

        //check in 8 byte chunks
        for (var i = 0; i < tailIdx; i += sizeof(Int64))
        {
            if (BitConverter.ToInt64(array1, i) != BitConverter.ToInt64(array2, i)) return false;
        }

        //check the remainder of the array, always shorter than 8 bytes
        for (var i = tailIdx; i < length; i++)
        {
            if (array1[i] != array2[i]) return false;
        }

        return true;
    }
}
于 2016-03-29T17:36:53.887 回答
1

以下是一些实用功能,可让您确定两个文件(或两个流)是否包含相同的数据。

我提供了一个“快速”版本,它是多线程的,因为它使用 Tasks 比较不同线程中的字节数组(从每个文件中读取的内容填充的每个缓冲区)。

正如预期的那样,它更快(大约快 3 倍),但它消耗更多的 CPU(因为它是多线程的)和更多的内存(因为每个比较线程需要两个字节数组缓冲区)。

    public static bool AreFilesIdenticalFast(string path1, string path2)
    {
        return AreFilesIdentical(path1, path2, AreStreamsIdenticalFast);
    }

    public static bool AreFilesIdentical(string path1, string path2)
    {
        return AreFilesIdentical(path1, path2, AreStreamsIdentical);
    }

    public static bool AreFilesIdentical(string path1, string path2, Func<Stream, Stream, bool> areStreamsIdentical)
    {
        if (path1 == null)
            throw new ArgumentNullException(nameof(path1));

        if (path2 == null)
            throw new ArgumentNullException(nameof(path2));

        if (areStreamsIdentical == null)
            throw new ArgumentNullException(nameof(path2));

        if (!File.Exists(path1) || !File.Exists(path2))
            return false;

        using (var thisFile = new FileStream(path1, FileMode.Open, FileAccess.Read, FileShare.ReadWrite))
        {
            using (var valueFile = new FileStream(path2, FileMode.Open, FileAccess.Read, FileShare.ReadWrite))
            {
                if (valueFile.Length != thisFile.Length)
                    return false;

                if (!areStreamsIdentical(thisFile, valueFile))
                    return false;
            }
        }
        return true;
    }

    public static bool AreStreamsIdenticalFast(Stream stream1, Stream stream2)
    {
        if (stream1 == null)
            throw new ArgumentNullException(nameof(stream1));

        if (stream2 == null)
            throw new ArgumentNullException(nameof(stream2));

        const int bufsize = 80000; // 80000 is below LOH (85000)

        var tasks = new List<Task<bool>>();
        do
        {
            // consumes more memory (two buffers for each tasks)
            var buffer1 = new byte[bufsize];
            var buffer2 = new byte[bufsize];

            int read1 = stream1.Read(buffer1, 0, buffer1.Length);
            if (read1 == 0)
            {
                int read3 = stream2.Read(buffer2, 0, 1);
                if (read3 != 0) // not eof
                    return false;

                break;
            }

            // both stream read could return different counts
            int read2 = 0;
            do
            {
                int read3 = stream2.Read(buffer2, read2, read1 - read2);
                if (read3 == 0)
                    return false;

                read2 += read3;
            }
            while (read2 < read1);

            // consumes more cpu
            var task = Task.Run(() =>
            {
                return IsSame(buffer1, buffer2);
            });
            tasks.Add(task);
        }
        while (true);

        Task.WaitAll(tasks.ToArray());
        return !tasks.Any(t => !t.Result);
    }

    public static bool AreStreamsIdentical(Stream stream1, Stream stream2)
    {
        if (stream1 == null)
            throw new ArgumentNullException(nameof(stream1));

        if (stream2 == null)
            throw new ArgumentNullException(nameof(stream2));

        const int bufsize = 80000; // 80000 is below LOH (85000)
        var buffer1 = new byte[bufsize];
        var buffer2 = new byte[bufsize];

        var tasks = new List<Task<bool>>();
        do
        {
            int read1 = stream1.Read(buffer1, 0, buffer1.Length);
            if (read1 == 0)
                return stream2.Read(buffer2, 0, 1) == 0; // check not eof

            // both stream read could return different counts
            int read2 = 0;
            do
            {
                int read3 = stream2.Read(buffer2, read2, read1 - read2);
                if (read3 == 0)
                    return false;

                read2 += read3;
            }
            while (read2 < read1);

            if (!IsSame(buffer1, buffer2))
                return false;
        }
        while (true);
    }

    public static bool IsSame(byte[] bytes1, byte[] bytes2)
    {
        if (bytes1 == null)
            throw new ArgumentNullException(nameof(bytes1));

        if (bytes2 == null)
            throw new ArgumentNullException(nameof(bytes2));

        if (bytes1.Length != bytes2.Length)
            return false;

        for (int i = 0; i < bytes1.Length; i++)
        {
            if (bytes1[i] != bytes2[i])
                return false;
        }
        return true;
    }
于 2016-10-04T13:32:38.387 回答
0

我认为有些应用程序的“哈希”比逐字节比较要快。如果您需要将文件与其他文件进行比较或拥有可以更改的照片缩略图。这取决于它在哪里以及如何使用。

private bool CompareFilesByte(string file1, string file2)
{
    using (var fs1 = new FileStream(file1, FileMode.Open))
    using (var fs2 = new FileStream(file2, FileMode.Open))
    {
        if (fs1.Length != fs2.Length) return false;
        int b1, b2;
        do
        {
            b1 = fs1.ReadByte();
            b2 = fs2.ReadByte();
            if (b1 != b2 || b1 < 0) return false;
        }
        while (b1 >= 0);
    }
    return true;
}

private string HashFile(string file)
{
    using (var fs = new FileStream(file, FileMode.Open))
    using (var reader = new BinaryReader(fs))
    {
        var hash = new SHA512CryptoServiceProvider();
        hash.ComputeHash(reader.ReadBytes((int)file.Length));
        return Convert.ToBase64String(hash.Hash);
    }
}

private bool CompareFilesWithHash(string file1, string file2)
{
    var str1 = HashFile(file1);
    var str2 = HashFile(file2);
    return str1 == str2;
}

在这里,您可以得到最快的。

var sw = new Stopwatch();
sw.Start();
var compare1 = CompareFilesWithHash(receiveLogPath, logPath);
sw.Stop();
Debug.WriteLine(string.Format("Compare using Hash {0}", sw.ElapsedTicks));
sw.Reset();
sw.Start();
var compare2 = CompareFilesByte(receiveLogPath, logPath);
sw.Stop();
Debug.WriteLine(string.Format("Compare byte-byte {0}", sw.ElapsedTicks));

或者,我们可以将哈希值保存在数据库中。

希望这可以帮助

于 2016-04-26T04:33:10.443 回答
0

我发现这很有效,首先比较长度而不读取数据,然后比较读取的字节序列

private static bool IsFileIdentical(string a, string b)
{            
   if (new FileInfo(a).Length != new FileInfo(b).Length) return false;
   return (File.ReadAllBytes(a).SequenceEqual(File.ReadAllBytes(b)));
}
于 2016-10-25T09:15:55.977 回答
0

另一个答案来自@chsh。MD5 与文件相同的使用和快捷方式,文件不存在和不同的长度:

/// <summary>
/// Performs an md5 on the content of both files and returns true if
/// they match
/// </summary>
/// <param name="file1">first file</param>
/// <param name="file2">second file</param>
/// <returns>true if the contents of the two files is the same, false otherwise</returns>
public static bool IsSameContent(string file1, string file2)
{
    if (file1 == file2)
        return true;

    FileInfo file1Info = new FileInfo(file1);
    FileInfo file2Info = new FileInfo(file2);

    if (!file1Info.Exists && !file2Info.Exists)
       return true;
    if (!file1Info.Exists && file2Info.Exists)
        return false;
    if (file1Info.Exists && !file2Info.Exists)
        return false;
    if (file1Info.Length != file2Info.Length)
        return false;

    using (FileStream file1Stream = file1Info.OpenRead())
    using (FileStream file2Stream = file2Info.OpenRead())
    { 
        byte[] firstHash = MD5.Create().ComputeHash(file1Stream);
        byte[] secondHash = MD5.Create().ComputeHash(file2Stream);
        for (int i = 0; i < firstHash.Length; i++)
        {
            if (i>=secondHash.Length||firstHash[i] != secondHash[i])
                return false;
        }
        return true;
    }
}
于 2017-11-15T17:16:53.297 回答