SlideShare uma empresa Scribd logo
1 de 89
Baixar para ler offline
Django Testing
                              Eric Holscher
                         http://ericholscher.com




Tuesday, May 5, 2009                               1
How do you know?

                • First 4 months of my job was porting and testing
                       Ellington

                • Going from Django r1290 to Django 1.0.
                • Suite from 0 to 400 tests.




Tuesday, May 5, 2009                                                 2
30,000 Ft View

                • State of testing in Django
                • Why you should be testing
                • How you start testing
                • Useful tools
                • Eventual Goals



Tuesday, May 5, 2009                           3
State of Django Testing



Tuesday, May 5, 2009                             4
assertTrue('Hello World', community.testing.status)


Tuesday, May 5, 2009                                                         5
Django 1.1

                       Making Testing Possible since 2009




Tuesday, May 5, 2009                                        6
manage.py startapp
                        creates a tests.py



Tuesday, May 5, 2009                         7
from django.test import TestCase

   class SimpleTest(TestCase):
       def test_basic_addition(self):
           quot;quot;quot;
           Tests that 1 + 1 always equals 2.
           quot;quot;quot;
           self.failUnlessEqual(1 + 1, 2)

   __test__ = {quot;doctestquot;: quot;quot;quot;
   Another way to test that 1 + 1 is equal to 2.

   >>> 1 + 1 == 2
   True
   quot;quot;quot;}




Tuesday, May 5, 2009                               8
Fast Tests
                       (Transactions)



Tuesday, May 5, 2009                    9
Minutes (Lower is better)

                                          Ellington Test Speedup
                       60




                       45




                       30




                       15




                        0
                            Django 1.0                               Django 1.1



Tuesday, May 5, 2009                                                              10
You now have no excuse.



Tuesday, May 5, 2009                       11
Why to test



Tuesday, May 5, 2009                 12
Scary
Tuesday, May 5, 2009           13
Less Scary
Tuesday, May 5, 2009                14
Not Scary
Tuesday, May 5, 2009               15
Peace of Mind
Tuesday, May 5, 2009                   16
Code must adapt



Tuesday, May 5, 2009                     17
“It is not the strongest of
                       the species that survives, nor
                        the most intelligent, but the
                          one most responsive to
                                   change.”
                             - Charles Darwin


Tuesday, May 5, 2009                                    18
Won’t somebody please
                        think of the users?!



Tuesday, May 5, 2009                           19
Tests as Documentation




Tuesday, May 5, 2009                            20
Tests as Documentation

                             Test driven development
                                       +
                         Document driven development
                                       =
                          Test Driven Documentation



Tuesday, May 5, 2009                                   20
“Code without tests is
                        broken as designed”
                        - Jacob Kaplan-Moss


Tuesday, May 5, 2009                            21
Dizzying Array of Testing
                               Options



Tuesday, May 5, 2009                               22
What kind of test?


                • doctest
                • unittest




Tuesday, May 5, 2009                         23
Doctests

                • Inline documentation
                • <Copy from terminal to test file>
                • Can’t use PDB
                • Hide real failures
                • “Easy”



Tuesday, May 5, 2009                                 24
def parse_ttag(token, required_tags):
       quot;quot;quot;
       A function to parse a template tag.

         It sets the name of the tag to 'tag_name' in the hash returned.

         >>> from test_utils.templatetags.utils import parse_ttag
         >>> parse_ttag('super_cool_tag for my_object as obj', ['as'])
         {'tag_name': u'super_cool_tag', u'as': u'obj'}
         >>> parse_ttag('super_cool_tag for my_object as obj', ['as', 'for'])
         {'tag_name': u'super_cool_tag', u'as': u'obj', u'for': u'my_object'}

         quot;quot;quot;
         bits = token.split(' ')
         tags = {'tag_name': bits.pop(0)}
         for index, bit in enumerate(bits):
             bit = bit.strip()
             if bit in required_tags:
                 if len(bits) != index-1:
                     tags[bit] = bits[index+1]
         return tags




Tuesday, May 5, 2009                                                            25
Unit Tests

                • Use for everything else
                • More rubust
                • setUp and tearDown
                • Standard (XUnit)




Tuesday, May 5, 2009                          26
import random
   import unittest

   class TestRandom(unittest.TestCase):

         def setUp(self):
             self.seq = range(10)

         def testshuffle(self):
             # make sure the shuffled sequence does not lose any elements
             random.shuffle(self.seq)
             self.seq.sort()
             self.assertEqual(self.seq, range(10))

   if __name__ == '__main__':
       unittest.main()




Tuesday, May 5, 2009                                                        27
Django TestCase

                • Subclasses unittest
                • Fixtures
                • Assertions
                • Mail
                • URLs



Tuesday, May 5, 2009                        28
Test Client


                • Test HTTP Requests without server
                • Test Views, Templates, and Context




Tuesday, May 5, 2009                                   29
from django.contrib.auth.models import User
   from django.test import TestCase
   from django.core import mail

   class PasswordResetTest(TestCase):
       fixtures = ['authtestdata.json']
       urls = 'django.contrib.auth.urls'

       def test_email_not_found(self):
           quot;Error is raised if the provided email address isn't currently registeredquot;
           response = self.client.get('/password_reset/')
           self.assertEquals(response.status_code, 200)
           response = self.client.post('/password_reset/', {'email': 'not_a_real_email@email.com'})
           self.assertContains(response, quot;That e-mail address doesn&#39;t have an associated user
   accountquot;)
           self.assertEquals(len(mail.outbox), 0)




Tuesday, May 5, 2009                                                                                  30
What flavor of test?


                • Unit
                • Functional
                • Browser




Tuesday, May 5, 2009                         31
Unit test


                • Low level tests
                • Small, focused, exercising one bit of functionality




