- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在尝试为我的 Django 应用程序使用的 View 编写单元测试。 View 本身通过自定义模型从数据库获取数据(下面 View 的代码片段)。
views.py
def calibrator_data(calid,code):
data = []
sources, times = zip(*DataSource.objects.filter(event__name=code).values_list('id','timestamp').order_by('timestamp'))
points = Datapoint.objects.filter(data__in=sources)
people = Decision.objects.filter(source__id=calid,planet__name=code,value='D',current=True).values_list('person__username',flat=True).distinct()
norm = dict((key,0) for key in sources)
for pid in people:
cal = []
sc = dict(points.filter(user__username=pid,pointtype='S').values_list('data__id','value'))
bg = dict(points.filter(user__username=pid,pointtype='B').values_list('data__id','value'))
c = dict(points.filter(user__username=pid,pointtype='C',coorder__source__id=calid).values_list('data__id','value'))
sc_norm = dict(norm.items() + sc.items())
bg_norm = dict(norm.items() + bg.items())
c_norm = dict(norm.items() + c.items())
for v in sources:
try:
cal.append((sc_norm[v]- bg_norm[v])/(c_norm[v] - bg_norm[v]))
except:
cal.append(0)
data.append(cal)
return data,[timegm(s.timetuple())+1e-6*s.microsecond for s in times],list(people)
以及我尝试编写的测试。
test_reduc.py
pytestmark = pytest.mark.django_db
@pytest.mark.django_db
class TestDataReduction(TestCase):
pytestmark = pytest.mark.django_db
################################################################################
############################ Testing calibrator_data ###########################
################################################################################
def test_calibrator_data(self):
mock_source = MagicMock(spec=DataSource)
mock_times = MagicMock(spec=DataSource)
mock_source.return_value = array([random.randint(0,10)])
mock_times.return_value = datetime.now()
mock_points = MagicMock(spec=Datapoint)
mock_points.user = []
mock_people = MagicMock(spec=Decision)
mock_people.data = []
calid = 22
code = 'corot2b'
self.output = calibrator_data(calid,code)
assert type(self.output[0])==type([])
测试不断失败,并出现以下错误:
=============================================== test session starts ===============================================
platform darwin -- Python 2.7.10 -- py-1.4.30 -- pytest-2.7.2
rootdir: /Users/tomasjames/Documents/citsciportal/app, inifile: pytest.ini
plugins: django
collected 1 items
agentex/tests/test_reduc.py F
==================================================== FAILURES =====================================================
_____________________________________ TestDataReduction.test_calibrator_data ______________________________________
self = <agentex.tests.test_reduc.TestDataReduction testMethod=test_calibrator_data>
def test_calibrator_data(self):
mock_source = MagicMock(spec=DataSource)
mock_times = MagicMock(spec=DataSource)
mock_source.return_value = array([random.randint(0,10)])
mock_times.return_value = datetime.now()
mock_points = MagicMock(spec=Datapoint)
mock_points.user = []
mock_people = MagicMock(spec=Decision)
mock_people.data = []
calid = 22
code = 'corot2b'
> self.output = calibrator_data(calid,code)
agentex/tests/test_reduc.py:51:
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
calid = 22, code = 'corot2b'
def calibrator_data(calid,code):
data = []
> sources, times = zip(*DataSource.objects.filter(event__name=code).values_list('id','timestamp').order_by('timestamp'))
E ValueError: need more than 0 values to unpack
agentex/datareduc.py:56: ValueError
============================================ 1 failed in 7.69 seconds =============================================
这是我第一次尝试编写任何类型的测试(正如您可能看到的那样),这是一个具有挑战性的测试。我认为出现错误是因为 views.py 仍在尝试访问测试环境中的数据库(使用空白数据库运行) - 计时似乎证实了这一点。然而,我试图 mock 变量来源、时间、点和人的尝试似乎没有奏效。我尝试将它们分配给我知道数据库查询产生的变量,以节省模拟整个数据库/查询集的麻烦。
这是实现测试的错误方法吗?我无法发现我哪里出错了。
提前致谢!
最佳答案
您错过了使用模拟来覆盖方法的一个关键组成部分。您需要使用模拟作为方法装饰器来基本上猴子匹配您的方法,以便能够执行您想要的操作。
你会想要写一些看起来像这样的东西。 (注意:根本没有测试过这个,但应该会引导您走向正确的方向)。
@pytest.mark.django_db
class TestDataReduction(TestCase):
@mock.patch(your_module.xyz.DataSource)
@mock.patch(your_module.xyz.Datapoint)
@mock.patch(your_module.xyz.Decision)
def test_calibrator_data(self, mock_source, mock_points,
mock_people):
mock_source.objects.filter.return_value.values.return_value.order_by.return_value = [array([random.randint(0,10)]), datetime.now()]
mock_points.objects.filter.return_value = []
mock_people.objects.filter.values_list.return_value.distinct.return_value = []
calid = 22
code = 'corot2b'
self.output = calibrator_data(calid,code)
assert type(self.output[0])==type([])
您还需要模拟您希望将返回值作为对 points.filter
的多次调用的内容。做到这一点的一种方法是使用副作用。这里有一个很好的例子:https://stackoverflow.com/a/7665754/2022511
除了您已经看过的我的文章 ( https://www.chicagodjango.com/blog/quick-introduction-mock/ ) 之外,此博文中还有有关使用 mock.patch
的更多信息: http://fgimian.github.io/blog/2014/04/10/using-the-python-mock-library-to-fake-regular-functions-during-tests/
关于python - 使用 Pytest 和 Mock 测试查询数据库的 View ,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/32252162/
我需要在整体超时的情况下停止测试用例,而不是在测试用例级别。 所以如果让我说我有 300 个测试用例,我想超时,总时间为 300 秒。 有没有办法做到这一点? 用于运行 pytest 的示例命令 py
我会默认使用一些参数( -n 2 )运行 pytest 但如果我只输入 pytest ... ,我不希望默认使用该参数直接运行pytest。这可能吗? 如果我包括这个: [pytest] addopt
给定以下模型: import pytest class DummyFile(pytest.File): def collect(self): yield DummyItem(s
对于 pytest,我正在使用库 pytest-dependency 设置依赖项.我还为这些测试添加了标记。这是一个 ECM: # test_test.py import pytest @pytest
我想使用逻辑来控制我的测试的顺序,这将在它们已经运行时动态重新排序它们。 我的用例是这样的:我正在使用 xdist 并行化我的测试,并且每个测试都使用来自公共(public)和有限池的外部资源。一些测
我需要标记要跳过的某些测试。但是,有些测试是参数化的,我只需要能够跳过某些场景。 我使用 py.test -m "hermes_only" 调用测试或 py.test -m "not hermes_o
问题是我给定的 fixture 函数具有外部依赖性,这会导致“错误”(例如无法访问的网络/资源不足等)。 我想跳过 fixture ,然后跳过任何依赖于该 fixture 的测试。 做这样的事情是行不
我正在试用 pytest首次。我如何抑制发出的关于我的代码所依赖的其他人的代码的警告而不抑制关于我自己的代码的警告? 现在我的 pytest.ini 中有这个所以我不必看到 pytest 警告我关于
我试图跳过依赖于命令行参数值的特定测试。我尝试使用 pytest.config.getoption("--some-custom-argument") 获取参数值就像这里描述的一样 related q
我目前使用的是 python 3.5.1 和 3.6 以及最新版本的 pytest。当使用参数化测试运行 pytest 时,我希望任何失败的测试仅显示失败的测试,而不是参数化测试的所有设置。 解释一下
在我的测试套件中,我有一些数据生成装置,用于许多参数化测试。其中一些测试希望这些装置在每个 session 中只运行一次,而另一些则需要它们运行每个功能。例如,我可能有一个类似于: @pytest.f
我想在运行时获取测试名称和测试结果。 我有 setup和 tearDown我的脚本中的方法。在 setup ,我需要获取测试名称,并在 tearDown我需要得到测试结果和测试执行时间。 有没有办法我
有没有办法在 PyTest fixture 中定义标记? 当我指定 -m "not slow" 时,我试图禁用慢速测试在 pytest 中。 我已经能够禁用单个测试,但不能禁用用于多个测试的 fixt
我最低限度地使用 pytest 作为针对工作中各种 API 产品的大型自动化集成测试的通用测试运行器,并且我一直在尝试寻找一个同样通用的拆卸函数示例,该函数在任何测试完成时运行,无论成功或失败。 我的
即使在写入管道时,如何强制 pytest 以颜色显示结果?似乎没有任何命令行选项可以这样做。 最佳答案 从 2.5.0 开始,py.test 有选项 --color=yes 从 2.7.0 开始,还应
作为一组更大的测试的一小部分,我有一套测试函数,我想在每个对象列表上运行。基本上,我有一组插件和一组“插件测试”。 天真地,我可以只列出一个带有插件参数的测试函数列表和一个插件列表,然后进行测试,我在
我想为 pytest-xdist 产生的每个子进程/网关创建一个单独的日志文件。是否有一种优雅的方法可以找出 pytest 当前所在的子进程/网关?我正在使用位于 conftest.py 的 sess
我的测试脚本如下 @pytest.fixture(scope="Module", Autouse="True") def setup_test(): ....................
我正在尝试像这样参数化我的类测试: @pytest.mark.parametrize('current_user', ["test_profile_premium", "test_profile_fr
我不明白如何正确运行一个简单的测试(功能文件和 python 文件) 与图书馆 pytest-bdd . 来自官方documentation ,我无法理解要发出什么命令来运行测试。 我尝试使用 pyt
我是一名优秀的程序员,十分优秀!