Slide 1

Slide 1 text

Mock considered harmful Boris FELD - Pycon FR 2015

Slide 2

Slide 2 text

Let’s test def send_billing_email(): last_month = datetime.date.today() - datetime.timedelta(month=1) for user in USERS.find(is_active=True, last_paid__lt=last_month): UserEmailer.send(user, 'billing_reminder')

Slide 3

Slide 3 text

Let’s unit test it! Test UserEmailer Users • Faster to run • Easier to write • Devs are eager to write tests

Slide 4

Slide 4 text

How to test it? class TestBillingEmail(unittest.TestCase): @patch('code.USERS') @patch('code.UserEmailer') def test_send_billing_email(self, user_email_patch, users_patch): users = [sentinel.USER1, sentinel.USER2] users_patch.find.return_value = users code.send_billing_email() last_month = datetime.date.today() - datetime.timedelta(days=30) self.assertEqual(users_patch.find.call_args_list, [call(is_active=True, last_paid__lt=last_month)]) self.assertEqual(user_email_patch.send.call_args_list, [call(users[0], 'billing_reminder'), call(users[1], 'billing_reminder')])

Slide 5

Slide 5 text

Good? • Fast to run ✓ • Easy to write ✓ • Devs are eager to write tests ✓

Slide 6

Slide 6 text

All good • Add more tests • Add more code • Enjoy!

Slide 7

Slide 7 text

Start refactoring • Change parameters order • Forbid a parameter value • Change output format • Add a new parameter • Add a new parameter with default value • Rename method

Slide 8

Slide 8 text

Bug in production • But it’s tested, right?! • Argh, f*cking Mock hides the bug

Slide 9

Slide 9 text

Why?

Slide 10

Slide 10 text

Take a look back class TestBillingEmail(unittest.TestCase): @patch('code.USERS') @patch('code.UserEmailer') def test_send_billing_email(self, user_email_patch, users_patch): users = [sentinel.USER1, sentinel.USER2] users_patch.find.return_value = users code.send_billing_email() last_month = datetime.date.today() - datetime.timedelta(days=30) self.assertEqual(users_patch.find.call_args_list, [call(is_active=True, last_paid__lt=last_month)]) self.assertEqual(user_email_patch.send.call_args_list, [call(users[0], 'billing_reminder'), call(users[1], 'billing_reminder')])

Slide 11

Slide 11 text

Coupling

Slide 12

Slide 12 text

Test design • Test should not break if: • USERS changes its API • UserEmailer changes its API • => Change detector tests

Slide 13

Slide 13 text

Mock considered harmful

Slide 14

Slide 14 text

The big lie

Slide 15

Slide 15 text

Mock utilizations considered harmful

Slide 16

Slide 16 text

- Wikipedia « In a unit test, mock objects can simulate the behavior of complex, real objects and are therefore useful when a real object is impractical or impossible to incorporate into a unit test. »

Slide 17

Slide 17 text

Four common usage of Mock • Test internal implementation, Cache system. • Simulate some weird errors, network errors. • Reduce randomness. • « Light-weight » test double for DB, Network, Disk.

Slide 18

Slide 18 text

With great powers…

Slide 19

Slide 19 text

Side-effect • As it test behaviors, it couples the test to the mocked object contract. • The test will fail every time the contract is changed. • The test may pass while real code breaks due to refactoring. • « White-box » testing with monkey patching.

Slide 20

Slide 20 text

White-box testing Test Inputs White box testing Test Outputs

Slide 21

Slide 21 text

Black box testing Test Inputs White box testing Test Outputs Black box testing

Slide 22

Slide 22 text

Ideal black-box test • For a given « SUT », given a set of input, we could assert the state of outputs. • => Functional programming

Slide 23

Slide 23 text

How to test it then? • Two patterns: • Dependency Injection • Interface Testing

Slide 24

Slide 24 text

- James Shore « Dependency injection means giving an object its instance variables. Really. That's it. »

Slide 25

Slide 25 text

Let’s try again def send_billing_email(user_model=USERS, user_emailer=UserEmailer): last_month = datetime.date.today() - datetime.timedelta(days=30) for user in user_model.find(is_active=True, last_paid__lt=last_month): user_emailer.send(user, 'billing_reminder') class TestBillingEmail(unittest.TestCase): def test_send_billing_email(self): users_mock = Mock() users = [sentinel.USER1, sentinel.USER2] users_mock.find.return_value = users user_emailer_mock = Mock() code.send_billing_email(users_mock, user_emailer_mock) last_month = datetime.date.today() - datetime.timedelta(days=30) self.assertEqual(users_mock.find.call_args_list, [call(is_active=True, last_paid__lt=last_month)]) self.assertEqual(user_emailer_mock.send.call_args_list, [call(users[0], 'billing_reminder'), call(users[1], 'billing_reminder')])

