CS 112
Fall 2025

Problem Set 3

due by 11:59 p.m. on Tuesday, September 30th, 2025

General Guidelines

Preliminaries

In your work on this assignment, make sure to abide by the collaboration policies of the course.

If you have questions while working on this assignment, please come to office hours, post them on Piazza, or email instructor.

Make sure to follow the instructions outlined at the end of Part I and Part II when submitting your assignment.


Part I

34 points total

Creating the necessary file

Problems in Part I will be completed in a single PDF file. To create it, you should do the following:

  1. Open the template that we have created for these problems in Google Docs: ps3_partI

  2. Select File->Make a copy..., and save the copy to your Google Drive using the name ps3_partI.

  3. Add your work to this file.

  4. Once you have completed all of these problems, choose File->Download->PDF document, and save the PDF file on your machine. The resulting PDF file (ps3_partI.pdf) is the one that you will submit. See the submission guidelines at the end of Part I.

Problem 1: A Rectangle class revisited

12 points total; individual-only

Given the Rectangle class defined here.

  1. Consider a potential non-static method named scale that would scale a Rectangle object by the specified integer parameter. For example, if a Rectangle‘s dimensions are 10 x 30, then calling the scale method with a parameter of 2 would change its dimensions to 20 x 60. Because the method only needs to change the internals of the called object, it doesn’t need to – and should not! – return a value.

    1. (1 point) What type of instance method would scale be, an accessor or mutator?

    2. (2 points) Give an appropriate method header for this instance method. You do not need to define the body of the method. Assume that you can both increase and decrease the size of the Rectangle using the scale method.

  2. Now consider a potential non-static method named smallerThan that takes another Rectangle object and determines if the called Rectangle object (i.e., the one on which the method is invoked) has a smaller area than the other Rectangle object – returning true if the called object has a smaller area and false otherwise.

    1. (1 point) What type of instance method would smallerThan be, an accessor or mutator?
    2. (2 points) Give an appropriate method header for this method, making sure to take into account the fact that the method is non-static. You do not need to define the body of the method.
  3. Consider the following client code — i.e., code from another class that uses a Rectangle object:

    Rectangle r1 = new Rectangle(60, 80);
    System.out.println("r1's width is: " + r1.width);
    r1.height = r1.height + 20;
    System.out.println(r1);     // print the new dimensions
    

    Because our Rectangle class employs appropriate encapsulation, this code fragment will not compile.

    1. (2 point) Explain what problems are present in the code fragment that prevent it from compiling.
    2. (4 points) Rewrite the fragment to eliminate those problems while maintaining the intended functionality of the original version. Don’t make any unnecessary changes.

Problem 2: A class that needs your help

8 points total; individual-only

Consider the following class, which is intended to serve as a blueprint for objects that encapsulate two pieces of data: an odd integer and a non-negative real number:

public class Pair {
    int x;
    double y;

    public static double difference() {
        return this.x - this.y;
    }
}
  1. (2 points) The method difference is supposed to be an instance method that returns the difference of the two fields inside a Pair object. However, when we attempt to compile this class, we get error messages that indicate that difference cannot access the fields. In section 2-1 of your copy of ps3_partI (see above), explain why the method cannot access the fields, and what change or changes are needed to fix things.

  2. (6 points) This class does not employ appropriate encapsulation. In section 2-1 of ps3_partI, revise the class to prevent direct access to the internals of a Pair object while allowing indirect access through appropriate methods. Your revised version should include:

    • the changes that you proposed above in your answer for 2-1
    • whatever steps are needed to prevent direct access to the fields
    • accessor methods that can be used to obtain the value of each field
    • mutator methods that can be used to change the value of each field. These methods should ensure that x is always odd, and that y is greater than or equal to 0.0. Attempts to assign an invalid value should produce an IllegalArgumentException.
    • a constructor that takes values for x and y and initializes the fields using those values. Attempts to assign an invalid value should produce an IllegalArgumentException. Take advantage of the error-checking code that is already present in the mutator methods that you defined for changing the values of the fields.

    No other methods are required.

Problem 3: Static vs. non-static

14 points total; individual-only

When designing a blueprint class, we have seen that we can include both static and non-static variables. Static variables (also known as class variables) belong to the class as a whole. Non-static variables (also known as instance variables or fields) belong to individual objects of the class; each object gets its own copy of those variables.

