Creating a new library

Assignment Help Software Engineering
Reference no: EM132865247

ITAP2008 Software Testing - Victorian Institute of Technology

Lab 5

Creating a project and supporting unit tests

During this lab session, you'll go through the process of creating a new project, as well as some supporting unit tests.

Task 1: Creating a new library

In this task, you'll create a basic calculator library.
1 Open Visual Studio 2013.
2 From the main menu, select File | New | Project.
3 In the New Project dialog, select the Visual C# | Windows Desktop category and the Class Library template (As shown in Figure 1). Type "MyCalculator" as the Name and click OK.

4 In Solution Explorer, Right-click the Class1.cs and select Rename. Change the name to "Calculator.cs".

5 When asked to update the name of the class itself, click Yes.

6 Add the following Add method to Calculator.cs.

C#?
public int Add(int first, int second) { return first + second;
}

Note: For the purposes of this lab, all operations will be performed using the int value type. In the real world, calculators would be expected to scale to a much greater level of precision. However, the requirements have been relaxed here in order to focus on the unit testing.

Task 2: Creating a unit test project

In this task, you'll create a new unit test project for your calculator library. Unit tests are kept in their own class libraries, so you'll need to add one to the solution.
1. Right-click the solution node and select Add | New Project.

2. Select the Visual C# | Test category and the Unit Test Project template. Type "MyCalculator.Tests" as the Name and click OK. It's a common practice to name the unit test assembly by adding a ".Tests" namespace to the name of the assembly it targets.

The wizard will end by opening the default unit test file. There are three key aspects of this class to notice. First, it includes a reference to Visual Studio's unit testing framework. This namespace includes key attributes and classes, such as the Assert class that performs value testing. Second, the class itself is attributed with TestClass, which is required by the framework to detect classes containing tests after build. Finally, the test method is attributed with TestMethod to indicate that it should be run as a test. Any method that is not attributed with this will be ignored by the framework, so it's important to pay attention to which methods do and don't have this attribute.

3. The first thing you'll need to do with the unit test project is to add a reference to the project you'll be testing. In Solution Explorer, right-click the References node of MyCalculator.Tests and select Add Reference.

4. Select the Projects category in the left pane and check MyCalculator in the main pane. Click OK to add the reference.

5. To make the project easier to manage, you should rename the default unit test file. In Solution Explorer, right-click UnitTest1.cs and rename it to "CalculatorTests.cs".

6. When asked to rename the class itself, click Yes.

7. At the top of CalculatorTests.cs, add the following using directive.

C#
using MyCalculator;

8. Rename TestMethod1 to AddSimple. As a project grows, you'll often find yourself reviewing a long list of tests, so it's a good practice to give the tests descriptive names. It's also helpful to prefix the names of similar tests with the same string so that tests like AddSimple, AddWithException, AddNegative, etc, all show up together in various views.

C#
public void AddSimple()

Now you're ready to write the body of your first unit test. The most common pattern for writing unit tests is called AAA. This stands for Arrange, Act, & Assert. First, initialize the environment. Second, perform the target action. Third, assert that the action resulted the way you intended.

9. Add the following code to the body of the AddSimple method.

C#
Calculator calculator = new Calculator(); int sum = calculator.Add(1, 2); Assert.AreEqual(0, sum);

This test has only three lines, and each line maps to one of the AAA steps. First, the Calculator is created. Second, the Add method is called. Third, the sum is compared with the expected result. Note that you're designing it to fail at first because the value of 0 is not what the correct result should be. However, it's a common practice to fail a test first to ensure that the test is valid, and then update it to the expected behavior for success. This helps avoid false positives.

10. From the main menu, select Test | Windows | Test Explorer. This will bring up the Test Explorer, which acts as a hub for test activity. Note that it will be empty at first because the most recent build does not contain any unit tests.

12. The unit test should now appear in Test Explorer. Right-click it and select Run Selected Tests.

Note that while the test process is running, the progress bar in Test Explorer shows an indeterminate green indicator.

13. However, once the test fails, the bar turns red. This provides a quick and easy way to see the status of your tests. You can also see the status of each individual test based on the icon to its left. Click the test result to see the details about why it failed. If you click the CalculatorTests.AddSimple link at the bottom, it will bring you to the method.

