Public class fields
So far, during this course, you have created properties and methods without specifying access modifiers. You will explicitly specify the public
access modifier for the appropriate properties within your code.
NOTE: In Java, properties without explicit access modifiers are package-private
by default, allowing access similar to public
. Also, only one class per file can be explicitly marked as public
.
Este exercício faz parte do curso
Introduction to Object-Oriented Programming in Java
Instruções do exercício
- Mark the
model
, andyear
properties of theCar
class public by adding thepublic
access modifiers to them. - Turn both the
turnEngineOn
andcalculateMPG
methods public by adding thepublic
access modifiers to them.
Exercício interativo prático
Experimente este exercício completando este código de exemplo.
public class Main {
static class Car {
public String color;
// Make "model" and "year" public
___ String model;
___ int year;
Car(String color, String model, int year) {
this.color = color;
this.model = model;
this.year = year;
}
// Make "turnEngineOn" method public
___ void turnEngineOn() {
System.out.println("engine is on");
}
// Make "calculateMPG" method public
___ int calculateMPG(int milesDriven, int gallonsUsed) {
return milesDriven / gallonsUsed;
}
}
public static void main(String[] args) {
Car myCar = new Car("red", "camry", 2022);
System.out.println(myCar.calculateMPG(180, 20));
}
}