Home CS61B: Lecture 6
Post
Cancel

CS61B: Lecture 6

Testing

  • If we write a function to test the output of a unit of our code to a pre-determined output, that is called a unit test.
  • Ex: Sorting function for an array of strings.
1
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
public class Sort {
    public static int findSmallest(String[] x, int s) {
        int smallest = s;
        for (int i = s; i < x.length; i+=1) {
            if (x[i].compareTo(x[smallest]) < 0) {
                smallest = i;
            }
        }
        return smallest;
    }

    public static void swap(String[] x, int a, int b) {
        String temp = x[a];
        x[a] = x[b];
        x[b] = temp;
    }

    public static void sort(String[] x) {
        sort(x, 0);
    }

    /*
     * Helper methods could be used to use recursion
     * in a method that does not support recorsion
     */
    private static void sort(String[] x, int s) {
        if (s == x.length) {
            return ;
        }
        int smallest = findSmallest(x, s);
        swap(x, s, smallest);
        sort(x, s+1);
    }
}

String[] test = {"cat", "bob", "luka", "c++ is ..."};
Sort.sort(test);
Arrays.toString(test);
1
[bob, c++ is ..., cat, luka]
  • A unit test for example would look like the following:
1
%classpath add jar ../../cs61b/library-sp25/*.jar
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
public class TestSort {
    @Test
    public static void testSort() {
        String[] input = {"cat", "bob", "luka", "c++ is ..."};
        String[] expected = {"bob", "cat", "C++ is ...", "luka"};
        Sort.sort(input);

        assertThat(input).isEqualTo(expected);
    }

    @Test
    public static void testFindSmallest() {
        String[] input = {"cat", "bob", "luka", "c++ is ..."};
        int expected = 1;
        int actual = Sort.findSmallest(input, 0);
        
        assertThat(input).isEqualTo(expected);
    }

    @Test
    public static void testSwap() {
        String[] input = {"cat", "bob", "luka", "c++ is ..."};
        String[] expected = {"bob", "cat", "luka", "c++ is ..."};
        Sort.swap(input, 0, 1);
        
        assertThat(input).isEqualTo(expected);
    }
}
This post is licensed under CC BY 4.0 by the author.

CS61B: Lecture 5

Testing