Java 2

Week 3

 

Software Development Life Cycle, Steps 4-7

Fraction Class

5. Testing

  • Continued from Week 2

  • We ended day 4 talking about the lcm() method.

Test Static Methods

  • To test the lcm method, we should consider several cases:

    • Two standard positive integers.

    • Two prime numbers.

    • Cases where one number is a multiple of the other.

    • Cases involving the number 1.

    • Edge cases, such as involving the number 0.

  • We can break each case into a separate @Test method.

  • We can add a @DisplayName annotation to explain its purpose.

  • The fundamental rule of unit testing is "one test tests one thing." In the previous examples, if the first assertEquals fails, the second test never runs, potentially hiding another bug.

Test Static Methods

@Test
@DisplayName("Test LCM with two positive integers")
void testLcmWithPositiveIntegers() {
    assertEquals(24, Fraction.lcm(6, 8));
}

@Test
@DisplayName("Test LCM where one number is a multiple of the other")
void testLcmWithMultiple() {
    assertEquals(12, Fraction.lcm(4, 12));
}

@Test
@DisplayName("Test LCM with two prime numbers")
void testLcmWithPrimes() {
    // The lcm of two prime numbers is their product.
    assertEquals(77, Fraction.lcm(7, 11));
}

@Test
@DisplayName("Test LCM with the number 1")
void testLcmWithOne() {
    assertEquals(9, Fraction.lcm(1, 9));
    assertEquals(9, Fraction.lcm(9, 1));
}

@Test
@DisplayName("Test LCM with identical numbers")
void testLcmWithIdenticalNumbers() {
    assertEquals(5, Fraction.lcm(5, 5));
}

@Test
@DisplayName("Test LCM where one of the inputs is zero")
void testLcmWithZero() {
    assertEquals(0, Fraction.lcm(10, 0));
    assertEquals(0, Fraction.lcm(0, 10));
    assertEquals(0, Fraction.lcm(0, 0));
}

Write Code to Pass Tests

  • We will use this solution.

  • The best approach is reduction by the GCD.

  • Add a simple if statement to get the test where one of the inputs is zero to pass.

    • ​Without it, the test will encounter an ArithmeticException because it cannot divide by 0.

public static int lcm(int a, int b) {
    if (a == 0 || b == 0) {
        return 0;
    }
    return a * (b / gcd(a, b));
}

Test simplify Method

  • Set the numerator to 75 and denominator to 45.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "5/3".
  • Set the numerator to 2 and denominator to 4.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "1/2".
  • Set the numerator to 5 and denominator to 7.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "5/7".
@Test
void simplify() {
    f1.setNumerator(75);
    f1.setDenominator(45);
    f1.simplify();
    assertEquals("5/3",f1.toString());

    f1.setNumerator(2);
    f1.setDenominator(4);
    f1.simplify();
    assertEquals("1/2",f1.toString());

    f1.setNumerator(5);
    f1.setDenominator(7);
    f1.simplify();
    assertEquals("5/7",f1.toString());
}

Test simplify Method

  • Set the numerator to -2 and denominator to 4.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "-1/2".
  • Set the numerator to 2 and denominator to -4.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "-1/2".
  • Set the numerator to -2 and denominator to -4.
    • Call the simplify method to return a new Fraction object.
    • The value returned should be "1/2".
@Test
void simplify() {
    f1.setNumerator(75);
    f1.setDenominator(45);
    f1.simplify();
    assertEquals("5/3",f1.toString());

    f1.setNumerator(2);
    f1.setDenominator(4);
    f1.simplify();
    assertEquals("1/2",f1.toString());

    f1.setNumerator(5);
    f1.setDenominator(7);
    f1.simplify();
    assertEquals("5/7",f1.toString());

    f1.setNumerator(-2);
    f1.setDenominator(4);
    f1.simplify();
    assertEquals("-1/2",f1.toString());

    f1.setNumerator(2);
    f1.setDenominator(-4);
    f1.simplify();
    assertEquals("-1/2",f1.toString());

    f1.setNumerator(-2);
    f1.setDenominator(-4);
    f1.simplify();
    assertEquals("1/2",f1.toString());
}