Slide 26

Slide 26 text

A little better

Slide 27

Slide 27 text

Design • The function need to get back filtered Users: • And send an Email to each user: user_model.find(is_active=True, last_paid__lt=last_month) user_emailer.send(user, 'billing_reminder')

Slide 28

Slide 28 text

Contract based dependencies • Think about replaceable dependencies • If it implements the contract… • We can interchange them • As if they were plugin or micro-services

Slide 29

Slide 29 text

Create a test per interface class _BaseUserModelTestCase(unittest.TestCase): def setUp(self): self.model = self.get_model() def test_insert(self): user = {'username': 'bfe'} self.model.insert(user) self.assertEqual(self.model.list(), [user]) def test_filter(self): users = [{'username': 'bfe', 'post': 42}, {'username': 'ohe', 'post': 25}] self.model.insert(users[0]) self.model.insert(users[1]) self.assertEqual(self.model.list(), users) self.assertEqual(self.model.find(username='bfe'), users[0]) self.assertEqual(self.model.find(post__lt=40), users[1])

Slide 30

Slide 30 text

Then a test per implementation class DBUserModelTestCase(_BaseUserModelTestCase): def get_model(self): return USERS class StubUserModelTestCase(_BaseUserModelTestCase): def get_model(self): return StubUserModel()

Slide 31

Slide 31 text

For reference, test implementation class StubUserModel(object): OPERATORS = { None: operator.eq, 'lt': operator.lt } def __init__(self): self.users = [] def insert(self, user): self.users.append(user) def list(self): return self.users def find(self, **kwargs): matching_users = [] for user in self.users: matching = True for kwarg, value in kwargs.items(): field = kwarg.split('__') if len(field) == 1: operator = None else: operator = field[1] if not self.OPERATORS[operator](user.get(field[0]), value): matching = False if matching: matching_users.append(user) return matching_users

Slide 32

Slide 32 text

And emailer class _BaseUserEmailerTestCase(unittest.TestCase): def setUp(self): self.user_emailer = self.get_user_emailer() def test_send(self): user = {'username': 'bfe'} topic = 'test_topic' self.user_emailer(user, topic) self.assertMailSent(user, topic) self.assertNotMailSent(user, topic)

Slide 33

Slide 33 text

Implementations tests class ImapUserEmailerTestCase(_BaseUserEmailerTestCase): def get_user_emailer(self): return UserEmailer(settings.LOCAL_IMAP_SERVER) class TestUserEmailerTestCase(_BaseUserEmailerTestCase): def get_user_emailer(self): return TestUserEmailer()

Slide 34

Slide 34 text

Test double implementation class TestUserEmailer(object): def __init__(self): self.sent_emails = [] def send(self, user, topic): self.sent_emails.append((user, topic)) def assertMailSent(self, user, topic): return (user, topic) in self.sent_emails def assertNotMailSent(self, user, topic): return not self.assertMailSent(user, topic)

Slide 35

Slide 35 text

And now? class TestBillingEmail(unittest.TestCase): def test_send_billing_email(self): model = StubUserModel() emailer = TestUserEmailer() # Fixtures one_month_ago = date.today() - timedelta(days=30) valid_user = {'username': 'bfe', 'is_active': True, 'last_paid': one_month_ago + timedelta(days=2)} inactive_user = {'username': 'foo', 'is_active': False, 'last_paid': one_month_ago - timedelta(days=2)} bad_payer_user = {'username': 'foo', 'is_active': True, 'last_paid': one_month_ago - timedelta(days=2)} for u in [valid_user, inactive_user, bad_payer_user]: model.insert(u) code.send_billing_email(model, emailer) emailer.assertMailSent(bad_payer_user, 'billing_reminder')

Slide 36

Slide 36 text

Result • Less coupled to implementation • More friendly to refactoring • More lines of tests

Slide 37

Slide 37 text

Both models are worth it • Different needs • Mocks are cheaper • But stub requires less maintenance

Slide 38

Slide 38 text

Different design approachs • Mock is good for top-down approach • London-Style, mockist-style • Stubs is good for bottom-up approach • Chicago school, classic TDD • Both are complementary

Slide 39

Slide 39 text

Reflexion • « Interface » testing is good for design reflexion, how I want to call it and how the state is changed? • Helps to have modular design and clear contract.

Slide 40

Slide 40 text

Intermediary • Code call a proxy: • Which will forward to a real object for production • Or a STUB in tests • Ex: Django email backends / password backends • => django-nopassword

Slide 41

Slide 41 text

Thank you ! • http://googletesting.blogspot.fr/2015/01/testing- on-toilet-change-detector-tests.html