1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173
|
from __future__ import print_function
from __future__ import absolute_import
import argparse
from timeit import repeat
from django.test import TestCase, Client, override_settings
from rest_framework.test import APIRequestFactory
from tests.perf import views
from tests.testapp import models
client = Client()
factory = APIRequestFactory()
# parse command verbosity level & use for results output
parser = argparse.ArgumentParser()
parser.add_argument(
'-v', '--verbosity', action='store', dest='verbosity', default=1,
type=int, choices=[0, 1, 2, 3],
)
args, _ = parser.parse_known_args()
verbosity = args.verbosity
class PerfTestMixin(object):
"""
This mixin provides common setup for testing the performance differences
between django-filter and django-rest-framework-filters. A callable for
each implementation should be generated that will return semantically
equivalent results.
"""
iterations = 1000
repeat = 5
threshold = 1.0
label = None
@classmethod
def setUpTestData(cls):
bob = models.User.objects.create(username='bob')
joe = models.User.objects.create(username='joe')
models.Note.objects.create(author=bob, title='Note 1')
models.Note.objects.create(author=bob, title='Note 2')
models.Note.objects.create(author=joe, title='Note 3')
models.Note.objects.create(author=joe, title='Note 4')
def get_callable(self, *args):
"""
Returns the callable and callable's *args to be used for each test
iteration. The performance of the callable is what is under test.
"""
raise NotImplementedError
def django_filter_args(self):
"""
Arguments passed to `get_callable()` in order to create
django-filter test iterations.
"""
raise NotImplementedError
def rest_framework_filters_args(self):
"""
Arguments passed to `get_callable()` in order to create
django-rest-framework-filters test iterations.
"""
raise NotImplementedError
def validate_result(self, result):
"""
Provides the validation logic that the sanity test uses to check
its test call results against.
Since the calls for both implementations must be comparable or
at least semantically equivalent, this method should validate
both results.
"""
raise NotImplementedError
def test_sanity(self):
# sanity check to ensure the call results are valid
call, args = self.get_callable(*self.django_filter_args())
self.validate_result(call(*args))
call, args = self.get_callable(*self.rest_framework_filters_args())
self.validate_result(call(*args))
def test_performance(self):
call, args = self.get_callable(*self.django_filter_args())
df_time = min(repeat(
lambda: call(*args),
number=self.iterations,
repeat=self.repeat,
))
call, args = self.get_callable(*self.rest_framework_filters_args())
drf_time = min(repeat(
lambda: call(*args),
number=self.iterations,
repeat=self.repeat,
))
diff = (drf_time - df_time) / df_time * 100.0
if verbosity >= 2:
print('\n' + '-' * 32)
print('%s performance' % self.label)
print('django-filter time:\t%.4fs' % df_time)
print('drf-filters time:\t%.4fs' % drf_time)
print('performance diff:\t%+.2f%% ' % diff)
print('-' * 32)
self.assertTrue(drf_time < (df_time * self.threshold))
class FilterBackendTests(PerfTestMixin, TestCase):
"""
How much faster or slower is drf-filters than django-filter?
"""
threshold = 1.5
label = 'Filter Backend'
def get_callable(self, view_class):
view = view_class(action_map={'get': 'list'})
request = factory.get('/', data={'author__username': 'bob'})
request = view.initialize_request(request)
backend = view.filter_backends[0]
call = backend().filter_queryset
args = [
request, view.get_queryset(), view,
]
return call, args
def django_filter_args(self):
return [views.DFNoteViewSet]
def rest_framework_filters_args(self):
return [views.DRFFNoteViewSet]
def validate_result(self, qs):
self.assertEqual(qs.count(), 2)
@override_settings(ROOT_URLCONF='tests.perf.urls')
class WSGIResponseTests(PerfTestMixin, TestCase):
"""
How much does drf-filters affect the request/response cycle?
This includes response rendering, which provides a more practical
picture of the performance costs of using drf-filters.
"""
threshold = 1.3
label = 'WSGI Response'
def get_callable(self, url):
call = self.client.get
args = [
url, {'author__username': 'bob'},
]
return call, args
def django_filter_args(self):
return ['/df-notes/']
def rest_framework_filters_args(self):
return ['/drf-notes/']
def validate_result(self, response):
self.assertEqual(response.status_code, 200, response.content)
self.assertEqual(len(response.data), 2)
|