test_onwer_search.py:35 (TestOwnerSearch.test_search_none[avis]) self = <tests.petclinic.test_owner.test_onwer_search.TestOwnerSearch object at 0x00000167CA97D2D0> keyword = 'avis' @pytest.mark.parametrize('keyword',[ 'balck', 'avis' ]) def test_search_none(self,keyword): msg = self.owner_page.search_none(keyword) > assert 'No owners' in msg E TypeError: argument of type 'NoneType' is not iterable test_onwer_search.py:42: TypeError
时间: 2024-03-21 09:43:51 浏览: 63
github-status-action
这个错误意味着在第35行中的 `self.owner_page.search_none(keyword)` 返回了 None,而不是一个可以迭代的对象。因此,在第42行中的 `'No owners' in msg` 中引发了 TypeError。你需要检查 `search_none` 方法是否正确地返回了一个字符串,或者在测试用例中添加必要的检查以避免这种情况。
如果 `search_none` 方法返回 None,则你需要检查该方法的实现并确保它始终返回一个字符串。你可以尝试在该方法的末尾添加以下代码:
```
def search_none(self, lastname) -> str:
# your existing code here
if not owners:
return 'No owners'
# any other existing code here
return ''
```
这样,如果无论什么原因导致该方法没有返回字符串,它也不会返回 None,并且测试用例将不会引发 TypeError。
或者,你可以在测试用例中添加一个检查以避免 TypeError:
```
@pytest.mark.parametrize('keyword',[
'balck',
'avis'
])
def test_search_none(self, keyword):
msg = self.owner_page.search_none(keyword)
if msg is not None:
assert 'No owners' in msg
```
这个测试用例添加了一个条件语句,用于检查返回的消息是否为 None。如果是 None,则测试用例将直接通过。否则,它将检查消息是否包含字符串 "No owners"。这样,即使 `search_none` 方法返回 None,测试用例也不会引发 TypeError。
阅读全文