public class Point3D { //Just for our example, we are going to keep track of how many get made. private static long count = 0; //Each Point3D object will have an immutable x and y and z value. private final float x,y,z; //We'll have just one constructor option. public Point3D(float xIn, float yIn, float zIn) { x = xIn; y = yIn; z = zIn; count++; } //So-called "destructor" but not like in other languages. We won't // talk much about these since they are "unreliable" in Java... protected void finalize() throws Throwable { //NOTE: This is only called if/when garbage collection takes place // to clean up no longer used memory. count--; super.finalize(); //We'll talk more about this line later... } //We'll have getters for each axis. public float getX() { return x; } public float getY() { return y; } public float getZ() { return z; } //We'll have a getter for the overall count of objects created. public static long getCount() { return count; } //We'll have one example of a utility method. public Point3D translate(float xOffset, float yOffset, float zOffset) { return new Point3D(x+xOffset, y+yOffset, z+zOffset); } //We'll have the "usual suspects" a class should have. @Override public String toString() { return "x:"+x+" y:"+y+" z:"+z; } @Override public boolean equals (Object other) { if (other == null) { return false; } else if (this.getClass()!=other.getClass()) { return false; } else { Point3D casted = (Point3D)other; return (x==casted.x && y==casted.y && z==casted.z); } } } //Copyright 2016 Evan Golub