Tuesday, May 5, 2009                                                    32
Regression test


                • Written when you find a bug
                • Proves bug was fixed
                • Django Tickets




Tuesday, May 5, 2009                           33
Functional


                • “Black Box Testing”
                • Check High Level Functionality




Tuesday, May 5, 2009                               34
Functional Testing Tools


                • Twill
                • Django Test Client
                • ...




Tuesday, May 5, 2009                              35
Ellington


                • Lots of different clients
                • Need to test deployment (Functional)




Tuesday, May 5, 2009                                     36
go {{ site.url }}/marketplace/search/
   formvalue 1 q pizza
   submit
   code 200




Tuesday, May 5, 2009                       37
Tuesday, May 5, 2009   38
Pretty Functional Tests
Tuesday, May 5, 2009                             39
Can test

                • All sites on a server
                • All sites of a certain type
                • A single problemed client
                • A test across all sites




Tuesday, May 5, 2009                            40
Browser tests

                • Run tests in a web browser
                • Check compatibility of design
                • Basically an IE sanity check
                • Only real way to test JS, AJAX, CSS




Tuesday, May 5, 2009                                    41
Browser Testing Tools


                • Windmill
                • Selenium




Tuesday, May 5, 2009                           42
Tuesday, May 5, 2009   43
Other kinds of testing

                • Spiders
                • Fuzz testing
                • Load testing
                • Prayer




Tuesday, May 5, 2009                            44
Where do I start?



Tuesday, May 5, 2009                       45
Fixed a bug



Tuesday, May 5, 2009                 46
Poking at code on the
                          command line



Tuesday, May 5, 2009                           47
Pony turned Horse



Tuesday, May 5, 2009                       48
Now what?




Tuesday, May 5, 2009               49
Start with a regression
                       test or a functional test



Tuesday, May 5, 2009                               50
Use unittest unless you
                       have a reason not to!



Tuesday, May 5, 2009                             51
Use the data, Luke


                • Use data as a pivot
                • Fixtures means you use Unit Tests
                • Creation on the command line, Doctests




Tuesday, May 5, 2009                                       52
Creating Fixtures

                • ./manage.py dumpdata <app>
                • ./manage.py makefixture Model[x:y]
                       • Follows relations
                • By Hand




Tuesday, May 5, 2009                                  53
TestShell



                       ./manage.py testshell <fixture>




Tuesday, May 5, 2009                                    54
Making Functional tests

                • Usually a relatively annoying process
                • Testmaker makes it easy.
                • ./manage.py testmaker <app>
                • Simply browse and your session is recorded.




Tuesday, May 5, 2009                                            55
Testing your views
                       generally gets you the
                          most coverage.


Tuesday, May 5, 2009                            56
80% Case



Tuesday, May 5, 2009              57
When > Where



Tuesday, May 5, 2009                  58
Tools



Tuesday, May 5, 2009           59
Coverage



Tuesday, May 5, 2009              60
Tuesday, May 5, 2009   61
Mock Objects



                • http://www.voidspace.org.uk/python/mock/




Tuesday, May 5, 2009                                         62
import unittest
   from mock import Mock

   from templatetags.cms_tags import if_link_is_active, IsActiveNode

   class TestIsActiveTag(unittest.TestCase):
       def test_returns_correct_node_type(self):
           token = Mock(methods=['split_contents'])
           token.split_contents.return_value = ('if_link_is_active',
   'bar')

           self.assertEqual(type(if_link_is_active(Mock(), token)),
   IsActiveNode)




Tuesday, May 5, 2009                                                   63
Custom Test Runners



Tuesday, May 5, 2009                         64
Django Test Extensions

                • Gareth Rushgrove
                • Extra Assertions
                • Coverage and XML Test Runners
                • http://github.com/garethr/django-test-extensions




Tuesday, May 5, 2009                                                 65
Django Sane Testing

                • Ella Folk, Lucas (Hi!)
                • Based on nosetests
                • Selenium
                • Live server
                • http://devel.almad.net/trac/django-sane-testing/



Tuesday, May 5, 2009                                                 66
Django Test Utils

                • Mine!
                • Testmaker
                • Crawler
                • Random fanciness
                • http://github.com/ericholscher/django-test-utils/tree/
                       master




Tuesday, May 5, 2009                                                       67
Recording tests is
                       generally seen as bad.



Tuesday, May 5, 2009                            68
My philosophy

                • Write tests.
                • Notice patterns and best practices
                • Automate recording of tests with those patterns
                • If you can’t automate, use tools to make it easier.




Tuesday, May 5, 2009                                                    69
Process for testmaker

                • Most view tests check status_code and response
                       context

                • Write middleware that catches this info
                • Records it to a file
                • Err on the side of more data.



Tuesday, May 5, 2009                                               70
Goals
                       (That perfect world)



Tuesday, May 5, 2009                          71
Some form of TDD


                • Write tests as you write code
                • Makes your code easy to test




Tuesday, May 5, 2009                              72
Follow Django’s Model


                • Tests with every commit
                • Docs with every commit
                • Run tests before commiting




Tuesday, May 5, 2009                           73
Use a DVCS

                • At work we have a central SVN repo
                • Git feature branches
                • Code is staged for documentation and testing
                • Committed to SVN once it is “done”




Tuesday, May 5, 2009                                             74
Continuous Integration



Tuesday, May 5, 2009                            75
NEVER LEAVE THE
                        BUILD BROKEN



Tuesday, May 5, 2009                     76
Love Green
Tuesday, May 5, 2009                77
Fast(er) Tests



Tuesday, May 5, 2009                    78
JSON



Tuesday, May 5, 2009          79
Profiling



                       python -m cProfile manage.py test