Write Code to Pass Tests

  • Find the greatest common divisor of the Fraction object's numerator and denominator.

  • Update the numerator to be the current numerator divided by the greatest common divisor

  • Update the denominator to be the current denominator divided by the greatest common divisor.

public void simplify() {
    int gcd = gcd(numerator, denominator);
    numerator /= gcd;
    denominator /= gcd;
}

Test toMixedNumber Method

  • Below is a set of assertions to test the toMixedNumber method.

@Test
void toMixedNumber() {
    assertEquals("1", f1.toMixedNumber(), "1/1 should be 1");
    assertEquals("2/3", f2.toMixedNumber(), "2/3 should be 2/3");
    f2.setNumerator(0);
    assertEquals("0", f2.toMixedNumber(), "0/3 should be 0");
    f1.setNumerator(7);
    f1.setDenominator(4);
    assertEquals("1 3/4", f1.toMixedNumber(), "7/4 should be 1 3/4");
    f1.setNumerator(-7);
    assertEquals("-1 3/4", f1.toMixedNumber(), "-7/4 should be -1 3/4");
}
  • Below is a possible implementation of the toMixedNumber method.

public String toMixedNumber() {
    simplify();
    if(denominator == 1) {
        return numerator + "";
    } else if(Math.abs(numerator) > denominator) {
        int wholeNumber = Math.abs(numerator) / denominator;
        int remainder = Math.abs(numerator) % denominator;
        return (numerator < 0 ? "-" : "") + wholeNumber + " " + remainder + "/" + denominator;
    } else if(numerator == 0) {
        return "0";
    } else {
        return toString();
    }
}

Test add Method

  • The fundamental rule of unit testing is "one test tests one thing."
  • Each test should be completely independent and set up its own objects.
  •  Explicitly check if the result is simplified. For example, adding 1/4 + 1/4 should result in 1/2, not 2/8.
@Test
@DisplayName("Test 1/1 + 2/3 = 5/3")
void addWholeNumberToFraction() {
    Fraction result = f1.add(f2);
    assertEquals(5, result.getNumerator());
    assertEquals(3, result.getDenominator());
}

@Test
@DisplayName("Test -1/4 + 2/3 = 5/12")
void addNegativeFractionToPositive() {
    f1 = new Fraction(25, -100); // Represents -1/4
    f2 = new Fraction(-10, -15); // Represents 2/3
    Fraction result = f1.add(f2);
    assertEquals(5, result.getNumerator());
    assertEquals(12, result.getDenominator());
}

@Test
@DisplayName("Test 1/4 + 1/4 = 1/2")
void addFractionsThatNeedSimplification() {
    f1 = new Fraction(1, 4);
    f2 = new Fraction(1, 4);
    Fraction result = f1.add(f2);
    assertEquals(1, result.getNumerator());
    assertEquals(2, result.getDenominator());
}

Write Code to Pass Tests

  • Calculate the new numerator and denominator using the cross-multiplication formula.
  • Create a new fraction with the result of the addition.
  • Simplify the new fraction before returning it.
public Fraction add(Fraction other) {
    int newNumerator = this.numerator * other.denominator + this.denominator * other.numerator;
    int newDenominator = this.denominator * other.denominator;
    Fraction result = new Fraction(newNumerator, newDenominator);
    result.simplify();
    return result;
}
flowchart TD
    A@{ shape: circle, label: "Start" } --> B@{ shape: lean-r, label: "Input Fraction 1 (n1/d1)<br>Input Fraction 2 (n2/d2)" };
    B --> C@{ shape: rect, label: "Set new numerator by cross multiplying<br>(n1 * d2 + d1 * n2)" };
    C --> D@{ shape: rect, label: "Set new denominator<br>(d1 * d2)" };
    D --> E@{ shape: rect, label: "Display result as a simplified mixed number" };
    E --> F@{ shape: circle, label: "End" };

Test compareTo Method

  • If object 1 is greater than object 2, the compareTo method will return a positive number.
  • If object 1 is less than object 2, the compareTo method will return a negative number.
  • If object 1 is equal to object 2, the compareTo method will return zero.
@Test
@DisplayName("Test 1/1 is greater than 2/3")
void compareToGreaterThan() {
    assertTrue(f1.compareTo(f2) > 0);
    assertTrue(f2.compareTo(f1) < 0);
}

