2

我有两个相同问题的测试方法,这是主类中的原始方法:

def get_num_words(self, word_part):
    """ 1 as default, may want 0 as an invalid case """
    if word_part[3] == '0a':
        self.num_words = 10
    else:
        self.num_words = int(word_part[3])
    return self.num_words

def get_num_pointers(self, before_at):
    self.num_pointers = int(before_at.split()[-1])
    return self.num_pointers

这是两个测试类:

def test_get_num_words(self):
    word_part = ['13797906', '23', 'n', '04', 'flood', '0', 'inundation', '0', 'deluge', '0', 'torrent', '0', '005', '@', '13796604', 'n', '0000', '+', '00603894', 'a', '0401', '+', '00753137', 'v', '0302', '+', '01527311', 'v', '0203', '+', '02361703', 'v', '0101', '|', 'an', 'overwhelming', 'number', 'or', 'amount;', '"a', 'flood', 'of', 'requests";', '"a', 'torrent', 'of', 'abuse"']
    expected = 04
    real = self.wn.get_num_words(word_part)
    for r, a in zip(real, expected):
        self.assertEqual(r, a)

def test_get_num_pointers(self):
    before_at = '13797906 23 n 04 flood 0 inundation 0 deluge 0 torrent 0 005'
    expected = 5
    real = self.wn.get_num_pointers(before_at)
    for r, a in zip(real, expected):
        self.assertEqual(r, a)

这是他们给出的错误:TypeError: zip argument #1 must support iteration 程序完全运行,这是仅有的 2 个测试在 20 个不同的测试中不起作用。

4

3 回答 3

6

您的gen_num_pointers()andgen_num_words()方法返回一个整数。zip()只能使用序列(列表、集合、元组、字符串、迭代器等)

你根本不需要zip()在这里打电话;您正在针对另一个整数测试一个整数:

def test_get_num_words(self):
    word_part = ['13797906', '23', 'n', '04', 'flood', '0', 'inundation', '0', 'deluge', '0', 'torrent', '0', '005', '@', '13796604', 'n', '0000', '+', '00603894', 'a', '0401', '+', '00753137', 'v', '0302', '+', '01527311', 'v', '0203', '+', '02361703', 'v', '0101', '|', 'an', 'overwhelming', 'number', 'or', 'amount;', '"a', 'flood', 'of', 'requests";', '"a', 'torrent', 'of', 'abuse"']
    self.assertEqual(4, self.wn.get_num_words(word_part))

def test_get_num_pointers(self):
    before_at = '13797906 23 n 04 flood 0 inundation 0 deluge 0 torrent 0 005'
    self.assertEqual(5, self.wn.get_num_pointers(before_at))

很多。

您还希望避免0在整数文字上使用前导。04被解释为八进制数;如果您不得不将该数字更改为使用更多数字,或者使用 0-7 范围之外的数字,您会大吃一惊:

>>> 010
8
>>> 08
  File "<stdin>", line 1
    08
     ^
SyntaxError: invalid token
于 2013-07-02T10:59:41.103 回答
2

您的测试应如下所示:

def test_get_num_pointers(self):
    before_at = '13797906 23 n 04 flood 0 inundation 0 deluge 0 torrent 0 005'
    expected = 5
    real = self.wn.get_num_pointers(before_at)
    self.assertEqual(real, expected)

只有for在断言多个值时使用循环才有意义。

于 2013-07-02T11:01:24.903 回答
1

该错误解释了发生了什么: zip 的参数需要是可迭代的(即列表、元组或其他您可以实际迭代的东西)。您正在传递整数,即单个数字。

我不确定您通过调用 zip 究竟想做什么,但也许您只是想直接比较真实和预期?

于 2013-07-02T11:00:12.887 回答