Tuesday, May 5, 2009                                      80
Mock Objects



                       http://www.voidspace.org.uk/python/mock/




Tuesday, May 5, 2009                                              81
Future and Ponies



Tuesday, May 5, 2009                       82
Summer of Code


                • Test-Only Models
                • Coverage
                • Windmill tests of the admin




Tuesday, May 5, 2009                            83
Test Suites in Django



Tuesday, May 5, 2009                           84
Central Testing
                        Repository



Tuesday, May 5, 2009                     85
Nose Plugin Integration



Tuesday, May 5, 2009                             86
Things to remember

                • Testing is not hard, you just have to get started.
                • If your code doesn’t have tests, it will be hard/
                       impossible to refactor

                • Once you have tests, you need to run them!




Tuesday, May 5, 2009                                                   87
Credits

       • http://www.flickr.com/photos/tym/192416981/
       • http://www.flickr.com/photos/seandreilinger/2459266781/
       • http://www.homebabysafety.com/images/baby_crawl_suit.jpg
       • http://www.flickr.com/photos/pinkypigs/960572985/




Tuesday, May 5, 2009                                                88

Mais conteúdo relacionado

Mais procurados

Unrestricted file upload CWE-434 - Adam Nurudini (ISACA)
Unrestricted file upload CWE-434 -  Adam Nurudini (ISACA)Unrestricted file upload CWE-434 -  Adam Nurudini (ISACA)
Unrestricted file upload CWE-434 - Adam Nurudini (ISACA)Adam Nurudini
 
TRITON: The Next Generation of ICS Malware
TRITON: The Next Generation of ICS MalwareTRITON: The Next Generation of ICS Malware
TRITON: The Next Generation of ICS MalwareThomas Roccia
 
Machine Learning Based Botnet Detection
Machine Learning Based Botnet DetectionMachine Learning Based Botnet Detection
Machine Learning Based Botnet Detectionbutest
 
Playwright Begginers Presentation
Playwright Begginers PresentationPlaywright Begginers Presentation
Playwright Begginers PresentationFranPerea6
 
Secure Code Warrior - LDAP injection
Secure Code Warrior - LDAP injectionSecure Code Warrior - LDAP injection
Secure Code Warrior - LDAP injectionSecure Code Warrior
 
Metasploit
MetasploitMetasploit
Metasploithenelpj
 
Introduction to Malware
Introduction to MalwareIntroduction to Malware
Introduction to Malwareamiable_indian
 
Basic security &amp; info
Basic security &amp; infoBasic security &amp; info
Basic security &amp; infoTola LENG
 
Mobile Application Security
Mobile Application SecurityMobile Application Security
Mobile Application SecurityIshan Girdhar
 
Introduction To OWASP
Introduction To OWASPIntroduction To OWASP
Introduction To OWASPMarco Morana
 
Malware Detection Using Data Mining Techniques
Malware Detection Using Data Mining Techniques Malware Detection Using Data Mining Techniques
Malware Detection Using Data Mining Techniques Akash Karwande
 
Microsoft threat modeling tool 2016
Microsoft threat modeling tool 2016Microsoft threat modeling tool 2016
Microsoft threat modeling tool 2016Kannan Ganapathy
 
How to configure port security in cisco switch
How to configure port security in cisco switchHow to configure port security in cisco switch
How to configure port security in cisco switchIT Tech
 
Cisco Security Architecture
Cisco Security ArchitectureCisco Security Architecture
Cisco Security ArchitectureCisco Canada
 
Playing CTFs for Fun & Profit
Playing CTFs for Fun & ProfitPlaying CTFs for Fun & Profit
Playing CTFs for Fun & Profitimpdefined
 

Mais procurados (20)

Unrestricted file upload CWE-434 - Adam Nurudini (ISACA)
Unrestricted file upload CWE-434 -  Adam Nurudini (ISACA)Unrestricted file upload CWE-434 -  Adam Nurudini (ISACA)
Unrestricted file upload CWE-434 - Adam Nurudini (ISACA)
 
TRITON: The Next Generation of ICS Malware
TRITON: The Next Generation of ICS MalwareTRITON: The Next Generation of ICS Malware
TRITON: The Next Generation of ICS Malware
 
Machine Learning Based Botnet Detection
Machine Learning Based Botnet DetectionMachine Learning Based Botnet Detection
Machine Learning Based Botnet Detection
 
Playwright Begginers Presentation
Playwright Begginers PresentationPlaywright Begginers Presentation
Playwright Begginers Presentation
 
Secure Code Warrior - LDAP injection
Secure Code Warrior - LDAP injectionSecure Code Warrior - LDAP injection
Secure Code Warrior - LDAP injection
 
Metasploit
MetasploitMetasploit
Metasploit
 
Metasploit
MetasploitMetasploit
Metasploit
 
Introduction to Malware
Introduction to MalwareIntroduction to Malware
Introduction to Malware
 
Basic security &amp; info
Basic security &amp; infoBasic security &amp; info
Basic security &amp; info
 
Mobile Application Security
Mobile Application SecurityMobile Application Security
Mobile Application Security
 
Metasploit
MetasploitMetasploit
Metasploit
 
Introduction To OWASP
Introduction To OWASPIntroduction To OWASP
Introduction To OWASP
 
Fuzzing.pptx
Fuzzing.pptxFuzzing.pptx
Fuzzing.pptx
 
Malware Detection Using Data Mining Techniques
Malware Detection Using Data Mining Techniques Malware Detection Using Data Mining Techniques
Malware Detection Using Data Mining Techniques
 
Microsoft threat modeling tool 2016
Microsoft threat modeling tool 2016Microsoft threat modeling tool 2016
Microsoft threat modeling tool 2016
 