We have also seen that a blueprint class can include both static and non-static methods. A non-static method is required if the method must have access to the fields of a particular called object. However, if a method doesn’t need a called object – i.e., if all of the information that it needs is supplied by its parameters or by the static variables of the class – then we typically make it static. Non-static methods must be called on an object of the class. Static methods may be called on an object of the class, but it is better style to call them using the name of the class instead.

Imagine that we are defining a class called Grade that will serve as a blueprint for objects that encapsulate the raw score and the possible late penalty associated with a given grade. For example, to create a Grade object that represents a grade with a raw score of 85.5 and a late penalty of 20%, we would write:

Grade g = new Grade(85.5, 20);

An initial implementation of this class can be found here.

  1. (4 points) Imagine that we want to modify the existing Grade class so that each Grade object has an associated category — a String that is either "assignment", "quiz", or "exam". In addition, we want to keep track of how many Grade objects have been created for each of the three categories. What variables (static and/or non-static) would we need to add to the Grade class as part of our implementation of these changes?

    In section 3-1 of ps3_partI, we have included a table that you should complete to describe the necessary variables. For each of your proposed variables, you should specify:

    • its type and name (make it descriptive!)
    • whether it will be static or non-static
    • a brief description of its purpose, and why it needs to be static or non-static.

    As an example, we have filled in the first row of the table to describe the existing rawScore field. You should add the descriptions of your proposed new variables. You may not need all of the rows in the table.

  2. (4 points) Now let’s say that we want to add a method called setCategory that takes in a category string and uses it to change the category of the called Grade object.

    1. What type of method should setCategory be — static or non-static? Explain briefly.
    2. Assume we have a Grade object whose current category is "quiz". The professor who assigned the grade has decided to make the associated test worth more, so we need to call setCategory to change the grade’s category to "exam". During that method call, what changes will the method need to make to the values of the variables that you proposed above? Be as specific as possible.

The remaining sections of this problem consider two other new methods for the Grade class – methods that do not involve the grade’s category.

  1. (3 points) Now let’s say that we want to add a method called computePercent. It takes two parameters of type double – one called pointsEarned and another called possiblePoints – and it returns pointsEarned as a percentage of possiblePoints. For example, if pointsEarned is 30.0 and possiblePoints is 50.0, the method should return 60.0, because 30 is 60 percent of 50.

    1. What type of method should computePercent be — static or non-static? Explain briefly.
    2. Give an example of how you would call this method from outside the Grade class. If you need a Grade object to call the method, assume that the variable g represents that object, and that the object has already been created. However, you should only use g if doing so is absolutely necessary.
  2. (3 points) Finally, let’s say that we want to add a new method called addExtraCredit. It takes a parameter of type double called amount and increases the raw score of a Grade object by the specified amount.

    1. What type of method should addExtraCredit be — static or non-static? Explain briefly.
    2. Give an example of how you would call this method from outside the Grade class. If you need a Grade object to call the method, assume that the variable g represents that object, and that the object has already been created. However, you should only use g if doing so is absolutely necessary.

Submitting your work for Part I

Note: There are separate instructions at the end of Part II that you should use when submitting your work for that part of the assignment.

Submit your ps3_partI.pdf file using these steps:

  1. If you still need to create a PDF file, open your ps3_partI file on Google Drive, choose File->Download->PDF document, and save the PDF file in your ps3 folder.

  2. Login to Gradescope by clicking the link in the left-hand navigation bar, and click on the box for CS 112.

  3. Click on the name of the assignment (PS 3: Part I) in the list of assignments on Gradescope. You should see a pop-up window labeled Submit Assignment. (If you don’t see it, click the Submit or Resubmit button at the bottom of the page.)

  4. Choose the Submit PDF option, and then click the Select PDF button and find the PDF file that you created. Then click the Upload PDF button.

  5. You should see a question outline along with thumbnails of the pages from your uploaded PDF. For each question in the outline:

    • Click the title of the question.
    • Click the page(s) on which your work for that question can be found.

    As you do so, click on the magnifying glass icon for each page and doublecheck that the pages that you see contain the work that you want us to grade.

  6. Once you have assigned pages to all of the questions in the question outline, click the Submit button in the lower-right corner of the window. You should see a box saying that your submission was successful.

Important

  • It is your responsibility to ensure that the correct version of every file is on Gradescope before the final deadline. We will not accept any file after the submission window for a given assignment has closed, so please check your submissions carefully using the steps outlined above.

  • If you are unable to access Gradescope and there is enough time to do so, wait an hour or two and then try again. If you are unable to submit and it is close to the deadline, make a post on Piazza before the deadline

Part II Programming Problems

