85 lines
2.0 KiB
Java
85 lines
2.0 KiB
Java
// polymorphism/music3/Music3.java
|
|
// ©2015 MindView LLC: see Copyright.txt
|
|
// An extensible program.
|
|
package polymorphism.music3;
|
|
import polymorphism.music.Note;
|
|
import static com.mindviewinc.util.Print.*;
|
|
|
|
class Instrument {
|
|
void play(Note n) { print("Instrument.play() " + n); }
|
|
String what() { return "Instrument"; }
|
|
void adjust() { print("Adjusting Instrument"); }
|
|
}
|
|
|
|
class Wind extends Instrument {
|
|
@Override
|
|
void play(Note n) { print("Wind.play() " + n); }
|
|
@Override
|
|
String what() { return "Wind"; }
|
|
@Override
|
|
void adjust() { print("Adjusting Wind"); }
|
|
}
|
|
|
|
class Percussion extends Instrument {
|
|
@Override
|
|
void play(Note n) { print("Percussion.play() " + n); }
|
|
@Override
|
|
String what() { return "Percussion"; }
|
|
@Override
|
|
void adjust() { print("Adjusting Percussion"); }
|
|
}
|
|
|
|
class Stringed extends Instrument {
|
|
@Override
|
|
void play(Note n) { print("Stringed.play() " + n); }
|
|
@Override
|
|
String what() { return "Stringed"; }
|
|
@Override
|
|
void adjust() { print("Adjusting Stringed"); }
|
|
}
|
|
|
|
class Brass extends Wind {
|
|
@Override
|
|
void play(Note n) { print("Brass.play() " + n); }
|
|
@Override
|
|
void adjust() { print("Adjusting Brass"); }
|
|
}
|
|
|
|
class Woodwind extends Wind {
|
|
@Override
|
|
void play(Note n) { print("Woodwind.play() " + n); }
|
|
@Override
|
|
String what() { return "Woodwind"; }
|
|
}
|
|
|
|
public class Music3 {
|
|
// Doesn't care about type, so new types
|
|
// added to the system still work right:
|
|
public static void tune(Instrument i) {
|
|
// ...
|
|
i.play(Note.MIDDLE_C);
|
|
}
|
|
public static void tuneAll(Instrument[] e) {
|
|
for(Instrument i : e)
|
|
tune(i);
|
|
}
|
|
public static void main(String[] args) {
|
|
// Upcasting during addition to the array:
|
|
Instrument[] orchestra = {
|
|
new Wind(),
|
|
new Percussion(),
|
|
new Stringed(),
|
|
new Brass(),
|
|
new Woodwind()
|
|
};
|
|
tuneAll(orchestra);
|
|
}
|
|
}
|
|
/* Output:
|
|
Wind.play() MIDDLE_C
|
|
Percussion.play() MIDDLE_C
|
|
Stringed.play() MIDDLE_C
|
|
Brass.play() MIDDLE_C
|
|
Woodwind.play() MIDDLE_C
|
|
*/
|