How to configure port security in cisco switch
How to configure port security in cisco switchHow to configure port security in cisco switch
How to configure port security in cisco switch
 
Cisco Security Architecture
Cisco Security ArchitectureCisco Security Architecture
Cisco Security Architecture
 
Playing CTFs for Fun & Profit
Playing CTFs for Fun & ProfitPlaying CTFs for Fun & Profit
Playing CTFs for Fun & Profit
 
POTASSIUM: Penetration Testing as a Service
POTASSIUM: Penetration Testing as a ServicePOTASSIUM: Penetration Testing as a Service
POTASSIUM: Penetration Testing as a Service
 
Honeypots
HoneypotsHoneypots
Honeypots
 

Semelhante a Django Testing

Keeping your users happy with testable apps - Greg Shackles
Keeping your users happy with testable apps - Greg ShacklesKeeping your users happy with testable apps - Greg Shackles
Keeping your users happy with testable apps - Greg ShacklesXamarin
 
Token Testing Slides
Token  Testing SlidesToken  Testing Slides
Token Testing Slidesericholscher
 
Java E O Mercado De Trabalho
Java E O Mercado De TrabalhoJava E O Mercado De Trabalho
Java E O Mercado De TrabalhoEduardo Bregaida
 
Atlassian - A Different Kind Of Software Company
Atlassian - A Different Kind Of Software CompanyAtlassian - A Different Kind Of Software Company
Atlassian - A Different Kind Of Software CompanyMike Cannon-Brookes
 
JSUG - ActionScript 3 vs Java by Christoph Pickl
JSUG - ActionScript 3 vs Java by Christoph PicklJSUG - ActionScript 3 vs Java by Christoph Pickl
JSUG - ActionScript 3 vs Java by Christoph PicklChristoph Pickl
 
JSUG - AS3 vs Java by Christoph Pickl
JSUG - AS3 vs Java by Christoph PicklJSUG - AS3 vs Java by Christoph Pickl
JSUG - AS3 vs Java by Christoph PicklChristoph Pickl
 
Unit Testing in Java
Unit Testing in JavaUnit Testing in Java
Unit Testing in Javaguy_davis
 
2016 10-04: tdd++: tdd made easier
2016 10-04: tdd++: tdd made easier2016 10-04: tdd++: tdd made easier
2016 10-04: tdd++: tdd made easierChristian Hujer
 
Plone Testing Tools And Techniques
Plone Testing Tools And TechniquesPlone Testing Tools And Techniques
Plone Testing Tools And TechniquesJordan Baker
 
Performance tests with Gatling (extended)
Performance tests with Gatling (extended)Performance tests with Gatling (extended)
Performance tests with Gatling (extended)Andrzej Ludwikowski
 
The Art of Unit Testing Feedback
The Art of Unit Testing FeedbackThe Art of Unit Testing Feedback
The Art of Unit Testing FeedbackDeon Huang
 
Dev labs alliance top 20 testng interview questions for sdet
Dev labs alliance top 20 testng interview questions for sdetDev labs alliance top 20 testng interview questions for sdet
Dev labs alliance top 20 testng interview questions for sdetdevlabsalliance
 
MacRuby - When objective-c and Ruby meet
MacRuby - When objective-c and Ruby meetMacRuby - When objective-c and Ruby meet
MacRuby - When objective-c and Ruby meetMatt Aimonetti
 
Background Processing in Ruby on Rails
Background Processing in Ruby on RailsBackground Processing in Ruby on Rails
Background Processing in Ruby on Railsrobmack
 

Semelhante a Django Testing (20)

Unit Test Your Database! (PgCon 2009)
Unit Test Your Database! (PgCon 2009)Unit Test Your Database! (PgCon 2009)
Unit Test Your Database! (PgCon 2009)
 
Keeping your users happy with testable apps - Greg Shackles
Keeping your users happy with testable apps - Greg ShacklesKeeping your users happy with testable apps - Greg Shackles
Keeping your users happy with testable apps - Greg Shackles
 
Os Django
Os DjangoOs Django
Os Django
 
Token Testing Slides
Token  Testing SlidesToken  Testing Slides
Token Testing Slides
 
Becoming Indie
Becoming IndieBecoming Indie
Becoming Indie
 
Java E O Mercado De Trabalho
Java E O Mercado De TrabalhoJava E O Mercado De Trabalho
Java E O Mercado De Trabalho
 
Becoming Indie
Becoming IndieBecoming Indie
Becoming Indie
 
Atlassian - A Different Kind Of Software Company
Atlassian - A Different Kind Of Software CompanyAtlassian - A Different Kind Of Software Company
Atlassian - A Different Kind Of Software Company
 
JSUG - ActionScript 3 vs Java by Christoph Pickl
JSUG - ActionScript 3 vs Java by Christoph PicklJSUG - ActionScript 3 vs Java by Christoph Pickl
JSUG - ActionScript 3 vs Java by Christoph Pickl
 
JSUG - AS3 vs Java by Christoph Pickl
JSUG - AS3 vs Java by Christoph PicklJSUG - AS3 vs Java by Christoph Pickl
JSUG - AS3 vs Java by Christoph Pickl
 
Unit Testing in Java
Unit Testing in JavaUnit Testing in Java
Unit Testing in Java
 
2016 10-04: tdd++: tdd made easier
2016 10-04: tdd++: tdd made easier2016 10-04: tdd++: tdd made easier
2016 10-04: tdd++: tdd made easier
 
Plone Testing Tools And Techniques
Plone Testing Tools And TechniquesPlone Testing Tools And Techniques
Plone Testing Tools And Techniques
 
Unit Testing Lots of Perl
Unit Testing Lots of PerlUnit Testing Lots of Perl
Unit Testing Lots of Perl
 
