给定两个矩形r1和r2,我试着测试两者是否相交。 为什么以下两个函数不能产生相同的输出?
功能1:
def separate_helper(r1, r2):
r1_left, r1_top, r1_right, r1_bottom = r1
r2_left, r2_top, r2_right, r2_bottom = r2
if r1_right < r2_left:
separate = True
elif r1_left > r2_right:
separate = True
elif r1_top > r2_bottom:
separate = True
elif r1_bottom < r2_top:
separate = True
elif contains(r1, r2):
separate = False
else:
separate = False
return separate
功能2:
def separate_helper2(r1, r2):
r1_left, r1_top, r1_right, r1_bottom = r1
r2_left, r2_top, r2_right, r2_bottom = r2
separate = r1_right < r2_left or \
r1_left > r2_right or \
r1_top > r2_bottom or \
r1_bottom < r2_top or \
not contains(r1, r2)
return separate
检查矩形1是否包含矩形2的函数:
def contains(r1, r2):
r1_left, r1_top, r1_right, r1_bottom = r1
r2_left, r2_top, r2_right, r2_bottom = r2
return r1_right >= r2_right and r1_left <= r2_left and r1_top <= r2_top and r1_bottom >= r2_bottom
以下是失败的测试用例:
断言separate_helper([29,35,53,90],[23,47,90,86])== separate_helper2([29,35,53,90],[23,47,90,86])
只有当矩形1包含矩形2时它才会失败,但我无法绕过原因。
修改
我正在使用quickcheck for Python和nose来测试该函数。这是我正在使用的测试代码:
from qc import forall, lists, integers
from intersect import separate_helper, separate_helper2
@forall(tries=100, r1=lists(items=integers(), size=(4, 4)), r2=lists(items=integers(), size=(4, 4)))
def test_separate(r1, r2):
assert separate_helper(r1, r2) == separate_helper2(r1, r2)
答案 0 :(得分:3)
看看你的第一个版本:
elif contains(r1, r2):
separate = False
else:
separate = False
假设您完成了所有正确的交叉情况,这将返回False
r1
是否包含r2
。
但是在你的第二个版本中:
... or \
not contains(r1, r2)
这将返回False
r1
不包含r2
,但True
不包含。{/ p>
因此,当矩形1包含矩形2时,它们正在做不同的事情。
作为一个附带问题:为什么包含r1
的{{1}}会从包含r2
的{{1}}返回不同的结果?