Main method
- Entry point
- Generally in a class called Main
Bike.java
public class Bike {
// Attributes
private String color;
private int speed;
private boolean pannierRacks;
// Constructor
public Bike(String color, boolean pannierRacks) {
this.color = color;
this.speed = 0;
this.pannierRacks = pannierRacks;
}
// Method
public void accelerate(int increment) {
if (increment > 0) {
this.speed += increment;
}
}
// Getter
public int getSpeed() {
return this.speed;
}
}
Bike.java
Modifier | Same Class | Same Package | Subclasses | Everywhere |
---|---|---|---|---|
public | β | β | β | β |
protected | β | β | β | β |
default (no modifier) | β | β | β | β |
private | β | β | β | β |
Bike.java
this
: Refers to the current objectString[] args
: arguments passed when running the programMain.java
javac Main.java
java Main 8
extends
: inheritsuper()
: constructor of the parent classsuper.foo()
: method foo() of the parent classVehicle.java
Bike.java
public class Bike extends Vehicle {
private boolean pannierRacks;
// Constructor
public Bike(String color) {
super(color);
this.pannierRacks = pannierRacks;
}
@Override
public abstract void honk(){
System.out.println("Dring")
}
@Override
public void accelerate(int increment) {
this.speed += increment + 2;
}
Javadoc comments are enclosed in /** and */.
Placed immediately before the element being documented (class, method, field, etc.)
Bike.java
/**
* Represents a Bike, a type of Vehicle.
*/
public class Bike extends Vehicle {
private boolean pannierRacks;
/**
* Constructs a Bike with the given color
*/
public Bike(String color) {
super(color);
this.pannierRacks = false;
}
/**
* Produces the sound of a bike's honk (dring).
*/
@Override
public void honk() {
System.out.println("Dring");
}
/**
* Accelerates the bike by the given increment, plus an additional 2 units.
*
* @param increment The amount to increase the speed by.
*/
@Override
public void accelerate(int increment) {
this.speed += increment + 2;
}
/**
* Checks if the bike has pannier racks.
*
* @return true if the bike has pannier racks, false otherwise.
*/
public boolean hasPannierRacks() {
return pannierRacks;
}