Performance tests with Gatling (extended)
Performance tests with Gatling (extended)Performance tests with Gatling (extended)
Performance tests with Gatling (extended)
 
The Art of Unit Testing Feedback
The Art of Unit Testing FeedbackThe Art of Unit Testing Feedback
The Art of Unit Testing Feedback
 
Dev labs alliance top 20 testng interview questions for sdet
Dev labs alliance top 20 testng interview questions for sdetDev labs alliance top 20 testng interview questions for sdet
Dev labs alliance top 20 testng interview questions for sdet
 
Writing tests
Writing testsWriting tests
Writing tests
 
MacRuby - When objective-c and Ruby meet
MacRuby - When objective-c and Ruby meetMacRuby - When objective-c and Ruby meet
MacRuby - When objective-c and Ruby meet
 
Background Processing in Ruby on Rails
Background Processing in Ruby on RailsBackground Processing in Ruby on Rails
Background Processing in Ruby on Rails
 

Mais de ericholscher

Deploying on the cutting edge
Deploying on the cutting edgeDeploying on the cutting edge
Deploying on the cutting edgeericholscher
 
The story and tech of Read the Docs
The story and tech of Read the DocsThe story and tech of Read the Docs
The story and tech of Read the Docsericholscher
 
Read the Docs: A completely open source Django project
Read the Docs: A completely open source Django projectRead the Docs: A completely open source Django project
Read the Docs: A completely open source Django projectericholscher
 
Large problems, Mostly Solved
Large problems, Mostly SolvedLarge problems, Mostly Solved
Large problems, Mostly Solvedericholscher
 
Making the most of your Test Suite
Making the most of your Test SuiteMaking the most of your Test Suite
Making the most of your Test Suiteericholscher
 

Mais de ericholscher (6)

Deploying on the cutting edge
Deploying on the cutting edgeDeploying on the cutting edge
Deploying on the cutting edge
 
The story and tech of Read the Docs
The story and tech of Read the DocsThe story and tech of Read the Docs
The story and tech of Read the Docs
 
Read the Docs: A completely open source Django project
Read the Docs: A completely open source Django projectRead the Docs: A completely open source Django project
Read the Docs: A completely open source Django project
 
Read the Docs
Read the DocsRead the Docs
Read the Docs
 
Large problems, Mostly Solved
Large problems, Mostly SolvedLarge problems, Mostly Solved
Large problems, Mostly Solved
 
Making the most of your Test Suite
Making the most of your Test SuiteMaking the most of your Test Suite
Making the most of your Test Suite
 

Último

Eni 2024 1Q Results - 24.04.24 business.
Eni 2024 1Q Results - 24.04.24 business.Eni 2024 1Q Results - 24.04.24 business.
Eni 2024 1Q Results - 24.04.24 business.Eni
 
Cash Payment 9602870969 Escort Service in Udaipur Call Girls
Cash Payment 9602870969 Escort Service in Udaipur Call GirlsCash Payment 9602870969 Escort Service in Udaipur Call Girls
Cash Payment 9602870969 Escort Service in Udaipur Call GirlsApsara Of India
 
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service Available
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service AvailableCall Girls Pune Just Call 9907093804 Top Class Call Girl Service Available
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service AvailableDipal Arora
 
The Coffee Bean & Tea Leaf(CBTL), Business strategy case study
The Coffee Bean & Tea Leaf(CBTL), Business strategy case studyThe Coffee Bean & Tea Leaf(CBTL), Business strategy case study
The Coffee Bean & Tea Leaf(CBTL), Business strategy case studyEthan lee
 
Tech Startup Growth Hacking 101 - Basics on Growth Marketing
Tech Startup Growth Hacking 101  - Basics on Growth MarketingTech Startup Growth Hacking 101  - Basics on Growth Marketing
Tech Startup Growth Hacking 101 - Basics on Growth MarketingShawn Pang
 
VIP Call Girls In Saharaganj ( Lucknow ) 🔝 8923113531 🔝 Cash Payment (COD) 👒
VIP Call Girls In Saharaganj ( Lucknow  ) 🔝 8923113531 🔝  Cash Payment (COD) 👒VIP Call Girls In Saharaganj ( Lucknow  ) 🔝 8923113531 🔝  Cash Payment (COD) 👒
VIP Call Girls In Saharaganj ( Lucknow ) 🔝 8923113531 🔝 Cash Payment (COD) 👒anilsa9823
 
Call Girls in Gomti Nagar - 7388211116 - With room Service
Call Girls in Gomti Nagar - 7388211116  - With room ServiceCall Girls in Gomti Nagar - 7388211116  - With room Service
Call Girls in Gomti Nagar - 7388211116 - With room Servicediscovermytutordmt
 
Pharma Works Profile of Karan Communications
Pharma Works Profile of Karan CommunicationsPharma Works Profile of Karan Communications
Pharma Works Profile of Karan Communicationskarancommunications
 
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...lizamodels9
 
RE Capital's Visionary Leadership under Newman Leech
RE Capital's Visionary Leadership under Newman LeechRE Capital's Visionary Leadership under Newman Leech
RE Capital's Visionary Leadership under Newman LeechNewman George Leech
 
7.pdf This presentation captures many uses and the significance of the number...
7.pdf This presentation captures many uses and the significance of the number...7.pdf This presentation captures many uses and the significance of the number...
7.pdf This presentation captures many uses and the significance of the number...Paul Menig
 
Grateful 7 speech thanking everyone that has helped.pdf
Grateful 7 speech thanking everyone that has helped.pdfGrateful 7 speech thanking everyone that has helped.pdf
Grateful 7 speech thanking everyone that has helped.pdfPaul Menig
 
