Python filecmp是否进行精确比较?

Python filecmp是否进行精确比较?,python,python-3.x,file,compare,Python,Python 3.x,File,Compare,国家(强调地雷) 比较名为f1和f2的文件,如果它们看起来相等,则返回True,否则返回False。 如果为true,则具有相同签名的文件将被视为相等。否则,将比较文件的内容 这里什么意思?我的理解是,对于shallow=False来说,文件的内容是比较的,因此文件要么相同,要么不同;在顶部的filecmp模块的文档页面中有一个指向它的链接: def cmp(f1, f2, shallow=True): """Compare two files. A

国家(强调地雷)

比较名为f1和f2的文件,如果它们看起来相等,则返回
True
,否则返回
False

如果为true,则具有相同签名的文件将被视为相等。否则,将比较文件的内容


这里什么意思?我的理解是,对于
shallow=False
来说,文件的内容是比较的,因此文件要么相同,要么不同;在顶部的
filecmp
模块的文档页面中有一个指向它的链接:

def cmp(f1, f2, shallow=True):
    """Compare two files.
    Arguments:
    f1 -- First file name
    f2 -- Second file name
    shallow -- Just check stat signature (do not read the files).
               defaults to True.
    Return value:
    True if the files are the same, False otherwise.
    This function uses a cache for past comparisons and the results,
    with cache entries invalidated if their stat information
    changes.  The cache may be cleared by calling clear_cache().
    """

    s1 = _sig(os.stat(f1))
    s2 = _sig(os.stat(f2))
    if s1[0] != stat.S_IFREG or s2[0] != stat.S_IFREG:
        return False
    if shallow and s1 == s2:
        return True
    if s1[1] != s2[1]:
        return False

    outcome = _cache.get((f1, f2, s1, s2))
    if outcome is None:
        outcome = _do_cmp(f1, f2)
        if len(_cache) > 100:      # limit the maximum size of the cache
            clear_cache()
        _cache[f1, f2, s1, s2] = outcome
    return outcome

def _sig(st):
    return (stat.S_IFMT(st.st_mode),
            st.st_size,
            st.st_mtime)

def _do_cmp(f1, f2):
    bufsize = BUFSIZE
    with open(f1, 'rb') as fp1, open(f2, 'rb') as fp2:
        while True:
            b1 = fp1.read(bufsize)
            b2 = fp2.read(bufsize)
            if b1 != b2:
                return False
            if not b1:
                return True
是的,它会比较文件内容。

我曾经问过的问题的答案可能会为您澄清一些问题。