@Test
@DisplayName("Test 2/3 and 4/6 are equal")
void compareToEquals() {
    f1 = new Fraction(4, 6);
    assertEquals(0, f1.compareTo(f2));
    assertEquals(0, f1.compareTo(f1), "A fraction compared to itself should be equal");
}

@Test
@DisplayName("Test 1/3 is less than 2/3")
void compareToLessThan() {
    f1 = new Fraction(1, 3);
    assertTrue(f1.compareTo(f2) < 0);
    assertTrue(f2.compareTo(f1) > 0);
}

@Test
@DisplayName("Test comparison with negative fractions (-1/2 vs 1/4)")
void compareToWithNegativeFractions() {
    Fraction f1 = new Fraction(-1, 2);
    Fraction f2 = new Fraction(1, 4);
    Fraction f3 = new Fraction(-3, 4);
    assertTrue(f1.compareTo(f2) < 0, "-1/2 is less than 1/4");
    assertTrue(f2.compareTo(f1) > 0, "1/4 is greater than -1/2");
    assertTrue(f3.compareTo(f1) < 0, "-3/4 is less than -1/2");
}

Write Code to Pass Tests

  • The most reliable way to compare two fractions (n1/d1 and n2/d2) is to use cross-multiplication. 
  • The products of the numerators and denominators could potentially exceed the maximum value of an int. By casting to a long before multiplication, we prevent this integer overflow.
  • The comparison n1/d1 vs n2/d2 is equivalent to comparing the integer results of n1 * d2 vs n2 * d1.
  •  Using Long.compare(a, b) is the standard way to compare two long values. It simply returns -1, 0, or 1 based on the comparison.
@Override
public int compareTo(Fraction o) {
    long thisNumerator = (long)this.numerator;
    long thisDenominator = (long)this.denominator;
    long otherNumerator = (long)o.numerator;
    long otherDenominator = (long)o.denominator;
    
    long a = thisNumerator * otherDenominator;
    long b = otherNumerator * thisDenominator;
    
    return Long.compare(a, b);
}

In-Class Group Activity

  • In groups of 2 to 3 students, write unit tests and implement the methods.
    • simplify() :: void
    • toMixedNumberString() :: String
    • subtract(Fraction other) :: Fraction
    • multiply(Fraction other) :: Fraction
    • divide(Fraction other) :: Fraction

4. Development (Coding)

  • Create a new package: "edu.kirkwood.view".

  • In the "view" package, create three classes that were used in the Java 1 project: "UserInput", "UIUtility", and "Helpers".

UserInput

  • The UserInput class contains overloaded methods to get integers, Strings, booleans, doubles, and dates from the user via keyboard input.

package edu.kirkwood.view;

import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.time.format.DateTimeParseException;
import java.util.Scanner;

import static edu.kirkwood.view.Helpers.formatDateLong;
import static edu.kirkwood.view.Helpers.isValidString;
import static edu.kirkwood.view.UIUtility.displayError;


public class UserInput {

    private static Scanner scanner = new Scanner(System.in);

    public static Integer getInt(String prompt) {
        return getInt(prompt, true, Integer.MIN_VALUE, Integer.MAX_VALUE);
    }

    public static Integer getInt(String prompt, boolean required) {
        return getInt(prompt, required, Integer.MIN_VALUE, Integer.MAX_VALUE);
    }

    public static Integer getInt(String prompt, boolean required, int min) {
        return getInt(prompt, required, min, Integer.MAX_VALUE);
    }

    public static int getInt(String prompt, boolean required, int min, int max) {
        int value = 0;

        String minMax = "";
        // if min is set and max is not set
        if(min != Integer.MIN_VALUE && max == Integer.MAX_VALUE) {
            minMax = String.format(" [minimum %d]", min);
        }
        // if min and max are both set
        if(min != Integer.MIN_VALUE && max != Integer.MAX_VALUE) {
            minMax = String.format(" [between %d and %d]", min, max);
        }

        while(true) {
            System.out.print(prompt + minMax + (required ? " (*)" : "") + ": ");
            String valueStr = scanner.nextLine();
            try {
                value = Integer.parseInt(valueStr);
            } catch (NumberFormatException e) {
                if(!required) {
                    return Integer.MIN_VALUE;
                } else {
                    displayError("Invalid integer");
                    continue;
                }
            }

            if(value < min) {
                displayError("Value too low");
            } else if(value > max) {
                displayError("Value too high");
            } else {
                break;
            }
        }
        return value;
    }

