...
In FindHighestNumber project create a new package that ends with
.topicmanager
Create a new setup the new test class as shown here (remember you will have errors)
Code Block language c# namespace TopicManagerTests { package xx.yy.zz.topicmanagerservice public class TopicManagerTests { @Test public void find_heighest_score_in_empty_array_return_empty_array() { // Arrange int[] array = {}; TopicManager cut = new TopicManager(); int[] expectedResult = {}; // Act Topic[] result = cut.findTopicHighScores(array); // Assert Assert.That(result, Is.EqualTo(result)); } } }
Create a new class called TopicManager in the FindHighestNumberService project
Clean the code up so that the class is in a package called TopicManagerService
topicmanagerservice
Lines 9, 11, and 14 give us enough information to allow us to start thinking about what we are trying to design here. Based on the requirements, we want to pass into the method
findTopicHighScores
an array of Topics and their accompanying scores. It should return the top topic score of each Topic, we will call this TopicTopScore. Each item in the array being passed into thefindTopicHighScores
will be calledTopicScores
(plural I know, but it matches the context, you may want to lose the ‘s' at the end of the class name). Let’s refactor the code to reflect what we have outlined here.Code Block language c# public class TopicManagerTests { @Test public void find_heighest_score_in_empty_array_return_empty_array() { // Arrange ArrayList<TopicScores> array = new ArrayList<>(); TopicManager cut = new TopicManager(); ArrayList<TopicTopScore> expectedResult = new ArrayList<>(); // Act ArrayList<TopicTopScore> result = cut.findTopicHighScores( array ); // Assert assertEquals( expectedResult, result ); } }
We are now in a good position to get VS to generate the
findTopicHighScores
with the correct signatureCode Block language c# class TopicManager { ArrayList<TopicTopScore> findTopicHighScores(ArrayList<TopicScores> array) { return new ArrayList<>(); } }
Now we need to complete the first piece of implementation code to pass the test
So you will also need the following pieces of code
Code Block package com.s2s.demos.topicmanager; class Topic { private String topicName; int score; public Topic( String topicName, int score) { this.topicName = topicName; this.score = score; } public String getTopicName() { return topicName; } public int getScore() { return score; } }
Code Block public class TopicTopScore { }
Code Block public class TopicScores { }
...