66 points total

Problem 4: MyArray: A simple class for manipulating a Java Array

66 points total; individual-only

Important guidelines:

  • The class members must not be changed in any way. You must use the member names as provided or specified.

  • Your methods must have the exact headers that we have specified, or we won’t be able to test them. Note in particular that the case of the letters matters.

  • If you are asked to write a method that returns a value, make sure that it returns the specified value, rather than printing it.

  • You should not use any Java classes that we have not covered in the lecture notes.

  • Make sure to do proper validation where necessary. For example, if an expected argument to a method should be positive do not allow for a negative number, and thrown an exception as needed.

  • Each of your methods should be preceded by a comment that explains what your methods does and what its inputs are. You should also include a comment at the top of the file.

  • Read through all of the method descriptions before beginning the assignment! Some may be useful when implementing others.

  • More generally, use good programming style. Use appropriate indentation, select descriptive variable names, insert blank lines between logical parts of your program, and add comments as necessary to explain what your code does. See the coding conventions for more detail.

For this problem, write a class MyArray that provides a series of instance (i.e. non static) methods which will allow a client program to manipulate an array of integers.

The class MyArray will act as a custom data type (i.e. Blueprint class) which you can use to create objects, each one containing its own array of integers that can be manipulated by calling the instance methods of the class.

Begin by downloading the file: MyArray.java, which sets-up the skeleton of your class. This class should contain the following data members inialized with the specified default values provided in the skeleton code:

As you can see the no-argument constructor has been provided. This constructor creates the array of integers and assigns the address of the array to the data member arr. It also initializes the data member numElements to zero, as no elements have been added to the array.

Add the following data members as instance variables of the class:

These data members should be appropriately initialized in the constructors.

Implement the following methods:

  1. Write a custom constructor that creates the object’s array based on the input argument passed to the method. This constructor should create an array of integers of size n.

    ______ MyArray( int n ) {
        ....
    
    }
    
  2. Write a custom constructor that creates and initializes the object’s array based on the array of integers passed to the method. This constructor should create a new array of integers and initialize it from the array passed to the method.

    ______ MyArray( int[] arr ) {
        ....
    
    }
    

This constructor should initialize all the statistics to 0 for the object. (Hint: This constructor should create a new array that is of the same size as the input array passed, but only copy over the elements that are within the specified UPPER and LOWER bound. You may find it useful to use some of the methods specified below as a helper methods for this task!) It is possible that the length of the array will be greater than numElements.

  1. Write a method that prompts the user to enter integer elements (within the range specified by LOWER and UPPER bound) and store them into the object’s array. The user may enter up to as many integer values as the array can hold or less. If the user does not want to fill all the positions of the array, they can specify end of input by entering the sentinel value.
    _______ void inputElements() {
        ....
    
    }
    

Assuming the size of the array is 20, and a LOWER and UPPER bound of 10 and 100 respecively, a sample run of this method is:

    Enter up to 20 integers between 10 and 100 inclusive. Enter -999 to end user input: 5 4 3 2 12 19 23 37 -999

Note that this assumes that the array can hold 20 elements. Calling the toString method on the object after user input would display the following array of elements:

    [12, 19, 23, 37]

If the user enters an integer outside of the specified LOWER and UPPER bounds, that element should be rejected and not included in the array. Likewise, If the user enters more than the number of elements the array can hold, the remaining elements should be ignored.

You can assume that each time this method is called, it will override any elements currently in the array. It is important that the integrity of the object is maintained, therefore, this method must ensure that all the data members of the object are consistent with the elements in the array.

(Hint: This method implies that the number of elements in the array does not necessarily have to be the same as the size of the array. Think of the purpose of the data member numElements.)

  1. Write a class level method to determine if the integer passed to the method is within the bounds as specified by the static variables of the class, LOWER and UPPER:

    ________ boolean validInput( int num ) {
        ....
    }
    
  2. Write a method that creates and returns a String representing the contents of the array.

    ________ String toString() {
        ....
    
    }
    
  3. Write a method that computes the expected statistics of the array, specifically the minimum, maximum, sum, average of all the elements contained in the array. These statistics should be stored internally in the object in the corresponding data members.

    ________ void computeStatistics() {
        ....
    
    }
    
  4. Write a method that accepts a number and computes and returns how many times (if any) that number appears as an element in the array.

    ________ int numOccurrences(int n) {
        ....
    
    }
    
  5. Write a method that allows you to insert a specified number at a specified position within the currently filled portion of the array.

    ________ boolean insertElement(int n, int position) {
        ....
    
    }
    