    public static String getString(String prompt) {
        return getString(prompt, true);
    }

    public static String getString(String prompt, boolean required) {
        String value = "";
        while(true) {
            System.out.print(prompt + (required ? " (*)" : "") + ": ");
            value = scanner.nextLine().trim();
            if(required && !isValidString(value)) {
                displayError("Input required");
            } else {
                break;
            }
        }
        return value;
    }

    public static boolean getBoolean(String prompt) {
        return getBoolean(prompt, true);
    }

    public static boolean getBoolean(String prompt, boolean required) {
        boolean value = true;
        while(true) {
            String valueStr = getString(prompt + " [y/n]", required);
            if(required && !(valueStr.equalsIgnoreCase("y") ||
                    valueStr.equalsIgnoreCase("n") ||
                    valueStr.equalsIgnoreCase("yes") ||
                    valueStr.equalsIgnoreCase("no"))
            ) {
                displayError("Invalid input");
            } else {
                value = valueStr.equalsIgnoreCase("y") || valueStr.equalsIgnoreCase("yes");
                break;
            }
        }
        return value;
    }

    public static double getDouble(String prompt) {
        return getDouble(prompt, true, -Double.MAX_VALUE, Double.MAX_VALUE);
    }

    public static double getDouble(String prompt, boolean required) {
        return getDouble(prompt, required, -Double.MAX_VALUE, Double.MAX_VALUE);
    }

    public static double getDouble(String prompt, boolean required, int min) {
        return getDouble(prompt, required, min, Double.MAX_VALUE);
    }

    public static double getDouble(String prompt, boolean required, double min, double max) {
        double value = 0;

        String minMax = "";
        // if min is set and max is not set
        if(min != -Double.MAX_VALUE && max == Double.MAX_VALUE) {
            minMax = String.format(" [minimum %.1f]", min);
        }
        // if min and max are both set
        if(min != -Double.MAX_VALUE && max != Double.MAX_VALUE) {
            minMax = String.format(" [between %.1f and %.1f]", min, max);
        }

        while(true) {
            System.out.print(prompt + minMax + (required ? " (*)" : "") + ": ");
            String valueStr = scanner.nextLine();
            try {
                value = Double.parseDouble(valueStr);
            } catch (NumberFormatException e) {
                if(!required) {
                    return -Double.MAX_VALUE;
                } else {
                    displayError("Invalid number");
                    continue;
                }
            }

            if(value < min) {
                displayError("Value too low");
            } else if(value > max) {
                displayError("Value too high");
            } else {
                break;
            }
        }
        return value;
    }

    public static LocalDate getDate(String prompt) {
        return getDate(prompt, true);
    }

    public static LocalDate getDate(String prompt, boolean required) {
        LocalDate date = null;
        while(true) {
            String dateStr = getString(prompt + " [MM/DD/YYYY]", required);
            try {
                DateTimeFormatter dateFormatInput = DateTimeFormatter.ofPattern("M/d/yyyy");
                date = LocalDate.parse(dateStr, dateFormatInput);
                break;
            } catch(DateTimeParseException e) {
                if(!required) {
                    return LocalDate.MIN;
                } else {
                    displayError("Invalid date");
                }
            }
        }
        return date;
    }
}

UIUtility

  • The UIUtility class contains methods to display messages, warnings, print menus, prompt the user to press enter to continue, etc.

package edu.kirkwood.view;

public class UIUtility {

    public static void displayMessage(String message) {
        displayMessage(message, "");
    }

    public static void displayMessage(String message, String type) {
        System.out.printf("*** %s%s ***\n", (!type.equals("") ? type.toUpperCase() + " - " : ""), message);
    }

    public static void displayError(String message) {
        displayMessage(message, "error");
    }

    public static void displayWarning(String message) {
        displayMessage(message, "warning");
    }

    public static void displaySuccess(String message) {
        displayMessage(message, "success");
    }

    public static void pressEnterToContinue() {
        UserInput.getString("Press enter to continue", false);
    }

    public static void printLine() {
        printLine(40);
    }