0183760ssssssssssssssssssssssssssss00101011 (27).pdf
0183760ssssssssssssssssssssssssssss00101011 (27).pdf0183760ssssssssssssssssssssssssssss00101011 (27).pdf
0183760ssssssssssssssssssssssssssss00101011 (27).pdfRenandantas16
 
BEST ✨ Call Girls In Indirapuram Ghaziabad ✔️ 9871031762 ✔️ Escorts Service...
BEST ✨ Call Girls In  Indirapuram Ghaziabad  ✔️ 9871031762 ✔️ Escorts Service...BEST ✨ Call Girls In  Indirapuram Ghaziabad  ✔️ 9871031762 ✔️ Escorts Service...
BEST ✨ Call Girls In Indirapuram Ghaziabad ✔️ 9871031762 ✔️ Escorts Service...noida100girls
 
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service Jamshedpur
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service JamshedpurVIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service Jamshedpur
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service JamshedpurSuhani Kapoor
 
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdf
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdfCatalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdf
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdfOrient Homes
 
Monte Carlo simulation : Simulation using MCSM
Monte Carlo simulation : Simulation using MCSMMonte Carlo simulation : Simulation using MCSM
Monte Carlo simulation : Simulation using MCSMRavindra Nath Shukla
 
It will be International Nurses' Day on 12 May
It will be International Nurses' Day on 12 MayIt will be International Nurses' Day on 12 May
It will be International Nurses' Day on 12 MayNZSG
 

Último (20)

Eni 2024 1Q Results - 24.04.24 business.
Eni 2024 1Q Results - 24.04.24 business.Eni 2024 1Q Results - 24.04.24 business.
Eni 2024 1Q Results - 24.04.24 business.
 
Best Practices for Implementing an External Recruiting Partnership
Best Practices for Implementing an External Recruiting PartnershipBest Practices for Implementing an External Recruiting Partnership
Best Practices for Implementing an External Recruiting Partnership
 
Cash Payment 9602870969 Escort Service in Udaipur Call Girls
Cash Payment 9602870969 Escort Service in Udaipur Call GirlsCash Payment 9602870969 Escort Service in Udaipur Call Girls
Cash Payment 9602870969 Escort Service in Udaipur Call Girls
 
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service Available
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service AvailableCall Girls Pune Just Call 9907093804 Top Class Call Girl Service Available
Call Girls Pune Just Call 9907093804 Top Class Call Girl Service Available
 
The Coffee Bean & Tea Leaf(CBTL), Business strategy case study
The Coffee Bean & Tea Leaf(CBTL), Business strategy case studyThe Coffee Bean & Tea Leaf(CBTL), Business strategy case study
The Coffee Bean & Tea Leaf(CBTL), Business strategy case study
 
Tech Startup Growth Hacking 101 - Basics on Growth Marketing
Tech Startup Growth Hacking 101  - Basics on Growth MarketingTech Startup Growth Hacking 101  - Basics on Growth Marketing
Tech Startup Growth Hacking 101 - Basics on Growth Marketing
 
VIP Call Girls In Saharaganj ( Lucknow ) 🔝 8923113531 🔝 Cash Payment (COD) 👒
VIP Call Girls In Saharaganj ( Lucknow  ) 🔝 8923113531 🔝  Cash Payment (COD) 👒VIP Call Girls In Saharaganj ( Lucknow  ) 🔝 8923113531 🔝  Cash Payment (COD) 👒
VIP Call Girls In Saharaganj ( Lucknow ) 🔝 8923113531 🔝 Cash Payment (COD) 👒
 
Call Girls in Gomti Nagar - 7388211116 - With room Service
Call Girls in Gomti Nagar - 7388211116  - With room ServiceCall Girls in Gomti Nagar - 7388211116  - With room Service
Call Girls in Gomti Nagar - 7388211116 - With room Service
 
Pharma Works Profile of Karan Communications
Pharma Works Profile of Karan CommunicationsPharma Works Profile of Karan Communications
Pharma Works Profile of Karan Communications
 
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...
Call Girls In DLf Gurgaon ➥99902@11544 ( Best price)100% Genuine Escort In 24...
 
Forklift Operations: Safety through Cartoons
Forklift Operations: Safety through CartoonsForklift Operations: Safety through Cartoons
Forklift Operations: Safety through Cartoons
 
RE Capital's Visionary Leadership under Newman Leech
RE Capital's Visionary Leadership under Newman LeechRE Capital's Visionary Leadership under Newman Leech
RE Capital's Visionary Leadership under Newman Leech
 
7.pdf This presentation captures many uses and the significance of the number...
7.pdf This presentation captures many uses and the significance of the number...7.pdf This presentation captures many uses and the significance of the number...
7.pdf This presentation captures many uses and the significance of the number...
 
Grateful 7 speech thanking everyone that has helped.pdf
Grateful 7 speech thanking everyone that has helped.pdfGrateful 7 speech thanking everyone that has helped.pdf
Grateful 7 speech thanking everyone that has helped.pdf
 
0183760ssssssssssssssssssssssssssss00101011 (27).pdf
0183760ssssssssssssssssssssssssssss00101011 (27).pdf0183760ssssssssssssssssssssssssssss00101011 (27).pdf
0183760ssssssssssssssssssssssssssss00101011 (27).pdf
 
BEST ✨ Call Girls In Indirapuram Ghaziabad ✔️ 9871031762 ✔️ Escorts Service...
BEST ✨ Call Girls In  Indirapuram Ghaziabad  ✔️ 9871031762 ✔️ Escorts Service...BEST ✨ Call Girls In  Indirapuram Ghaziabad  ✔️ 9871031762 ✔️ Escorts Service...
BEST ✨ Call Girls In Indirapuram Ghaziabad ✔️ 9871031762 ✔️ Escorts Service...
 
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service Jamshedpur
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service JamshedpurVIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service Jamshedpur
VIP Call Girl Jamshedpur Aashi 8250192130 Independent Escort Service Jamshedpur
 
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdf
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdfCatalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdf
Catalogue ONG NƯỚC uPVC - HDPE DE NHAT.pdf
 