C#
Assert.AreEqual(3, sum);

15. In Test Explorer, click Run | Run Failed Tests. Note that this option only runs the tests that failed in the last pass, which can save time. However, it doesn't run passed tests that may have been impacted by more recent code changes, so be careful when selecting which tests to run.

16. Now that the test passes, the progress bar should provide a solid green. Also, the icon next to the test will turn green. If you click the test, it will provide the basic stats for the test's run.

Task 3: Creating a new feature using test-driven development

In this task, you'll create a new feature in the calculator library using the philosophy known as "test- driven development" (TDD). Simply put, this approach encourages that the tests be written before new code is developed, such that the initial tests fail and the new code is not complete until all the tests pass. Some developers find this paradigm to produce great results, while others prefer to write tests during or after a new feature is implemented. It's really up to you and your organization because Visual Studio provides the flexibility for any of these approach.

1. Add the following method to CalculatorTests.cs. It is a simple test that exercises the Divide method of the library.
C#
[TestMethod]
public void DivideSimple()
{
Calculator calculator = new Calculator(); int quotient = calculator.Divide(10, 5); Assert.AreEqual(2, quotient);
}

2. However, since the Divide method has not yet been built, the test cannot be run. However, you can feel confident that this is how it's supposed to work, so now you can focus on implementation.

Strictly speaking, the next step should be to implement only the method shell with no functionality. This will allow you to build and run the test, which will fail. However, you can skip ahead here by adding the complete method since it's only one line.

3. Add the Divide method to Calculator.cs.
C#?
public int Divide(int dividend, int divisor) { return dividend / divisor;
}

4. From the main menu, select Build | Build Solution.

5. In Test Explorer, right-click the new DivideSimple method and select Run Selected Tests.

However, there is one edge case to be aware of, which is the case where the library is asked to divide by zero. Ordinarily you would want to test the inputs to the method and throw exceptions as needed, but since the underlying framework will throw the appropriate DivideByZeroException, you can take this easy shortcut.

6. Add the following method to CalculatorTests.cs. It attempts to divide 10 by 0.
C#
[TestMethod]
public void DivideByZero()

{
Calculator calculator = new Calculator(); calculator.Divide(10, 0);
}
7. Right-click within the body of the test method and select Run Tests. This is a convenient way to run just this test.

8. The test will run and fail, but that's expected. If you select the failed test in Test Explorer, you'll see that the DivideByZeroException was thrown, which is by design.

However, this is expected behavior, so you can attribute the test method with the ExpectedException attribute.

9. Add the following attribute above the definition of DivideByZero. Note that it takes the type of exception it's expecting to be thrown during the course of the test. C#
[ExpectedException(typeof(DivideByZeroException))]

10. In Test Explorer, right-click the failed test and select Run Selected Tests.

Task 4: Organizing unit tests

In this task, you'll organize the unit tests created so far using different groupings, as well as create custom traits for finer control over organization.

By default, Test Explorer organizes tests into three categories: Passed Tests, Failed Tests, and Not Run Tests. This is useful for most scenarios, especially since developers often only care about the tests that are currently failing.

1. However, sometimes it can be useful to group tests by other attributes. Right-click near the tests and select Group By | Project.

This will organize the tests based on the project they belong to. This can be very useful when navigating huge solutions with many test projects.

2. Another option is to organize tests by the class they're part of. Right-click near the tests and select Group By | Class.

The tests are now grouped by class, which is useful when the classes are cleanly divided across functional boundaries.

3. Yet another option is to organize tests by how long they take to run. Right-click near the tests and select Group By | Duration.

Grouping by duration makes it easy to focus on tests that may indicate poorly performing code.

4. Finally, there is another option to organize tests by their traits. Right-click near the tests and select Group By | Traits.

By default, a test method doesn't have any traits.

5. However, traits are easy to add using an attribute. Add the following code above the AddSimple method. It indicates that this test has the Add trait. Note that you may add multiple traits per test, which is useful if you want to tag a test with its functional purpose, development team, performance relevance, etc.

C#
[TestCategory("Add")]

6. Add TestCategory attributes to each of the divide tests, but use the category Divide.
7. From the main menu, select Build | Build Solution.

