import difflib
lines1 = '''
dog
cat
bird
buffalo
gophers
hound
horse
'''.strip().splitlines()
lines2 = '''
cat
dog
bird
buffalo
gopher
horse
mouse
'''.strip().splitlines()
# Changes:
# swapped positions of cat and dog
# changed gophers to gopher
# removed hound
# added mouse
for line in difflib.unified_diff(lines1, lines2, fromfile='file1', tofile='file2', lineterm=''):
print line
输出以下内容:
--- file1
+++ file2
@@ -1,7 +1,7 @@
+cat
dog
-cat
bird
buffalo
-gophers
-hound
+gopher
horse
+mouse
此差异为您提供上下文 - 周围的行以帮助清楚文件的不同之处。您可以在此处看到两次“猫”,因为它是从“狗”下方删除并添加到其上方的。
您可以使用 n=0 删除上下文。
for line in difflib.unified_diff(lines1, lines2, fromfile='file1', tofile='file2', lineterm='', n=0):
print line
输出这个:
--- file1
+++ file2
@@ -0,0 +1 @@
+cat
@@ -2 +2,0 @@
-cat
@@ -5,2 +5 @@
-gophers
-hound
+gopher
@@ -7,0 +7 @@
+mouse
但现在它充满了“@@”行,告诉您文件中已更改的位置。让我们删除多余的行以使其更具可读性。
for line in difflib.unified_diff(lines1, lines2, fromfile='file1', tofile='file2', lineterm='', n=0):
for prefix in ('---', '+++', '@@'):
if line.startswith(prefix):
break
else:
print line
给我们这个输出:
+cat
-cat
-gophers
-hound
+gopher
+mouse
现在你想让它做什么?如果您忽略所有已删除的行,那么您将看不到“猎犬”已被删除。如果您很高兴只显示文件的添加内容,那么您可以这样做:
diff = difflib.unified_diff(lines1, lines2, fromfile='file1', tofile='file2', lineterm='', n=0)
lines = list(diff)[2:]
added = [line[1:] for line in lines if line[0] == '+']
removed = [line[1:] for line in lines if line[0] == '-']
print 'additions:'
for line in added:
print line
print
print 'additions, ignoring position'
for line in added:
if line not in removed:
print line
输出:
additions:
cat
gopher
mouse
additions, ignoring position:
gopher
mouse
您现在可能已经知道有多种方法可以“打印两个文件的差异”,因此如果您需要更多帮助,您需要非常具体。