Unit Testing with gunit
|
|
|
- Loreen Hines
- 9 years ago
- Views:
Transcription
1 Unit Testing with gunit Revision 2052 Andrew P. Black July 7, 2015 Abstract Unit testing has become a required part of software development. Every method that might possibly go wrong should have one or more unit tests that describe its behaviour. These tests act as executable documentation: they describe what the method should do in readable terms, by giving examples. If the tests pass, we can be sure that the implementation conforms to this specification. Of course, specification by example cannot be complete, and testing cannot ensure correctness, but it helps enormously in finding bugs, and speeds up development. Test Driven Development (TDD) takes testing to the next level: with TDD, you write your tests before you write your code. This helps you choose good interfaces for your methods interfaces that make sense to the client, not to the implementor. You also know what to do next, and when you are done. The unit testing framework for Grace is called gunit. This document outlines how to use it. 1 An Example The best way to explain how to use gunit is probably by example: 1 import "gunit" as gu 2 import "setvector" as sv 3 4 class settest.formethod(m) { 5 inherits gu.testcasenamed(m) 6 7 var emptyset // :Set<Number> 8 var set23 // :Set<Number> 9 10 method setup { 11 super.setup 1
2 12 emptyset := sv.setvector.new 13 set23 := sv.setvector.new 14 set23.add(2) 15 set23.add(3) 16 } method testempty { 19 assert (emptyset.size == 0) description ("emptyset is not empty!") 20 deny (emptyset.contains 2) description ("emptyset contains 2!") 21 } method testnonempty { 24 assert (set23.size) shouldbe 2 25 assert (set23.contains 2) 26 assert (set23.contains 3) 27 } method testduplication { 30 set23.add(2) 31 assert (set23.size == 2) description "duplication of 2 not detected by set" 32 } 33 } gu.testsuite.fromtestmethodsin(settest).runandprintresults Line 1 imports the gunit package, so that we can use it to implement our tests. Line 2 imports the package under test, here an implementation of Sets called setvector. Starting on line 4 we define a class whose instances will be the individual tests. The actual tests are methods in this class; the names of these methods are chosen to describe what is being tested. We call a class that contains test methods a test class. After the definition of the class, the last line of the example runs the tests. It s a bit complicated, so lets look at it in parts. A testsuite (pronounced like sweet ) is a collection of tests. Like an individual test, you can run a testsuite, which runs all of the tests that it contains. There are several ways of making a testsuite; here we use the method fromtestmethodsin on the object testsuite. This method takes as its argument the test class; it builds a test suite containing one test for each of the test methods in the test class. What do we do with the test suite once we ve made it? Run all of the tests, and print the results! There are other things that we could do too; we will look at test suites later in a bit more detail. 2 Test Classes and Test Methods Why does gunit insist that our tests are methods in a class, rather than simply objects with a run method? The answer is that it s sometimes useful to run a test more than once (for example, when 2
3 hunting for a bug), and its impotent that each test should start with a clean slate, and not be contaminated by previous failed tests. So gunit needs to be able to generate a new instance of a test when required. This is the function of the test class, here the class called asettest. What makes a class a test class? 1. Its instances inherit from testcase.formethod(m). 2. Its constructor method is called formethod(m). 3. Its instances have methods corresponding to the tests that we want to run; these test methods have no parameters and must have a name starting with test. For example, starting on line 18 we see a test called testempty. 4. It s conventional to name the class after the class or object that it s testing, and to include the word Test as a suffix. In our example, the class is called asettest because it s testing the class set. 5. The test class can have method setup and teardown; if they exist, these methods will be run before and after each test method (whether or not the test passes). If you do override these methods, be sure to request super.setup or super.teardown before you do anything else. 6. The test class can have fields and other methods as necessary. For example, it is sometimes convenient to have helper methods for clarity, such as asset()isapproximatelyequalto(). Any defs and vars in the test class will be initialised afresh before each test method is run. What s in a test method? The only thing that has to be in a test is one or more assertions, which are self-requests of various assertion methods inherited from atestcase.formethod(m). 1 method assert (bb: Boolean) description (message) 2 // asserts that bb is true. If bb is not true, the test will fail with message 3 method deny (bb: Boolean) description (message) 4 // asserts that bb is false. If bb is not false, the test will fail with message 5 method assert (bb: Boolean) 6 method deny (bb: Boolean) 7 // short forms, with the default message "assertion failure" 8 method assert (s1:object) shouldbe (s2:object) 9 // like assert (s1 == s2), but with a more appropriate default message 10 method assert (block0) shouldraise (desiredexception) 11 // asserts that the desiredexception is raised during the execution of block0 12 method assert (block0) shouldntraise (undesiredexception) 13 // asserts that the undesiredexception is not raised during the execution of block0. 14 // The assertion holds if block0 raises some other exception, or if it completes 15 // execution without raising any exception. 16 method failbecause (message) 17 // equivalent to assert (false) description (message) 18 method assert(value:object) hastype (Desired:Type) 19 // asserts that value has all of the methods of type Desired. 20 method deny(value:object) hastype (Undesired:Type) 21 // asserts that value is missing one of the methods in the type Undesired 3
4 In addition to the assertions, a test can contain arbitrary executable code. However, because part of the function of a test is to serve as documentation, its a good idea to keep tests as simple as possible. What happens when a test runs? runs. In general, one of three things might happen when a test 1. The test passes, that is, all of the assertions that it makes are true. 2. The test fails, that is, one of the assertions is false. 3. The test errors 1, that is, a runtime error occurs that prevents the test from completing. For example, the test may request a method that does not exist in the receiver, or might index an array out of bounds. In all cases, gunit will record the outcome, and then go on to run the next test. This is important, because we generally want to be able to run a suite of tests, and see how many pass, rather than have testing stop on the first error or failure. For example, when we run the set test suite shown above, we get the output 3 run, 0 failed, 0 errors What happens when your tests don t pass? The rule for Test Driven Development (TDD) is to write the test that documents new functionality before you implement that functionality. Let s illustrate this by adding the remove operation to sets. First, we add another test to asettest: method testremove { set23.remove(2) deny (set23.contains 3) description "{set23} contains 3 after it was removed" } When we run the tests again, we get this output, which summarizes the test run: 4 run, 0 failed, 1 error testremove: no method remove in setvector. The summary output will contain a list of all of the tests that failed, and a list of all of the tests that errored, but not a lot of debugging information. To get more information on the tests that don t pass, we debug them. To do this, we add the following line of code to the test module: asettest.formethod("testremove").debugandprintresults 1 Yes, I m using to error as a verb. How daring! 4
5 This creates a test suite that contains a single method (the method testremove, named in the string argument to formethod), and debugs it. Here is the output: 4 run, 0 failed, 1 error testremove: no method remove in setvector. debugging method testremove... No such method on line 35: no method remove in setvector. called from setvector.remove (defined nowhere in object at setvector:146) at setvectortests:35 called from settest.testremove (defined at setvectortests:34 in object at setvectortests:42) at gunit:142 called from MirrorMethod.request (defined at unknown:0) at gunit:142 called from Block[gUnit:139]._apply (defined at gunit:130) at gunit:143 called from Block[gUnit:139].apply (defined at unknown:0) at gunit:143 called from Block[gUnit:136]._apply (defined at gunit:130) at StandardPrelude:147 called from Block[gUnit:136].apply (defined at unknown:0) at StandardPrelude: run, 0 failed, 1 error testremove: no method remove in setvector. When we debug a test, we see the error message, but any code subsequent to the test that didn t pass is not run. In this example, we see that the problem is that the object under test doesn t actually have a method called remove. This is hardly a surprise, because we haven t implemented it yet! If we implement this method, and run the same tests again, this is what happens: 4 run, 1 failed, 0 errors Failures: testremove: <SetVector: <Vector: 2 3>> contains 3 after it was removed debugging method testremove... Error around line 63: Assertion Failure: <SetVector: <Vector: 2 3>> contains 3 after it was removed Called asettest.debugandprintresults (defined at gunit:149 in object at SetTests:44) on line 155 Called asettest.debug (defined at gunit:132 in object at SetTests:44) on line 151 Called Block«gUnit:134».apply (defined at unknown:0 in object at unknown:0) on line 140 Called Block«gUnit:134»._apply (defined at gunit:128 in object at unknown:0) on line 140 Called MirrorMethod.request (defined at unknown:0 in object at unknown:0) on line 139 Called asettest.testremove (defined at SetTests:36 in object at SetTests:44) on line 139 Called asettest.deny()description (defined at gunit:67 in object at SetTests:44) on line 287 Called asettest.assert()description (defined at gunit:60 in object at SetTests:44) on line 68 Called Exception.raise (defined at unknown:0 in object at unknown:0) on line 63 62: then { 63: failure.raise(str) 64: } minigrace: Program exited with error: SetTests Whoops! We made a mistake when we implemented the remove method; it looks like it doesn t actually remove the argument. 5
6 The one line summary really tells us all that we need to know. The debugging information isn t all that useful: it tell us that the assertion failed, and then gives a stack trace of the path through gunit, which isn t what we want. Perhaps one day Grace will have a debugger that will let us go back in time through the test that failed. Until then, if you make your tests small and simple, you will find that the test itself will give you most of the information that you need to fix the problem. If I go back and correct my implementation of remove, this is the output on the next run: 4 run, 0 failed, 1 error testremove: undefined value used as argument to []:= debugging method testremove... RuntimeError on line 237: undefined value used as argument to []:= called from Block[vector:236]._apply (defined at vector:152) at vector:236 called from Block[vector:236].apply (defined at unknown:0) at vector:236 called from NativePrelude.while()do (defined at unknown:0 in StandardPrelude module) at vector:236 called from vectorclass.removefromindex (defined at vector:228 in object at vector:343) at vector:127 called from vectorclass.removevalue (defined at vector:122 in object at vector:343) at setvector:77 called from setvector.remove (defined at setvector:76 in object at setvector:149) at setvectortests:35 called from settest.testremove (defined at setvectortests:34 in object at setvectortests:42) at gunit: run, 0 failed, 1 error testremove: undefined value used as argument to []:= This output is telling us about an error at line 231 of module vector, which is imported by setvector. On this line, the code accesses an undefined array element in method removefromindex. If the vector module had been developed using TDD, the developer would have found this bug, rather than having it annoy the clients of vector. 3 Test Suites A lot of the power of automated testing comes form being able to run large numbers of tests unattended, and to have a human alerted only when there are errors or failures. To this end, it s useful to be able to collect tests together into collections called test suites. gunit s testsuite implements the Composite pattern, and lets the testing framework treat individual tests and compositions of tests uniformly. A testsuite contains zero or more tests, and zero or more testsuites. A testsuite implements the enumerable interface of collections; you can ask a test suite its size, add a new test or test suite to it, and create an iterator to sequence through it. It also implements the runnable interface of a test: you can run a test suite, runandprintresults, or debugandprintresults. As with any collection factory, testsuite responds to the with(), empty, and withall() requests, answering a new test suite. You can also make a test suite using testsuite.fromtestmethodsin(atestclass), which populates the suite with all of the test methods in atestclass. 6
7 4 Dependencies The implementation of gunit depends on collections and on mirrors. exceptions to print diagnostics about failing tests. Specifically: It also uses methods on 1. testsuites contain lists of tests. 2. testresults contain sets of failures and errors. 3. testsuite.fromtestmethodsin(atestclass) reflects on an instance of atestclass using mirror.reflect, and looks at the names of the available methods. 4. testcasenamed().run uses reflection to request execution of the test method. 5. debugging a test involves extracting the exceptionkind, message, linenumber and backtrace from a dynamically-generated Exception object, so that these things can be printed. 7
SUnit Explained. 1. Testing and Tests. Stéphane Ducasse
1. SUnit Explained Stéphane Ducasse [email protected] http://www.iam.unibe.ch/~ducasse/ Note for the reader: This article is a first draft version of the paper I would like to have. I would like to
Python Loops and String Manipulation
WEEK TWO Python Loops and String Manipulation Last week, we showed you some basic Python programming and gave you some intriguing problems to solve. But it is hard to do anything really exciting until
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
PHP Debugging. Draft: March 19, 2013 2013 Christopher Vickery
PHP Debugging Draft: March 19, 2013 2013 Christopher Vickery Introduction Debugging is the art of locating errors in your code. There are three types of errors to deal with: 1. Syntax errors: When code
Author: Sascha Wolski Sebastian Hennebrueder http://www.laliluna.de/tutorials.html Tutorials for Struts, EJB, xdoclet and eclipse.
JUnit Testing JUnit is a simple Java testing framework to write tests for you Java application. This tutorial gives you an overview of the features of JUnit and shows a little example how you can write
Relative and Absolute Change Percentages
Relative and Absolute Change Percentages Ethan D. Bolker Maura M. Mast September 6, 2007 Plan Use the credit card solicitation data to address the question of measuring change. Subtraction comes naturally.
Software Engineering Techniques
Software Engineering Techniques Low level design issues for programming-in-the-large. Software Quality Design by contract Pre- and post conditions Class invariants Ten do Ten do nots Another type of summary
16.1 DataFlavor. 16.1.1 DataFlavor Methods. Variables
In this chapter: DataFlavor Transferable Interface ClipboardOwner Interface Clipboard StringSelection UnsupportedFlavorException Reading and Writing the Clipboard 16 Data Transfer One feature that was
C++ INTERVIEW QUESTIONS
C++ INTERVIEW QUESTIONS http://www.tutorialspoint.com/cplusplus/cpp_interview_questions.htm Copyright tutorialspoint.com Dear readers, these C++ Interview Questions have been designed specially to get
Designing with Exceptions. CSE219, Computer Science III Stony Brook University http://www.cs.stonybrook.edu/~cse219
Designing with Exceptions CSE219, Computer Science III Stony Brook University http://www.cs.stonybrook.edu/~cse219 Testing vs. Debugging Testing Coding Does the code work properly YES NO 2 Debugging Testing
CS 1133, LAB 2: FUNCTIONS AND TESTING http://www.cs.cornell.edu/courses/cs1133/2015fa/labs/lab02.pdf
CS 1133, LAB 2: FUNCTIONS AND TESTING http://www.cs.cornell.edu/courses/cs1133/2015fa/labs/lab02.pdf First Name: Last Name: NetID: The purpose of this lab is to help you to better understand functions:
TypeScript for C# developers. Making JavaScript manageable
TypeScript for C# developers Making JavaScript manageable Agenda What is TypeScript OO in TypeScript Closure Generics Iterators Asynchronous programming Modularisation Debugging TypeScript 2 What is TypeScript
Introduction to Algorithms March 10, 2004 Massachusetts Institute of Technology Professors Erik Demaine and Shafi Goldwasser Quiz 1.
Introduction to Algorithms March 10, 2004 Massachusetts Institute of Technology 6.046J/18.410J Professors Erik Demaine and Shafi Goldwasser Quiz 1 Quiz 1 Do not open this quiz booklet until you are directed
Lab 4.4 Secret Messages: Indexing, Arrays, and Iteration
Lab 4.4 Secret Messages: Indexing, Arrays, and Iteration This JavaScript lab (the last of the series) focuses on indexing, arrays, and iteration, but it also provides another context for practicing with
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
GDB Tutorial. A Walkthrough with Examples. CMSC 212 - Spring 2009. Last modified March 22, 2009. GDB Tutorial
A Walkthrough with Examples CMSC 212 - Spring 2009 Last modified March 22, 2009 What is gdb? GNU Debugger A debugger for several languages, including C and C++ It allows you to inspect what the program
How to test and debug an ASP.NET application
Chapter 4 How to test and debug an ASP.NET application 113 4 How to test and debug an ASP.NET application If you ve done much programming, you know that testing and debugging are often the most difficult
Introduction to Programming System Design. CSCI 455x (4 Units)
Introduction to Programming System Design CSCI 455x (4 Units) Description This course covers programming in Java and C++. Topics include review of basic programming concepts such as control structures,
CS1102: Adding Error Checking to Macros
CS1102: Adding Error Checking to Macros Kathi Fisler, WPI October 6, 2008 1 Typos in State Machines The point of creating macros for state machines is to hide language details from the programmer. Ideally,
3. Mathematical Induction
3. MATHEMATICAL INDUCTION 83 3. Mathematical Induction 3.1. First Principle of Mathematical Induction. Let P (n) be a predicate with domain of discourse (over) the natural numbers N = {0, 1,,...}. If (1)
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.
Automated Offsite Backup with rdiff-backup
Automated Offsite Backup with rdiff-backup Michael Greb 2003-10-21 Contents 1 Overview 2 1.1 Conventions Used........................................... 2 2 Setting up SSH 2 2.1 Generating SSH Keys........................................
CS 111 Classes I 1. Software Organization View to this point:
CS 111 Classes I 1 Software Organization View to this point: Data Objects and primitive types Primitive types operators (+, /,,*, %). int, float, double, char, boolean Memory location holds the data Objects
Licensed for viewing only. Printing is prohibited. For hard copies, please purchase from www.agileskills.org
Unit Test 301 CHAPTER 12Unit Test Unit test Suppose that you are writing a CourseCatalog class to record the information of some courses: class CourseCatalog { CourseCatalog() { void add(course course)
Glossary of Object Oriented Terms
Appendix E Glossary of Object Oriented Terms abstract class: A class primarily intended to define an instance, but can not be instantiated without additional methods. abstract data type: An abstraction
Logistics. Software Testing. Logistics. Logistics. Plan for this week. Before we begin. Project. Final exam. Questions?
Logistics Project Part 3 (block) due Sunday, Oct 30 Feedback by Monday Logistics Project Part 4 (clock variant) due Sunday, Nov 13 th Individual submission Recommended: Submit by Nov 6 th Scoring Functionality
University of Hull Department of Computer Science. Wrestling with Python Week 01 Playing with Python
Introduction Welcome to our Python sessions. University of Hull Department of Computer Science Wrestling with Python Week 01 Playing with Python Vsn. 1.0 Rob Miles 2013 Please follow the instructions carefully.
Structural Design Patterns Used in Data Structures Implementation
Structural Design Patterns Used in Data Structures Implementation Niculescu Virginia Department of Computer Science Babeş-Bolyai University, Cluj-Napoca email address: [email protected] November,
Code Kingdoms Learning a Language
codekingdoms Code Kingdoms Unit 2 Learning a Language for kids, with kids, by kids. Resources overview We have produced a number of resources designed to help people use Code Kingdoms. There are introductory
Programming Languages
Programming Languages Programming languages bridge the gap between people and machines; for that matter, they also bridge the gap among people who would like to share algorithms in a way that immediately
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
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
Base Conversion written by Cathy Saxton
Base Conversion written by Cathy Saxton 1. Base 10 In base 10, the digits, from right to left, specify the 1 s, 10 s, 100 s, 1000 s, etc. These are powers of 10 (10 x ): 10 0 = 1, 10 1 = 10, 10 2 = 100,
Randy Hyde s Win32 Assembly Language Tutorials (Featuring HOWL) #4: Radio Buttons
Randy Hyde s Win32 Assembly Language Tutorials Featuring HOWL #4: Radio Buttons In this fourth tutorial of this series, we ll take a look at implementing radio buttons on HOWL forms. Specifically, we ll
CHAPTER 18 Programming Your App to Make Decisions: Conditional Blocks
CHAPTER 18 Programming Your App to Make Decisions: Conditional Blocks Figure 18-1. Computers, even small ones like the phone in your pocket, are good at performing millions of operations in a single second.
JMulTi/JStatCom - A Data Analysis Toolkit for End-users and Developers
JMulTi/JStatCom - A Data Analysis Toolkit for End-users and Developers Technology White Paper JStatCom Engineering, www.jstatcom.com by Markus Krätzig, June 4, 2007 Abstract JStatCom is a software framework
Tutorial: Getting Started
9 Tutorial: Getting Started INFRASTRUCTURE A MAKEFILE PLAIN HELLO WORLD APERIODIC HELLO WORLD PERIODIC HELLO WORLD WATCH THOSE REAL-TIME PRIORITIES THEY ARE SERIOUS SUMMARY Getting started with a new platform
Basics of I/O Streams and File I/O
Basics of This is like a cheat sheet for file I/O in C++. It summarizes the steps you must take to do basic I/O to and from files, with only a tiny bit of explanation. It is not a replacement for reading
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
Chapter 2 Writing Simple Programs
Chapter 2 Writing Simple Programs Charles Severance Textbook: Python Programming: An Introduction to Computer Science, John Zelle Software Development Process Figure out the problem - for simple problems
Variable Base Interface
Chapter 6 Variable Base Interface 6.1 Introduction Finite element codes has been changed a lot during the evolution of the Finite Element Method, In its early times, finite element applications were developed
Evaluation of AgitarOne
Carnegie Mellon University, School of Computer Science Master of Software Engineering Evaluation of AgitarOne Analysis of Software Artifacts Final Project Report April 24, 2007 Edited for public release
KITES TECHNOLOGY COURSE MODULE (C, C++, DS)
KITES TECHNOLOGY 360 Degree Solution www.kitestechnology.com/academy.php [email protected] [email protected] Contact: - 8961334776 9433759247 9830639522.NET JAVA WEB DESIGN PHP SQL, PL/SQL
This section provides a 'Quickstart' guide to using TestDriven.NET any version of Microsoft Visual Studio.NET
Quickstart TestDriven.NET - Quickstart TestDriven.NET Quickstart Introduction Installing Running Tests Ad-hoc Tests Test Output Test With... Test Projects Aborting Stopping Introduction This section provides
Outline. 1 Denitions. 2 Principles. 4 Implementation and Evaluation. 5 Debugging. 6 References
Outline Computer Science 331 Introduction to Testing of Programs Mike Jacobson Department of Computer Science University of Calgary Lecture #3-4 1 Denitions 2 3 4 Implementation and Evaluation 5 Debugging
CSE 326: Data Structures. Java Generics & JUnit. Section notes, 4/10/08 slides by Hal Perkins
CSE 326: Data Structures Java Generics & JUnit Section notes, 4/10/08 slides by Hal Perkins Type-Safe Containers Idea a class or interface can have a type parameter: public class Bag { private E item;
Calling the Function. Two Function Declarations Here is a function declared as pass by value. Why use Pass By Reference?
Functions in C++ Let s take a look at an example declaration: Lecture 2 long factorial(int n) Functions The declaration above has the following meaning: The return type is long That means the function
Unit-testing with JML
Métodos Formais em Engenharia de Software Unit-testing with JML José Carlos Bacelar Almeida Departamento de Informática Universidade do Minho MI/MEI 2008/2009 1 Talk Outline Unit Testing - software testing
Boolean Expressions, Conditions, Loops, and Enumerations. Precedence Rules (from highest to lowest priority)
Boolean Expressions, Conditions, Loops, and Enumerations Relational Operators == // true if two values are equivalent!= // true if two values are not equivalent < // true if left value is less than the
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
Java Interview Questions and Answers
1. What is the most important feature of Java? Java is a platform independent language. 2. What do you mean by platform independence? Platform independence means that we can write and compile the java
Hypercosm. Studio. www.hypercosm.com
Hypercosm Studio www.hypercosm.com Hypercosm Studio Guide 3 Revision: November 2005 Copyright 2005 Hypercosm LLC All rights reserved. Hypercosm, OMAR, Hypercosm 3D Player, and Hypercosm Studio are trademarks
Writing Thesis Defense Papers
Writing Thesis Defense Papers The point of these papers is for you to explain and defend a thesis of your own critically analyzing the reasoning offered in support of a claim made by one of the philosophers
Ajax Development with ASP.NET 2.0
Ajax Development with ASP.NET 2.0 Course No. ISI-1071 3 Days Instructor-led, Hands-on Introduction This three-day intensive course introduces a fast-track path to understanding the ASP.NET implementation
Unit Testing. and. JUnit
Unit Testing and JUnit Problem area Code components must be tested! Confirms that your code works Components must be tested t in isolation A functional test can tell you that a bug exists in the implementation
Writing Self-testing Java Classes with SelfTest
Writing Self-testing Java Classes with SelfTest Yoonsik Cheon TR #14-31 April 2014 Keywords: annotation; annotation processor; test case; unit test; Java; JUnit; SelfTest. 1998 CR Categories: D.2.3 [Software
Software Testing. Definition: Testing is a process of executing a program with data, with the sole intention of finding errors in the program.
Software Testing Definition: Testing is a process of executing a program with data, with the sole intention of finding errors in the program. Testing can only reveal the presence of errors and not the
Debugging Strategies
CS106A Winter 2012-2013 Handout #25 February 25, 2013 Debugging Strategies Based on a handout by Eric Roberts, Mehran Sahami, and Nick Parlante Much of your time as a computer programmer will likely be
Introduction to Synoptic
Introduction to Synoptic 1 Introduction Synoptic is a tool that summarizes log files. More exactly, Synoptic takes a set of log files, and some rules that tell it how to interpret lines in those logs,
AppleScript and Apple Remote Desktop
applescript and ARD 6/1/07 12:55 PM Page 2 AppleScript and Apple Remote Desktop Automating an automation tool Welcome By John C. Welch Ah, back again; into the breach, and this time, we look at two of
5544 = 2 2772 = 2 2 1386 = 2 2 2 693. Now we have to find a divisor of 693. We can try 3, and 693 = 3 231,and we keep dividing by 3 to get: 1
MATH 13150: Freshman Seminar Unit 8 1. Prime numbers 1.1. Primes. A number bigger than 1 is called prime if its only divisors are 1 and itself. For example, 3 is prime because the only numbers dividing
Lecture 2 Mathcad Basics
Operators Lecture 2 Mathcad Basics + Addition, - Subtraction, * Multiplication, / Division, ^ Power ( ) Specify evaluation order Order of Operations ( ) ^ highest level, first priority * / next priority
6. Control Structures
- 35 - Control Structures: 6. Control Structures A program is usually not limited to a linear sequence of instructions. During its process it may bifurcate, repeat code or take decisions. For that purpose,
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
Pseudo code Tutorial and Exercises Teacher s Version
Pseudo code Tutorial and Exercises Teacher s Version Pseudo-code is an informal way to express the design of a computer program or an algorithm in 1.45. The aim is to get the idea quickly and also easy
Programming Exercises
s CMPS 5P (Professor Theresa Migler-VonDollen ): Assignment #8 Problem 6 Problem 1 Programming Exercises Modify the recursive Fibonacci program given in the chapter so that it prints tracing information.
Python for Rookies. Example Examination Paper
Python for Rookies Example Examination Paper Instructions to Students: Time Allowed: 2 hours. This is Open Book Examination. All questions carry 25 marks. There are 5 questions in this exam. You should
Demonstrating a DATA Step with and without a RETAIN Statement
1 The RETAIN Statement Introduction 1 Demonstrating a DATA Step with and without a RETAIN Statement 1 Generating Sequential SUBJECT Numbers Using a Retained Variable 7 Using a SUM Statement to Create SUBJECT
14:440:127 Introduction to Computers for Engineers. Notes for Lecture 06
14:440:127 Introduction to Computers for Engineers Notes for Lecture 06 Rutgers University, Spring 2010 Instructor- Blase E. Ur 1 Loop Examples 1.1 Example- Sum Primes Let s say we wanted to sum all 1,
Advanced Tornado TWENTYONE. 21.1 Advanced Tornado. 21.2 Accessing MySQL from Python LAB
21.1 Advanced Tornado Advanced Tornado One of the main reasons we might want to use a web framework like Tornado is that they hide a lot of the boilerplate stuff that we don t really care about, like escaping
The partnership has also led to a joint library catalogue between Suffolk and Cambridgeshire.
Case study: SPINE 2 What Our questionnaire response tells us that SPINE (Shared Partnership in the East) is: A partnership of library authorities comprising Cambridgeshire, Suffolk and Norfolk, focused
Keil Debugger Tutorial
Keil Debugger Tutorial Yifeng Zhu December 17, 2014 Software vs Hardware Debug There are two methods to debug your program: software debug and hardware debug. By using the software debug, you do not have
PART-A Questions. 2. How does an enumerated statement differ from a typedef statement?
1. Distinguish & and && operators. PART-A Questions 2. How does an enumerated statement differ from a typedef statement? 3. What are the various members of a class? 4. Who can access the protected members
language 1 (source) compiler language 2 (target) Figure 1: Compiling a program
CS 2112 Lecture 27 Interpreters, compilers, and the Java Virtual Machine 1 May 2012 Lecturer: Andrew Myers 1 Interpreters vs. compilers There are two strategies for obtaining runnable code from a program
Unit Testing & JUnit
Unit Testing & JUnit Lecture Outline Communicating your Classes Introduction to JUnit4 Selecting test cases UML Class Diagrams Rectangle height : int width : int resize(double,double) getarea(): int getperimeter():int
Regular Expressions and Automata using Haskell
Regular Expressions and Automata using Haskell Simon Thompson Computing Laboratory University of Kent at Canterbury January 2000 Contents 1 Introduction 2 2 Regular Expressions 2 3 Matching regular expressions
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
Chapter 8 Software Testing
Chapter 8 Software Testing Summary 1 Topics covered Development testing Test-driven development Release testing User testing 2 Program testing Testing is intended to show that a program does what it is
RTOS Debugger for ecos
RTOS Debugger for ecos TRACE32 Online Help TRACE32 Directory TRACE32 Index TRACE32 Documents... RTOS Debugger... RTOS Debugger for ecos... 1 Overview... 2 Brief Overview of Documents for New Users... 3
MATLAB Functions. function [Out_1,Out_2,,Out_N] = function_name(in_1,in_2,,in_m)
MATLAB Functions What is a MATLAB function? A MATLAB function is a MATLAB program that performs a sequence of operations specified in a text file (called an m-file because it must be saved with a file
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
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
CS330 Design Patterns - Midterm 1 - Fall 2015
Name: Please read all instructions carefully. The exam is closed book & no laptops / phones / computers shall be present nor be used. Please write your answers in the space provided. You may use the backs
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007
Object-Oriented Design Lecture 4 CSU 370 Fall 2007 (Pucella) Tuesday, Sep 18, 2007 The Java Type System By now, you have seen a fair amount of Java. Time to study in more depth the foundations of the language,
UNIVERSITY OF CALIFORNIA Department of Electrical Engineering and Computer Sciences Computer Science Division. P. N. Hilfinger
UNIVERSITY OF CALIFORNIA Department of Electrical Engineering and Computer Sciences Computer Science Division CS 61B Fall 2014 P. N. Hilfinger Unit Testing with JUnit 1 The Basics JUnit is a testing framework
10CS35: Data Structures Using C
CS35: Data Structures Using C QUESTION BANK REVIEW OF STRUCTURES AND POINTERS, INTRODUCTION TO SPECIAL FEATURES OF C OBJECTIVE: Learn : Usage of structures, unions - a conventional tool for handling a
Enjoying EPUB ebooks on Your Nook
Enjoying EPUB ebooks on Your Nook From the New Hampshire Downloadable Books Consortium Outline: 1. Download & Install Adobe Digital Editions. 2. Register for an Adobe account or use your existing account
Visual Logic Instructions and Assignments
Visual Logic Instructions and Assignments Visual Logic can be installed from the CD that accompanies our textbook. It is a nifty tool for creating program flowcharts, but that is only half of the story.
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
Microsoft Dynamics GP. Project Accounting Billing Guide
Microsoft Dynamics GP Project Accounting Billing Guide Copyright Copyright 2010 Microsoft. All rights reserved. Limitation of liability This document is provided as-is. Information and views expressed
Java course - IAG0040. Unit testing & Agile Software Development
Java course - IAG0040 Unit testing & Agile Software Development 2011 Unit tests How to be confident that your code works? Why wait for somebody else to test your code? How to provide up-to-date examples
Getting off the ground when creating an RVM test-bench
Getting off the ground when creating an RVM test-bench Rich Musacchio, Ning Guo Paradigm Works [email protected],[email protected] ABSTRACT RVM compliant environments provide
Inside the Java Virtual Machine
CS1Bh Practical 2 Inside the Java Virtual Machine This is an individual practical exercise which requires you to submit some files electronically. A system which measures software similarity will be used
Paper 2917. Creating Variables: Traps and Pitfalls Olena Galligan, Clinops LLC, San Francisco, CA
Paper 2917 Creating Variables: Traps and Pitfalls Olena Galligan, Clinops LLC, San Francisco, CA ABSTRACT Creation of variables is one of the most common SAS programming tasks. However, sometimes it produces
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