8. Another useful attribute for organizing tests is the Ignore attribute. This simply tells the test engine to skip this test when running. Add the following code above the AddSimple method.

C#
[Ignore]

9. In Test Explorer, click Run All to build and run all tests.

10. Note that AddSimple has a yellow exclamation icon now, which indicates that it did not run as part of the last test pass.

There are a few more test attributes that aid in the organization and tracking of unit tests.
- Description allows you to specify a description for the test.
- Owner specifies the owner of the test.

- HostType allows you to specify the type of host the test can run on.
- Priority specifies the priority at which this test should run.
- Timeout specifies how long the test may run until it times out.
- WorkItem allows you to specify the work item IDs the test is associated with.
- CssProjectStructure represents the node in the team project hierarchy to which this test corresponds.
- CssIteration represents the project iteration to which this test corresponds.

Note: All figures are attached in below file.

Attachment:- Lab Tutorial Lesson 5.rar

Reference no: EM132865247

Questions Cloud

Building and debugging application : Building and Debugging Application - Create a new C# class with the name CalcFactorial. New Project | Windows Desktop | Console
What is the purpose of the image : What is the historical context in which the source was produced and viewed? What is the purpose of the image? What messages does it convey?
Discuss whether you would recommend hiring : Discuss whether you would recommend hiring from within the organization or hiring externally.
Design a questionnaire to assess the usability : Design a questionnaire to assess the usability of a search bar on a website. Refer lecture notes for examples - What types of error is each likely to find
Creating a new library : Creating a new library - create a new unit test project for your calculator library. Unit tests are kept in their own class libraries
At what amount is the lease liability recorded at lease? : Easymoney? Bank's implicit rate of 10?% is known to Wynn. At what amount is the lease liability recorded at lease? commencement
Create a new unit test project for your calculator library : Create a new unit test project for your calculator library. Unit tests are kept in their own class libraries, so you'll need to add one to the solution
Disease of global concern : Characteristics of a person or people, geographical location, and era help to better understand the development and pervasiveness of a disease.
Humans and the ecosystem : How does energy flow through an ecosystem? What is a producer, a consumer (primary and secondary) and a decomposer?

Reviews

Write a Review

Software Engineering Questions & Answers

  Design documentation for a proposed application project

Your assignment is to create initial design documentation for a proposed final application project. Your final project for this class will require building a complete application of your choosing and design in Visual Studio.

  What is structure and design methodology

What is structure and design methodology

  App implementation - implement all of the given features

Implement one feature that has not been taught in this course. Research this part and figure out how to implement it? This is the part where you can display the passion for the iOS programming.

  Compare the pros and cons of 3g and 4g technology to find

there are a number of cellular phone companies each serving their own unique geographical areas. likewise they each may

  Use programming project: create a gpa calculator

Use programming project: Create a GPA calculator

  How do you fit systems requirements specification

How do you fit Systems Requirements Specification (SRS) documentation into an agile framework - Is it possible to use agile methodologies when the customer is not on site? If so how?

  Develop MS Access prototype that relate to project

BN209 Software Engineering Assignment. Produce and submit a consolidated FIRST VERSION of the MS Access Prototype for your chosen project

  Quality web design company

the Course Project (comprised of Phase I and II) - Recommend solutions to the potential weaknesses from either the Aircraft Solutions or Quality Web Design Company.

  Programming frameworks besides asp.net

Name three other web programming frameworks besides ASP.NET. Explain the ways that ASP.NET is different than other web programming frameworks.

  What constraints should a software architect consider

How have you determined project scope in your current profession? What constraints should a software architect consider to determine project goals?

  Describe two requirements of the software as service

Describe two requirements of the software as service and the subscription economy as outlined in the Forbes article. Explain how your selected requirements affect the subscription business model.

  Identify a non-traditional software development model

Update previously completed sections based on instructor feedback. Identify a non-traditional software development model that could be used by your company.

Free Assignment Quote

Assured A++ Grade

Get guaranteed satisfaction & time on delivery in every assignment order you paid with us! We ensure premium quality solution document along with free turntin report!

All rights reserved! Copyrights ©2019-2020 ExpertsMind IT Educational Pvt Ltd