In order to accomplish this, the method must first check to see if position is between 0 and numElements. The method must also check to see if there is room in the array to insert a new number.

The method should return true if the number was inserted in the array. If the position specified is not within the filled range or if the array is currently full (e.g. number of elements equals the size of the array) then the method should return false.

(Hint: Think carefully about what an insert into the array implies. The physical structure of the array cannot change, therefore what must happen if a value is to be inserted somewhere in the middle of the array without losing any of the existing elements.)

  1. Write a method that removes an element at a specified position in the array.
    ________ int removeElement(int position) {
        ....
    
    }
    

As with the insert method, the position specified must be within the filled bounds of the array. Again, the physical structure of the array cannot change, therefore we muat simulate an element of the array being removed. Think how this can be accomplished.

The method should return the element removed from the array or -1 if the position specified is not within the bounds of the filled portion of the array.

  1. Write a method to grow the physical array by some additional size n.
    ________ boolean growArray(int n) {
        ....
    
    }
    

This method should grow the size of the array of the object this method is called on by n positions. This method must also preserve all the elements that are currently in the array. In other words, growing the array cannot lose any elements that are currently stored in the array.

(Hint: Remember that the physical structure of the array cannot change, therefore we must simulate growing the array. Think how this can be accomplished.)

  1. Write accessor methods for each of the private data members.
    public _________ getSum() {
        ....
    }
    
    public _________ getMin() {
        ....
    }
    
    public _________ getMax() {
        ....
    }
    
    public _________ getAvg() {
        ....
    }
    
    public _________ getArr() {
        ....
    }
    

(Hint: getter methods return the value of the data member they are accessing. Think what the return type for each method should be.

  1. Write a method named replace that takes two integer variables, val1 and val2 and replaces all occurences of val1 with val2. The method should return how many values were replaced. If no value was replaced (i.e. there were no occurrences of val1 in the array), the method should return a zero. If val2 is an integer outside of the bound of LOWER and UPPER the method should return a zero.

    public ____________________ replace(_______________________) {
        ....
    
    }
    

    For example, in the case LOWER is 0 and UPPER is 10:

    Original array: [1, 2, 3, 2, 2, 6]
    val1: 2
    val2: 9
    
    Final array: [1, 9, 3, 9, 9, 6]
    Return value: 3
    

Submitting Your Work

Submission Checklist:

Submitting your work for Part II

You should submit only the following files:

Here are the steps:

  1. Click on the name of the assignment in the list of assignments. You should see a pop-up window with a box labeled DRAG & DROP. (If you don’t see it, click the Submit or Resubmit button at the bottom of the page.)

  2. Add your files to the box labeled DRAG & DROP. You can either drag and drop the files from their folder into the box, or you can click on the box itself and browse for the files.

  3. Click the Upload button.

  4. You should see a box saying that your submission was successful. Click the (x) button to close that box.

  5. The autograder will perform some tests on your files. Once it is done, check the results to ensure that the tests were passed. If one or more of the tests did not pass, the name of that test will be in red, and there should be a message describing the failure. Based on those messages, make any necessary changes. Feel free to ask a staff member for help.

    Note: You will not see a complete Autograder score when you submit. That is because additional tests for at least some of the problems will be run later, after the final deadline for the submission has passed. For such problems, it is important to realize that passing all of the initial tests does not necessarily mean that you will ultimately get full credit on the problem. You should always run your own tests to convince yourself that the logic of your solutions is correct.

  6. If needed, use the Resubmit button at the bottom of the page to resubmit your work. Important: Every time that you make a submission, you should submit all of the files for that Gradescope assignment, even if some of them have not changed since your last submission.

  7. Near the top of the page, click on the box labeled Code. Then click on the name of each file to view its contents. Check to make sure that the files contain the code that you want us to grade.

Important

  • It is your responsibility to ensure that the correct version of every file is on Gradescope before the final deadline. We will not accept any file after the submission window for a given assignment has closed, so please check your submissions carefully using the steps outlined above.

  • Make sure to use these exact file names as specified or we will not be able to find your files and grade them.

  • Make sure that you do not try to submit a .class file or a file with a ~ character at the end of its name.

  • If you make any last-minute changes to one of your Java files (e.g., adding additional comments), you should compile and run the file after you make the changes to ensure that it still runs correctly. Even seemingly minor changes can cause your code to become unrunnable.

  • If we are not able to compile your program, you will not receive any credit for that problem submission.