    public static void printLine(int length) {
        for (int i = 0; i < length; i++) {
            System.out.print("-");
        }
        System.out.println();
    }

    public static void printMenu(String title, String[] menuItems) {
        System.out.println();
        printLine();
        displayMessage(title);
        for (int i = 0; i < menuItems.length; i++) {
            System.out.println((i + 1) + ") " + menuItems[i]);
        }
        printLine();
    }

    public static String separator(int[] columnWidths) {
        StringBuilder sb = new StringBuilder();
        for (int width : columnWidths) {
            sb.append("+ ");
            for (int i = 0; i < width; i++) {
                sb.append('-');
            }
            sb.append(' ');
        }
        sb.append("+");
        return sb.toString();
    }
}

Helpers

  • The Helpers class contains methods to perform a variety of tasks. 

  • The only method we technically need for this project is "isValidString" to check that input is neither null or an empty string.

package edu.kirkwood.view;

import java.text.NumberFormat;
import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.time.format.FormatStyle;

import java.math.BigDecimal;
import java.math.RoundingMode;

public class Helpers {
    public static boolean isValidString(String str) {
        return str != null && !str.equals("");
    }

    public static String round(double number, int numDecPlaces) {
        BigDecimal bigDecimal = new BigDecimal(Double.toString(number));
        bigDecimal = bigDecimal.setScale(numDecPlaces, RoundingMode.HALF_UP).stripTrailingZeros();
        return bigDecimal.toString();
    }

    public static String toCurrency(double amt) {
        NumberFormat formatter = NumberFormat.getCurrencyInstance();
        return formatter.format(amt);
    }

    public static String formatDateLong(LocalDate date) {
        DateTimeFormatter dateFormatOutput = DateTimeFormatter.ofLocalizedDate(FormatStyle.LONG);
        return dateFormatOutput.format(date);
    }

    public static String formatDateShort(LocalDate date) {
        DateTimeFormatter dateFormatOutput = DateTimeFormatter.ofPattern("M/d/yyyy");
        return dateFormatOutput.format(date);
    }

    public static boolean isDateInThePast(LocalDate date) {
        if (date == null) {
            throw new IllegalArgumentException("Date cannot be null");
        }
        return date.isBefore(LocalDate.now()); // Check if the date is before today
    }

    public static boolean isDateInRange(LocalDate date, LocalDate startDate, LocalDate endDate) {
        if (date == null || startDate == null || endDate == null) {
            throw new IllegalArgumentException("None of the dates can be null");
        }

        return (date.isEqual(startDate) || date.isAfter(startDate)) &&
                (date.isEqual(endDate) || date.isBefore(endDate));
    }
}

Messages

  • Inside the "view" package, create a class called "Messages". 

  • Use this class to write messages to greet and say goodbye to the user.

package edu.kirkwood.view;

import static edu.kirkwood.view.UIUtility.displayMessage;

public class Messages {

    public static void hello() {
        displayMessage("Welcome to the Kirkwood Calculators Application");
    }

    public static void goodbye() {
        displayMessage("Goodbye");
    }

    public static void fractionGreet() {
        displayMessage("Welcome to Marc's Fraction Calculator");
        System.out.println("Enter calculations in the format: [fraction] [operator] [fraction]");
        System.out.println("Example: 1 1/2 + 3/4\n");
    }
    
    public static void fractionGoodbye() {
        displayMessage("Thank you for using Marc's Fraction Calculator");
    }
}

Menu

  • Inside the "view" package, create a class called MainMenu.

  • Add a show method with the following implementation.

  • In Java 1, we implemented a Menu interface, we won't do that in this example since we will have only one Menu.

package edu.kirkwood.view;

import edu.kirkwood.controller.FractionCalculator;

import static edu.kirkwood.view.UIUtility.printMenu;
import static edu.kirkwood.view.UserInput.getInt;

public class MainMenu {

    public static void show() {
        String[] menuItems = {"Marc's Fraction Calculator", "Student's Math Calculator", "Quit"};
        while(true) {
            printMenu("Main Menu", menuItems);
            int choice = getInt("Choose an option", false,1, menuItems.length);
            switch(choice) {
                case 1:
                    break;
                case 2:
                    break;
                default:
                    return;
            } // end switch
        } // end loop
    } // end show method
}

