Software Testing with Python
|
|
|
- Benedict Heath
- 10 years ago
- Views:
Transcription
1 Software Testing with Python Magnus Lyckå Thinkware AB EuroPython Conference 2004 Chalmers, Göteborg, Sweden 2004, Magnus Lyckå
2 In the next 30 minutes you should... Learn about different aspects of software testing such as unit tests and acceptance tests. See how the standard modules for unit tests are used, learn about some alternatives and have a grasp of their respective pros and cons. Know about some options for acceptance tests. Know about some standard Python modules and third party tools that are helpful in software testing and related activities.
3 What is software testing? Testing means verifying that your code is running correctly by exercising the code under known conditions and checking that the results are as expected. Alex Martelli, Python in a Nutshell If we are serious with our requirements on a software system, we should make sure that we verify them, and testing is the most common kind of verification for software.
4 Software testing in a context Software Quality Assurance Software Verification Software Testing
5 Automating tests Writing automated tests is usually more work than testing things manually once, but they make it much easier to... Work in a repeatable and predicable way Run tests more often Run tests unattended Find regression bugs Test more operating systems Manage the test load as the system grows
6 Example of requirements and tests on different levels System Specification Acceptance Test API Specification Integration Test Detailed Design Unit Test
7 Requirements and tests on different levels in Extreme Programming (XP) System specified through customer tests API validated through continuous integration Design by writing programmer tests
8 Consequences of the XP approach Requirements are written in a verifiable way. No discrepancies between requirements and tests. We get unambiguous and repeatable ways of verifying requirements. Continuous picture of project progress But... Customers must be able to understand the tests. We need test automation frameworks. Automated tests more software to maintain.
9 Software Testing with Python Unit testing
10 Unit tests in Python Unit tests, or programmer tests, are tests the programmer writes to make sure that the code does what the programmer intended it to do. Unit tests can also help document how a piece of code (e.g. a class) is supposed to be used. Python has two standard modules for unit testing, unittest and doctest. There are several third party modules that aim to complement or replace unittest.
11 The unittest module The Python unittest module is modeled after the unit test modules developed within the XP community by Kent Beck and Erich Gamma. It's intended for a test-first approach, where tests are written before the actual code that it tests. Always writing tests first is a bit like always eating your meat before you eat your dessert... When your tests pass, you're done. (XPers combine this with refactoring.)
12 Concepts in unittest A test fixture consists of the actions needed to setup for a test, and clean up afterwards. A test case is the smallest unit of testing. It might for instance call a function and check the results. A test suite is a collection of test cases and/or test suites that should be executed together. A test runner runs test suites (or individual test cases), collects the results and presents it as text or graphically to the user.
13 The TestCase class Test cases sharing a common fixture will be implemented as methods (whose names start with test) in a sub class of unittest.testcase. The test runner will create one instance object per test case, and run SetUp, followed by the test case method and finally teardown. Checks are made with the methods fail, failif, assert_/failunless, assertequal/failunlessequal, assertnotequal/failifequal and assertraises/failunlessraises.
14 The test runner In many cases, running tests is as simple as executing unitest.main() in the file containing the test cases. Testing progress will be reported, and the test runner makes a distinction between FAILURE and ERROR. FAILURE means that the check didn't produce the expected result. ERROR means that something else in the test went wrong. (I.e. You got an exception.)
15 Unittest template import unittest import MyModule class MyModuleTest(unittest.TestCase): def testonecase(self): pass if name == ' main ': unittest.main()
16 Unittest examples divtest.py Trivial example to demonstrate features of unittest. container_ut.py Real world example from SystemSpecifyer (see
17 The doctest module The Python doctest module was written by Tim Peters to check that coding examples in docstrings were correct, by testing them. It has also found use as a more general unit testing module, and from Python 2.3, this has been made more convenient. Using doctest helps you combine tests and documentation in a more readable way than unittest does.
18 Doctest example def divide(a,b): """ Return a divided with b. Divide will return the result of an integer division >>> divide(6,3) 2 Division by zero is handled as expected... >>> divide(1,0) Traceback (most recent call last):... ZeroDivisionError: integer division or modulo by zero """ result = a / b return result if name == ' main ': import doctest, sys doctest.testmod(sys.modules[ name ])
19 Unittest vs doctest Unittest mantra: Test a little, code a little The logical choice if you use extreme programming or test-driven development of some other kind. Maybe better for complex tests? Doctest mantra: Code a little, test a little The natural companion if you prefer to experiment interactively with your classes and functions in the Python interactive environment. Probably better for adding tests to already written code.
20 Unittest vs doctest on the web Charming Python: Testing frameworks in Python Literate Testing: Automated Testing with doctest DocTest at WikiWiki
21 Other contenders... Sancho a unit testing framework from MEMS Exchange. Adds coverage analysis etc. Peckcheck by Darius Bacon. The second standard library std. Here, 11:00 today...
22 Unittest complements Pester the Python version of Jester. It finds code that is not covered by tests, makes some change to your code, runs your tests, and if the tests pass it displays a message saying what it changed. Test coverage support E.g. Mock objects: Here, 9:30 A better test runner: Here, 10:00
23 Software Testing with Python Integration testing
24 Python Integration Test No static linking. We must run code to test interfaces! (On the other hand, compilers and linkers fail to see lots of integration problems...) Since building/linking isn't an issue in a pure Python project, we can use either unit test tools or acceptance test tools for integration tests. Python is good at gluing things together, and thus helpful in all sorts of integration work. See e.g.
25 Software Testing with Python Acceptance testing
26 Test Frameworks using Python QMTest Uses Python for test expressions. PyFIT Python clone of Ward Cunningham's Framework For Integrated Testing (FIT). Software Testing Automation Framework (STAF) Big framework from IBM with Python API. TextTest See more here, today 11:30!
27 Software Testing with Python Not quite software testing...
28 The usual suspects... Python is excellent for analysis and manipulation of data. A great tool for test related work. The re library is useful but use special tools when available, such as for parsing XML files. For dealing with files you might use the modules gzip, zipfile, codecs, filecmp, struct, sgmllib, xml.* etc Python interfaces well with internet services, database, and all sorts of external programs.
29 difflib More or less like the unix diff utility, but as a Python module. (New in version 2.1.) Useful when we want a more detailed response than FAILED from a test particularly if we are trying to spot small changes in big amounts of data. Great for spotting differences in configurations, for instance database schemas.
30 Difflib example >>> import difflib; d=difflib.differ() >>> diff =d.compare(['hello World', "This is the same.", "Time flies like an arrow. Isn't that great?"], ['Hello World!', "This is the same.", "Fruit flies like a banana. Isn't that great?"]) >>> print "\n".join(diff) - Hello World + Hello World!? + This is the same. - Time flies like an arrow. Isn't that great?? ^ ^^ - ^^^^ + Fruit flies like a banana. Isn't that great?? ^^^ ^^ +++ ^^
31 AT&T Graphviz Tools to generate graphs from C-like text files. Dot for directed graphs. Neato for undirected graphs Fairly clever algorithms for decent looking layout Generates graphs in many file formats Suitable for automatic generation of graphs Some control over placement is possible Great for dependency analysis! Not Python, but good anyway... :)
32 Remember this? System Specification Acceptance Test API Specification Integration Test Detailed Design Unit Test
33 AT&T Graphviz example 1 digraph G { label = "V-model"; sysspec [label="system Specification"]; systest [label="acceptance Test"]; apispec [label="api Specification"]; apitest [label="integration Test"]; unitspec [label="detailed Design"]; unittest [label="unit Test"]; } sysspec -> apispec -> unitspec; unittest -> apitest -> systest; sysspec -> systest; apispec -> apitest; unitspec -> unittest;
34 AT&T Graphviz example 2 digraph G { label = "V-model"; node [shape=box, style=filled, color="#ccccff"]; sysspec [label= "System Specification"]; apispec [label="api Specification"]; unitspec [label="detailed Design"]; node [shape=box, style=filled, color="#ffff99"]; systest [label="acceptance Test"]; apitest [label="integration Test"]; unittest [label="unit Test"];... {rank = same; sysspec; systest}; {rank = same; apispec; apitest}; {rank = same; unitspec; unittest};
35 Useful Books Python in a Nutshell, by Alex Martelli Text Processing in Python, by David Mertz Software Test Automation, by Fewster & Graham Just Enough Software Test Automation, by Daniel J. Mosley & Bruce A. Posey Testing Extreme Programming, by Lisa Crispin and Tip House Test-Driven Development By Example, by Kent Beck
Survey of Unit-Testing Frameworks. by John Szakmeister and Tim Woods
Survey of Unit-Testing Frameworks by John Szakmeister and Tim Woods Our Background Using Python for 7 years Unit-testing fanatics for 5 years Agenda Why unit test? Talk about 3 frameworks: unittest nose
CIS 192: Lecture 13 Scientific Computing and Unit Testing
CIS 192: Lecture 13 Scientific Computing and Unit Testing Lili Dworkin University of Pennsylvania Scientific Computing I Python is really popular in the scientific and statistical computing world I Why?
Python as a Testing Tool. Chris Withers
Python as a Testing Tool Chris Withers Who am I? Chris Withers Independent Zope and Python Consultant Using Python since 1999 Fan of XP What do I use Python for? Content Management Systems Integration
Software Testing. Theory and Practicalities
Software Testing Theory and Practicalities Purpose To find bugs To enable and respond to change To understand and monitor performance To verify conformance with specifications To understand the functionality
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University
Intro to scientific programming (with Python) Pietro Berkes, Brandeis University Next 4 lessons: Outline Scientific programming: best practices Classical learning (Hoepfield network) Probabilistic learning
Advanced Topics: Biopython
Advanced Topics: Biopython Day Three Testing Peter J. A. Cock The James Hutton Institute, Invergowrie, Dundee, DD2 5DA, Scotland, UK 23rd 25th January 2012, Workshop on Genomics, Český Krumlov, Czech Republic
Automated Testing with Python
Automated Testing with Python assertequal(code.state(), happy ) Martin Pitt Why automated tests? avoid regressions easy code changes/refactoring simplify integration design
Unit testing with mock code EuroPython 2004 Stefan Schwarzer p.1/25
Unit testing with mock code EuroPython 2004 Stefan Schwarzer [email protected] Informationsdienst Wissenschaft e. V. Unit testing with mock code EuroPython 2004 Stefan Schwarzer p.1/25 Personal
JUnit. Introduction to Unit Testing in Java
JUnit Introduction to Unit Testing in Java Testing, 1 2 3 4, Testing What Does a Unit Test Test? The term unit predates the O-O era. Unit natural abstraction unit of an O-O system: class or its instantiated
Test Driven Development Part III: Continuous Integration Venkat Subramaniam [email protected] http://www.agiledeveloper.com/download.
Test Driven Development Part III: Continuous Integration Venkat Subramaniam [email protected] http://www.agiledeveloper.com/download.aspx Abstract In this final part of the three part series on
Test-Driven Development
Test-Driven Development An Introduction Mattias Ståhlberg [email protected] Debugging sucks. Testing rocks. Contents 1. What is unit testing? 2. What is test-driven development? 3. Example 4.
Agile processes. Extreme Programming, an agile software development process. Extreme Programming. Risk: The Basic Problem
Agile processes Extreme Programming, an agile software development process Perdita Stevens School of Informatics University of Edinburgh What the spiral models were reaching towards was that software development
Unit Testing webmethods Integrations using JUnit Practicing TDD for EAI projects
TORRY HARRIS BUSINESS SOLUTIONS Unit Testing webmethods Integrations using JUnit Practicing TDD for EAI projects Ganapathi Nanjappa 4/28/2010 2010 Torry Harris Business Solutions. All rights reserved Page
Self-review 9.3 What is PyUnit? PyUnit is the unit testing framework that comes as standard issue with the Python system.
Testing, Testing 9 Self-Review Questions Self-review 9.1 What is unit testing? It is testing the functions, classes and methods of our applications in order to ascertain whether there are bugs in the code.
Advanced Test-Driven Development
Corporate Technology Advanced Test-Driven Development Software Engineering 2007 Hamburg, Germany Peter Zimmerer Principal Engineer Siemens AG, CT SE 1 Corporate Technology Corporate Research and Technologies
Unit testing with JUnit and CPPUnit. Krzysztof Pietroszek [email protected]
Unit testing with JUnit and CPPUnit Krzysztof Pietroszek [email protected] Old-fashioned low-level testing Stepping through a debugger drawbacks: 1. not automatic 2. time-consuming Littering code
Test Driven Development with Continuous Integration: A Literature Review
Test Driven Development with Continuous Integration: A Literature Review Sheikh Fahad Ahmad Deptt. of Computer Science & Engg. Mohd. Rizwan Beg Deptt. of Computer Science & Engg. Mohd. Haleem Deptt. of
Mercurial. Why version control (Single users)
Mercurial Author: Hans Fangohr Date: 2008-05-21 Version: 033c85b22987 Id: talk.txt,v 033c85b22987 2008/05/21 08:42:42 fangohr Series: SESA2006 2008, last lecture Hint Adjust font-size
Quality Assurance Training Program
Quality Assurance Training Program Introduction/Summary: This 5-day course focuses on understanding and developing various skills required by QA Developer, preparing to use various tools and techniques
Advanced Software Testing
Johan Seland Advanced Software Testing Geilo Winter School 2013 1 Solution Example for the Bowling Game Kata Solution is in the final branch on Github git clone git://github.com/johanseland/bowlinggamekatapy.git
In this Lecture you will Learn: Implementation. Software Implementation Tools. Software Implementation Tools
In this Lecture you will Learn: Implementation Chapter 19 About tools used in software implementation How to draw component diagrams How to draw deployment diagrams The tasks involved in testing a system
Enabling Agile Testing Through Continuous Integration
2009 Agile Conference Enabling Agile Testing Through Continuous Integration Sean Stolberg Pacific Northwest National Laboratory [email protected] Abstract A Continuous Integration system is often considered
Extreme Programming, an agile software development process
Extreme Programming, an agile software development process Paul Jackson School of Informatics University of Edinburgh Recall: Waterfall and Spiral Models Waterfall: Spiral: Split project into controlled
Extreme Programming, an agile software development process
Extreme Programming, an agile software development process Nigel Goddard School of Informatics University of Edinburgh Recall: Waterfall and Spiral Models Waterfall: Spiral: Split project into controlled
B&K Precision 1785B, 1786B, 1787B, 1788 Power supply Python Library
B&K Precision 1785B, 1786B, 1787B, 1788 Power supply Python Library Table of Contents Introduction 2 Prerequisites 2 Why a Library is Useful 3 Using the Library from Python 6 Conventions 6 Return values
Effective unit testing with JUnit
Effective unit testing with JUnit written by Eric M. Burke [email protected] Copyright 2000, Eric M. Burke and All rights reserved last revised 12 Oct 2000 extreme Testing 1 What is extreme Programming
Using JUnit in SAP NetWeaver Developer Studio
Using JUnit in SAP NetWeaver Developer Studio Applies to: This article applies to SAP NetWeaver Developer Studio and JUnit. Summary Test-driven development helps us meet your deadlines by eliminating debugging
Profiling, debugging and testing with Python. Jonathan Bollback, Georg Rieckh and Jose Guzman
Profiling, debugging and testing with Python Jonathan Bollback, Georg Rieckh and Jose Guzman Overview 1.- Profiling 4 Profiling: timeit 5 Profiling: exercise 6 2.- Debugging 7 Debugging: pdb 8 Debugging:
Web Frameworks. web development done right. Course of Web Technologies A.A. 2010/2011 Valerio Maggio, PhD Student Prof.
Web Frameworks web development done right Course of Web Technologies A.A. 2010/2011 Valerio Maggio, PhD Student Prof.ssa Anna Corazza Outline 2 Web technologies evolution Web frameworks Design Principles
Experiences with Online Programming Examinations
Experiences with Online Programming Examinations Monica Farrow and Peter King School of Mathematical and Computer Sciences, Heriot-Watt University, Edinburgh EH14 4AS Abstract An online programming examination
Python programming Testing
Python programming Testing Finn Årup Nielsen DTU Compute Technical University of Denmark September 8, 2014 Overview Testing frameworks: unittest, nose, py.test, doctest Coverage Testing of numerical computations
Property-based testing for Web Services. The PROWESS consortium
Property-based testing for Web Services The PROWESS consortium EU PROWESS project Aims to improve testing, particularly for web services, through uptake and use of property-based testing (PBT). The tool
Fail early, fail often, succeed sooner!
Fail early, fail often, succeed sooner! Contents Beyond testing Testing levels Testing techniques TDD = fail early Automate testing = fail often Tools for testing Acceptance tests Quality Erja Nikunen
Test Driven Development
Test Driven Development Introduction Test Driven development (TDD) is a fairly recent (post 2000) design approach that originated from the Extreme Programming / Agile Methodologies design communities.
Python Testing with unittest, nose, pytest
Python Testing with unittest, nose, pytest Efficient and effective testing using the 3 top python testing frameworks Brian Okken This book is for sale at http://leanpub.com/pythontesting This version was
We will learn the Python programming language. Why? Because it is easy to learn and many people write programs in Python so we can share.
LING115 Lecture Note Session #4 Python (1) 1. Introduction As we have seen in previous sessions, we can use Linux shell commands to do simple text processing. We now know, for example, how to count words.
Assignment 4 CPSC 217 L02 Purpose. Important Note. Data visualization
Assignment 4 CPSC 217 L02 Purpose You will be writing a Python program to read data from a file and visualize this data using an external drawing tool. You will structure your program using modules and
Build Automation for Mobile. or How to Deliver Quality Apps Continuously. Angelo Rüggeberg
Build Automation for Mobile or How to Deliver Quality Apps Continuously Angelo Rüggeberg Things to remember Publishing your App should not be painfull Angelo Rüggeberg Code Quality Matters Angelo Rüggeberg
Software Development Tools
Software Development Tools COMP220/COMP285 Sebastian Coope More on Automated Testing and Continuous Integration These slides are mainly based on Java Tools for Extreme Programming R.Hightower & N.Lesiecki.
Module 10. Coding and Testing. Version 2 CSE IIT, Kharagpur
Module 10 Coding and Testing Lesson 23 Code Review Specific Instructional Objectives At the end of this lesson the student would be able to: Identify the necessity of coding standards. Differentiate between
New Tools for Testing Web Applications with Python
New Tools for Testing Web Applications with Python presented to PyCon2006 2006/02/25 Tres Seaver Palladion Software [email protected] Test Types / Coverage Unit tests exercise components in isolation
Unit and Functional Testing for the ios Platform. Christopher M. Judd
Unit and Functional Testing for the ios Platform Christopher M. Judd Christopher M. Judd President/Consultant of leader Columbus Developer User Group (CIDUG) Remarkable Ohio Free Developed for etech Ohio
Tutorial 7 Unit Test and Web service deployment
Tutorial 7 Unit Test and Web service deployment junit, Axis Last lecture On Software Reuse The concepts of software reuse: to use the knowledge more than once Classical software reuse techniques Component-based
Agile processes. Extreme Programming, an agile software development process
Agile processes Extreme Programming, an agile software development process Nigel Goddard School of Informatics University of Edinburgh What the spiral models were reaching towards was that software development
Achieving business benefits through automated software testing. By Dr. Mike Bartley, Founder and CEO, TVS (mike@testandverification.
Achieving business benefits through automated software testing By Dr. Mike Bartley, Founder and CEO, TVS ([email protected]) 1 Introduction During my experience of test automation I have seen
Testing Python. Applying Unit Testing, TDD, BDD and Acceptance Testing
Brochure More information from http://www.researchandmarkets.com/reports/2755225/ Testing Python. Applying Unit Testing, TDD, BDD and Acceptance Testing Description: Fundamental testing methodologies applied
the first thing that comes to mind when you think about unit testing? If you re a Java developer, it s probably JUnit, since the
By Matt Love W hat s the first thing that comes to mind when you think about unit testing? If you re a Java developer, it s probably JUnit, since the tool is generally recognized as the de facto standard
Automated testing of CS UI using Selenium and Python
Automated testing of CS UI using Selenium and Python Parth Jagirdar Software Test Engineer Datacenter & Cloud Division Citrix Systems Powering Mobile Workstyles and Cloud Services. Introduction You would
The Agile Movement An introduction to agile software development
The Agile Movement An introduction to agile software development 1 The Agile Movement An introduction to agile software development Russell Sherwood @russellsherwood & David Sale @saley89 Agenda Who are
Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science
Massachusetts Institute of Technology Department of Electrical Engineering and Computer Science 6.035, Spring 2013 Handout Scanner-Parser Project Thursday, Feb 7 DUE: Wednesday, Feb 20, 9:00 pm This project
CUT COSTS, NOT PROJECTS
CUT COSTS, NOT PROJECTS Understanding and Managing Software Development Costs A WEBINAR for State of Washington Agencies Critical Logic, Inc. July 9 2009 Starting at 3pm, Pacific Daylight Time Critical
Management Information System Prof. B. Mahanty Department of Industrial Engineering & Management Indian Institute of Technology, Kharagpur
(Refer Slide Time: 00:54) Management Information System Prof. B. Mahanty Department of Industrial Engineering & Management Indian Institute of Technology, Kharagpur Lecture - 18 Data Flow Diagrams - III
Quality Assurance Plan
CloudSizzle : Quality Assurance Plan Quality Assurance Plan General info Changelog 1. Introduction 2. Quality goals and risks 3. Quality Assurance practices 3.1 Testing levels 3.2 Testing - 3.2.1 Test
Unit Testing JUnit and Clover
1 Unit Testing JUnit and Clover Software Component Technology Agenda for Today 2 1. Testing 2. Main Concepts 3. Unit Testing JUnit 4. Test Evaluation Clover 5. Reference Software Testing 3 Goal: find many
Software Life Cycles and Configuration Management
Theory Lecture Plan 2 Software Configuration Lecture 11 Software Engineering TDDC88/TDDC93 autumn 2008 Department of Computer and Information Science Linköping University, Sweden L1 - Course Introduction
Continuous Integration with Jenkins. Coaching of Programming Teams (EDA270) J. Hembrink and P-G. Stenberg [dt08jh8 dt08ps5]@student.lth.
1 Continuous Integration with Jenkins Coaching of Programming Teams (EDA270) J. Hembrink and P-G. Stenberg [dt08jh8 dt08ps5]@student.lth.se Faculty of Engineering, Lund Univeristy (LTH) March 5, 2013 Abstract
The Clean programming language. Group 25, Jingui Li, Daren Tuzi
The Clean programming language Group 25, Jingui Li, Daren Tuzi The Clean programming language Overview The Clean programming language first appeared in 1987 and is still being further developed. It was
Dry Dock Documentation
Dry Dock Documentation Release 0.6.11 Taylor "Nekroze" Lawson December 19, 2014 Contents 1 Features 3 2 TODO 5 2.1 Contents:................................................. 5 2.2 Feedback.................................................
USE OF PYTHON AS A SATELLITE OPERATIONS AND TESTING AUTOMATION LANGUAGE
USE OF PYTHON AS A SATELLITE OPERATIONS AND TESTING AUTOMATION LANGUAGE Gonzalo Garcia VP of Operations, USA Property of GMV All rights reserved INTRODUCTION Property of GMV All rights reserved INTRODUCTION
Latest Research and Development on Software Testing Techniques and Tools
General Article International Journal of Current Engineering and Technology E-ISSN 2277 4106, P-ISSN 2347-5161 2014 INPRESSCO, All Rights Reserved Available at http://inpressco.com/category/ijcet Rasneet
Technical versus non-technical skills in test automation
Technical versus non-technical skills in test automation Dorothy Graham Software Testing Consultant [email protected] SUMMARY In this paper, I discuss the role of the testers and test automators
Preface 2008 - Agile Testing Review
Preface Why We Wrote This Book We were early adopters of Extreme Programming, testing on XP teams that weren't at all sure where testers and testing fit in. At the time, there wasn't much in the agile
Copyrighted www.eh1infotech.com +919780265007, 0172-5098107 Address :- EH1-Infotech, SCF 69, Top Floor, Phase 3B-2, Sector 60, Mohali (Chandigarh),
Content of 6 Months Software Testing Training at EH1-Infotech Module 1: Introduction to Software Testing Basics of S/W testing Module 2: SQA Basics Testing introduction and terminology Verification and
Table of Contents. LESSON: The JUnit Test Tool...1. Subjects...2. Testing 123...3. What JUnit Provides...4. JUnit Concepts...5
Table of Contents LESSON: The JUnit Test Tool...1 Subjects...2 Testing 123...3 What JUnit Provides...4 JUnit Concepts...5 Example Testing a Queue Class...6 Example TestCase Class for Queue...7 Example
Continuous Integration
Continuous Integration WITH FITNESSE AND SELENIUM By Brian Kitchener [email protected] Intro Who am I? Overview Continuous Integration The Tools Selenium Overview Fitnesse Overview Data Dependence My
.NET and J2EE Intro to Software Engineering
.NET and J2EE Intro to Software Engineering David Talby This Lecture.NET Platform The Framework CLR and C# J2EE Platform And Web Services Introduction to Software Engineering The Software Crisis Methodologies
Programming Languages
Programming Languages Qing Yi Course web site: www.cs.utsa.edu/~qingyi/cs3723 cs3723 1 A little about myself Qing Yi Ph.D. Rice University, USA. Assistant Professor, Department of Computer Science Office:
Testing, Debugging, and Verification
Testing, Debugging, and Verification Testing, Part II Moa Johansson 10 November 2014 TDV: Testing /GU 141110 1 / 42 Admin Make sure you are registered for the course. Otherwise your marks cannot be recorded.
An Introduction to text-based test automation and the TextTest tool
An Introduction to text-based test automation and the TextTest tool Contentions 1. That there are circumstances where xunit-style testing isn t the best choice. 2. That the text-based approach is an obvious
Software Engineering for LabVIEW Applications. Elijah Kerry LabVIEW Product Manager
Software Engineering for LabVIEW Applications Elijah Kerry LabVIEW Product Manager 1 Ensuring Software Quality and Reliability Goals 1. Deliver a working product 2. Prove it works right 3. Mitigate risk
HDFS Cluster Installation Automation for TupleWare
HDFS Cluster Installation Automation for TupleWare Xinyi Lu Department of Computer Science Brown University Providence, RI 02912 [email protected] March 26, 2014 Abstract TupleWare[1] is a C++ Framework
Test Driven Development in Python
Test Driven Development in Python Kevin Dahlhausen [email protected] My (pythonic) Background learned of python in 96 < Vim Editor Fast-Light Toolkit python wrappers PyGallery one of the early
Software Testing. Knowledge Base. Rajat Kumar Bal. Introduction
Software Testing Rajat Kumar Bal Introduction In India itself, Software industry growth has been phenomenal. IT field has enormously grown in the past 50 years. IT industry in India is expected to touch
Modulo II Qualidade de Software com Maven
Modulo II Qualidade de Software com Maven Professor Ismael H F Santos [email protected] April 05 Prof. Ismael H. F. Santos - [email protected] 1 Bibliografia Linguagem de Programação JAVA
Optimizing unit test execution in large software programs using dependency analysis
Optimizing unit test execution in large software programs using dependency analysis Taesoo Kim, Ramesh Chandra, and Nickolai Zeldovich MIT CSAIL Abstract TAO is a system that optimizes the execution of
RUnit - A Unit Test Framework for R
RUnit - A Unit Test Framework for R Thomas König, Klaus Jünemann, and Matthias Burger Epigenomics AG November 5, 2015 Contents 1 Introduction 2 2 The RUnit package 4 2.1 Test case execution........................
Open Source HTTP testing tool. Stefane Fermigier <[email protected]>
> Introducing FunkLoad Open Source HTTP testing tool Stefane Fermigier Tests If it's not tested, it's broken Bruce Eckel, Thinking in Java, 3rd edition Copyright 2005 Nuxeo 2 Where do we
Endo-Testing: Unit Testing with Mock Objects
Endo-Testing: Unit Testing with Mock Objects Tim Mackinnon, Steve Freeman, Philip Craig ([email protected], [email protected], [email protected]) ABSTRACT Unit testing is a fundamental practice in Extreme
Network Metrics, Planar Graphs, and Software Tools. Based on materials by Lala Adamic, UMichigan
Network Metrics, Planar Graphs, and Software Tools Based on materials by Lala Adamic, UMichigan Network Metrics: Bowtie Model of the Web n The Web is a directed graph: n webpages link to other webpages
soapui Product Comparison
soapui Product Comparison soapui Pro what do I get? soapui is a complete TestWare containing all feautres needed for Functional Testing of your SOA. soapui Pro has added aditional features for the Enterprise
How To Test Your Code
Testing embedded software Overview 1 Testing = Efficient software development 2 Testing embedded software = special 3 Open source = more testing? 2 Testing is omnipresent in the software development process
Introduction to C Unit Testing (CUnit) Brian Nielsen Arne Skou
Introduction to C Unit Testing (CUnit) Brian Nielsen Arne Skou {bnielsen ask}@cs.auc.dk Unit Testing Code that isn t tested doesn t work Code that isn t regression tested suffers from code rot (breaks
Code Qualities and Coding Practices
Code Qualities and Coding Practices Practices to Achieve Quality Scott L. Bain and the Net Objectives Agile Practice 13 December 2007 Contents Overview... 3 The Code Quality Practices... 5 Write Tests
CME 193: Introduction to Scientific Python Lecture 8: Unit testing, more modules, wrap up
CME 193: Introduction to Scientific Python Lecture 8: Unit testing, more modules, wrap up Sven Schmit stanford.edu/~schmit/cme193 8: Unit testing, more modules, wrap up 8-1 Contents Unit testing More modules
A Pythonic Approach to Continuous Delivery
https://github.com/sebastianneubauer [email protected] A Pythonic Approach to Continuous Delivery Sebastian Neubauer Europython 2015 Overview What is Continuous Delivery? definitions,
Unit Testing and JUnit
Unit Testing and JUnit Testing Objectives Tests intended to find errors Errors should be found quickly Good test cases have high p for finding a yet undiscovered error Successful tests cause program failure,
XP & Scrum. extreme Programming. XP Roles, cont!d. XP Roles. Functional Tests. project stays on course. about the stories
XP & Scrum Beatrice Åkerblom [email protected] extreme Programming XP Roles XP Roles, cont!d! Customer ~ Writes User Stories and specifies Functional Tests ~ Sets priorities, explains stories ~ May or
Approach of Unit testing with the help of JUnit
Approach of Unit testing with the help of JUnit Satish Mishra [email protected] About me! Satish Mishra! Master of Electronics Science from India! Worked as Software Engineer,Project Manager,Quality
Programming in Python. Basic information. Teaching. Administration Organisation Contents of the Course. Jarkko Toivonen. Overview of Python
Programming in Python Jarkko Toivonen Department of Computer Science University of Helsinki September 18, 2009 Administration Organisation Contents of the Course Overview of Python Jarkko Toivonen (CS
Introduction to Python
WEEK ONE Introduction to Python Python is such a simple language to learn that we can throw away the manual and start with an example. Traditionally, the first program to write in any programming language