Monte Carlo simulation : Simulation using MCSM
Monte Carlo simulation : Simulation using MCSMMonte Carlo simulation : Simulation using MCSM
Monte Carlo simulation : Simulation using MCSM
 
It will be International Nurses' Day on 12 May
It will be International Nurses' Day on 12 MayIt will be International Nurses' Day on 12 May
It will be International Nurses' Day on 12 May
 

Django Testing

  • 1. Django Testing Eric Holscher http://ericholscher.com Tuesday, May 5, 2009 1
  • 2. How do you know? • First 4 months of my job was porting and testing Ellington • Going from Django r1290 to Django 1.0. • Suite from 0 to 400 tests. Tuesday, May 5, 2009 2
  • 3. 30,000 Ft View • State of testing in Django • Why you should be testing • How you start testing • Useful tools • Eventual Goals Tuesday, May 5, 2009 3
  • 4. State of Django Testing Tuesday, May 5, 2009 4
  • 6. Django 1.1 Making Testing Possible since 2009 Tuesday, May 5, 2009 6
  • 7. manage.py startapp creates a tests.py Tuesday, May 5, 2009 7
  • 8. from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): quot;quot;quot; Tests that 1 + 1 always equals 2. quot;quot;quot; self.failUnlessEqual(1 + 1, 2) __test__ = {quot;doctestquot;: quot;quot;quot; Another way to test that 1 + 1 is equal to 2. >>> 1 + 1 == 2 True quot;quot;quot;} Tuesday, May 5, 2009 8
  • 9. Fast Tests (Transactions) Tuesday, May 5, 2009 9
  • 10. Minutes (Lower is better) Ellington Test Speedup 60 45 30 15 0 Django 1.0 Django 1.1 Tuesday, May 5, 2009 10
  • 11. You now have no excuse. Tuesday, May 5, 2009 11
  • 12. Why to test Tuesday, May 5, 2009 12
  • 16. Peace of Mind Tuesday, May 5, 2009 16
  • 17. Code must adapt Tuesday, May 5, 2009 17
  • 18. “It is not the strongest of the species that survives, nor the most intelligent, but the one most responsive to change.” - Charles Darwin Tuesday, May 5, 2009 18
  • 19. Won’t somebody please think of the users?! Tuesday, May 5, 2009 19
  • 21. Tests as Documentation Test driven development + Document driven development = Test Driven Documentation Tuesday, May 5, 2009 20
  • 22. “Code without tests is broken as designed” - Jacob Kaplan-Moss Tuesday, May 5, 2009 21
  • 23. Dizzying Array of Testing Options Tuesday, May 5, 2009 22
  • 24. What kind of test? • doctest • unittest Tuesday, May 5, 2009 23
  • 25. Doctests • Inline documentation • <Copy from terminal to test file> • Can’t use PDB • Hide real failures • “Easy” Tuesday, May 5, 2009 24
  • 26. def parse_ttag(token, required_tags): quot;quot;quot; A function to parse a template tag. It sets the name of the tag to 'tag_name' in the hash returned. >>> from test_utils.templatetags.utils import parse_ttag >>> parse_ttag('super_cool_tag for my_object as obj', ['as']) {'tag_name': u'super_cool_tag', u'as': u'obj'} >>> parse_ttag('super_cool_tag for my_object as obj', ['as', 'for']) {'tag_name': u'super_cool_tag', u'as': u'obj', u'for': u'my_object'} quot;quot;quot; bits = token.split(' ') tags = {'tag_name': bits.pop(0)} for index, bit in enumerate(bits): bit = bit.strip() if bit in required_tags: if len(bits) != index-1: tags[bit] = bits[index+1] return tags Tuesday, May 5, 2009 25
  • 27. Unit Tests • Use for everything else • More rubust • setUp and tearDown • Standard (XUnit) Tuesday, May 5, 2009 26
  • 28. import random import unittest class TestRandom(unittest.TestCase): def setUp(self): self.seq = range(10) def testshuffle(self): # make sure the shuffled sequence does not lose any elements random.shuffle(self.seq) self.seq.sort() self.assertEqual(self.seq, range(10)) if __name__ == '__main__': unittest.main() Tuesday, May 5, 2009 27
  • 29. Django TestCase • Subclasses unittest • Fixtures • Assertions • Mail • URLs Tuesday, May 5, 2009 28
  • 30. Test Client • Test HTTP Requests without server • Test Views, Templates, and Context Tuesday, May 5, 2009 29
  • 31. from django.contrib.auth.models import User from django.test import TestCase from django.core import mail class PasswordResetTest(TestCase): fixtures = ['authtestdata.json'] urls = 'django.contrib.auth.urls' def test_email_not_found(self): quot;Error is raised if the provided email address isn't currently registeredquot; response = self.client.get('/password_reset/') self.assertEquals(response.status_code, 200) response = self.client.post('/password_reset/', {'email': 'not_a_real_email@email.com'}) self.assertContains(response, quot;That e-mail address doesn&#39;t have an associated user accountquot;) self.assertEquals(len(mail.outbox), 0) Tuesday, May 5, 2009 30
  • 32. What flavor of test? • Unit • Functional • Browser Tuesday, May 5, 2009 31
  • 33. Unit test • Low level tests • Small, focused, exercising one bit of functionality Tuesday, May 5, 2009 32
  • 34. Regression test • Written when you find a bug • Proves bug was fixed • Django Tickets Tuesday, May 5, 2009 33
  • 35. Functional • “Black Box Testing” • Check High Level Functionality Tuesday, May 5, 2009 34
  • 36. Functional Testing Tools • Twill • Django Test Client • ... Tuesday, May 5, 2009 35
  • 37. Ellington • Lots of different clients • Need to test deployment (Functional) Tuesday, May 5, 2009 36
  • 38. go {{ site.url }}/marketplace/search/ formvalue 1 q pizza submit code 200 Tuesday, May 5, 2009 37
  • 39. Tuesday, May 5, 2009 38
  • 41. Can test • All sites on a server • All sites of a certain type • A single problemed client • A test across all sites Tuesday, May 5, 2009 40
  • 42. Browser tests • Run tests in a web browser • Check compatibility of design • Basically an IE sanity check • Only real way to test JS, AJAX, CSS Tuesday, May 5, 2009 41
  • 43. Browser Testing Tools • Windmill • Selenium Tuesday, May 5, 2009 42
  • 44. Tuesday, May 5, 2009 43
  • 45. Other kinds of testing • Spiders • Fuzz testing • Load testing • Prayer Tuesday, May 5, 2009 44
  • 46. Where do I start? Tuesday, May 5, 2009 45
  • 47. Fixed a bug Tuesday, May 5, 2009 46
  • 48. Poking at code on the command line Tuesday, May 5, 2009 47
  • 49. Pony turned Horse Tuesday, May 5, 2009 48
  • 51. Start with a regression test or a functional test Tuesday, May 5, 2009 50
  • 52. Use unittest unless you have a reason not to! Tuesday, May 5, 2009 51
  • 53. Use the data, Luke • Use data as a pivot • Fixtures means you use Unit Tests • Creation on the command line, Doctests Tuesday, May 5, 2009 52
  • 54. Creating Fixtures • ./manage.py dumpdata <app> • ./manage.py makefixture Model[x:y] • Follows relations • By Hand Tuesday, May 5, 2009 53
  • 55. TestShell ./manage.py testshell <fixture> Tuesday, May 5, 2009 54
  • 56. Making Functional tests • Usually a relatively annoying process • Testmaker makes it easy. • ./manage.py testmaker <app> • Simply browse and your session is recorded. Tuesday, May 5, 2009 55
  • 57. Testing your views generally gets you the most coverage. Tuesday, May 5, 2009 56
  • 58. 80% Case Tuesday, May 5, 2009 57
  • 59. When > Where Tuesday, May 5, 2009 58
  • 62. Tuesday, May 5, 2009 61
  • 63. Mock Objects • http://www.voidspace.org.uk/python/mock/ Tuesday, May 5, 2009 62
  • 64. import unittest from mock import Mock from templatetags.cms_tags import if_link_is_active, IsActiveNode class TestIsActiveTag(unittest.TestCase): def test_returns_correct_node_type(self): token = Mock(methods=['split_contents']) token.split_contents.return_value = ('if_link_is_active', 'bar') self.assertEqual(type(if_link_is_active(Mock(), token)), IsActiveNode) Tuesday, May 5, 2009 63
  • 66. Django Test Extensions • Gareth Rushgrove • Extra Assertions • Coverage and XML Test Runners • http://github.com/garethr/django-test-extensions Tuesday, May 5, 2009 65
  • 67. Django Sane Testing • Ella Folk, Lucas (Hi!) • Based on nosetests • Selenium • Live server • http://devel.almad.net/trac/django-sane-testing/ Tuesday, May 5, 2009 66
  • 68. Django Test Utils • Mine! • Testmaker • Crawler • Random fanciness • http://github.com/ericholscher/django-test-utils/tree/ master Tuesday, May 5, 2009 67
  • 69. Recording tests is generally seen as bad. Tuesday, May 5, 2009 68
  • 70. My philosophy • Write tests. • Notice patterns and best practices • Automate recording of tests with those patterns • If you can’t automate, use tools to make it easier. Tuesday, May 5, 2009 69
  • 71. Process for testmaker • Most view tests check status_code and response context • Write middleware that catches this info • Records it to a file • Err on the side of more data. Tuesday, May 5, 2009 70
  • 72. Goals (That perfect world) Tuesday, May 5, 2009 71
  • 73. Some form of TDD • Write tests as you write code • Makes your code easy to test Tuesday, May 5, 2009 72
  • 74. Follow Django’s Model • Tests with every commit • Docs with every commit • Run tests before commiting Tuesday, May 5, 2009 73
  • 75. Use a DVCS • At work we have a central SVN repo • Git feature branches • Code is staged for documentation and testing • Committed to SVN once it is “done” Tuesday, May 5, 2009 74
  • 77. NEVER LEAVE THE BUILD BROKEN Tuesday, May 5, 2009 76
  • 81. Profiling python -m cProfile manage.py test Tuesday, May 5, 2009 80
  • 82. Mock Objects http://www.voidspace.org.uk/python/mock/ Tuesday, May 5, 2009 81
  • 83. Future and Ponies Tuesday, May 5, 2009 82
  • 84. Summer of Code • Test-Only Models • Coverage • Windmill tests of the admin Tuesday, May 5, 2009 83
  • 85. Test Suites in Django Tuesday, May 5, 2009 84
  • 86. Central Testing Repository Tuesday, May 5, 2009 85
  • 88. Things to remember • Testing is not hard, you just have to get started. • If your code doesn’t have tests, it will be hard/ impossible to refactor • Once you have tests, you need to run them! Tuesday, May 5, 2009 87
  • 89. Credits • http://www.flickr.com/photos/tym/192416981/ • http://www.flickr.com/photos/seandreilinger/2459266781/ • http://www.homebabysafety.com/images/baby_crawl_suit.jpg • http://www.flickr.com/photos/pinkypigs/960572985/ Tuesday, May 5, 2009 88