Calculator App

  • Inside the "edu.kirkwood" package, create a class called CalculatorApp.

  • This class will contain the main method that starts our program.

  • You can run the program to test its functionality.

package edu.kirkwood;

import edu.kirkwood.view.MainMenu;

import static edu.kirkwood.view.Messages.*;

public class CalculatorApp {
    public static void main(String[] args) {
        hello();
        MainMenu.show();
        goodbye();
    }
}

FractionCalculator

  • Create a new package: "edu.kirkwood.controller".

  • In the "controller" package, create a class called "FractionCalculator".

  • Add a static start() method.

package edu.kirkwood.controller;

import static edu.kirkwood.view.Messages.*;

public class FractionCalculator {

    public static void start() {
        fractionGreet();

        fractionGoodbye();
    }
}
  • Call the start method in the Main Menu class.

case 1:
    FractionCalculator.start();
    break;

More content coming soon

6. Deployment

  • When you created the project, you were asked to check the "Create Git respository" button.
  • Note the tab in the menu bar displays "main". If it does not, you need to initialize your project with Git. Open the Terminal tab and enter this command:
    git init -b main
  • If the menu bar displays "master", run this command:
    git checkout -b main

GitHub Setup

  • Create a new private repository on GitHub. Title the repository "Java-Calculators". Copy the URL.
  • In IntelliJ, enter this command in the terminal:
    git remote add origin https://github.com/YOUR-USERNAME/java-calculators.git
  • Click the Commit icon. Click the gear icon and uncheck the "Analyze Code" and "Check TODO" boxes.
  • Check all boxes to add changes and unversioned files.
    • Alternatively, you could enter this command.
      git add .
  • Write a commit message. The message should be a short description of what you recently accomplished.
  • Click "Commit"—don't click "Commit and Push".
    • Alternatively, you could enter this command.
      git commit -m "Your message"

GitHub Setup

  • If a "Line Separators Warning" message displays, check the "Don't warn again" box and click "Fix and Commit".
  • Note that the files are no longer red in the project panel.
  • From the previous slide, if you get a warning saying your name or username are not set in Git, run these terminal commands.
    git config --global user.name "YOUR FULL NAME"
    git config --global user.email "YOUR EMAIL ADDRESS"
  • Click the Git menu that says "main" and click "Push".
  • Verify that your main branch is being pushed to the origin's (GitHub's) main branch. Verify the files that are being pushed.
  • The first time you push, you will need to sign into GitHub.

Mac Users Only

  • When signing in with your GitHub password, you may get an error saying you need to use a personal access token.
  • Click "Log In with Token".
  • Click "Generate".
  • Log in to your GitHub account.
  • You will be on a screen to generate a new personal access token. The note should be pre-filled with "IntelliJ IDEA GitHub integration plugin".
  • Set the expiration date to be after the semester ends (or Never).
  • Select the Repo check box.
  • Click Generate Token and copy the token that is generated.
  • Paste the token as the password in the IntelliJ GitHub popup.
  • In the Terminal app, enter this command so you only have to enter the token once.
    git config --global credential.helper cache

GitHub Setup

  • Refresh your GitHub repository page to see the changes.
  • As you add more code, commit regularly. Please change commit messages each time to something short and descriptive. Only push to GitHub when your work is ready to grade.
  • Student To-do:
    • Click the "Settings" tab
    • Choose Access > Collaborators, and click "Add people".
    • Type "mlhaus" and select the instructor's profile. The instructor will grade all assignments via GitHub.
  • Instructor To-do:
    • Click the "Settings" tab, then set the visibility to public so students can access it.
    • Copy and paste a link to the course content so students always have access to demo code.

 

GitHub Setup

  • Click the "Settings" tab.
  • Click the "Pages" button.
  • Set the source to "Deploy from a branch".
  • Select the "main" branch.
  • Set the folder to "/docs".
  • Click Save.
  • Click the "Code" tab.
  • Click the gear icon next to the "About" section.
  • Check the box to add your github.io URL. Make sure "/docs" is at the end. Click the link to see your live documentation website.

 

7. Maintenance

  • XXX

Java 2 - Week 3

By Marc Hauschildt

Java 2 - Week 3

  • 42