51 lines
1.3 KiB
Java
Raw Normal View History

2015-09-07 11:44:36 -06:00
// interfaces/interfaceprocessor/StringProcessor.java
2015-11-14 16:18:05 -08:00
// <20>2016 MindView LLC: see Copyright.txt
2015-06-15 17:47:35 -07:00
package interfaces.interfaceprocessor;
import java.util.*;
public abstract class StringProcessor implements Processor{
@Override
public String name() {
return getClass().getSimpleName();
}
@Override
public abstract String process(Object input);
public static String s =
"If she weighs the same as a duck, she's made of wood";
public static void main(String[] args) {
Apply.process(new Upcase(), s);
Apply.process(new Downcase(), s);
Apply.process(new Splitter(), s);
}
}
class Upcase extends StringProcessor {
@Override
public String process(Object input) { // Covariant return
return ((String)input).toUpperCase();
}
}
class Downcase extends StringProcessor {
@Override
public String process(Object input) {
return ((String)input).toLowerCase();
}
}
class Splitter extends StringProcessor {
@Override
public String process(Object input) {
return Arrays.toString(((String)input).split(" "));
}
2015-09-07 11:44:36 -06:00
}
/* Output:
2015-06-15 17:47:35 -07:00
Using Processor Upcase
IF SHE WEIGHS THE SAME AS A DUCK, SHE'S MADE OF WOOD
Using Processor Downcase
if she weighs the same as a duck, she's made of wood
Using Processor Splitter
[If, she, weighs, the, same, as, a, duck,, she's, made, of,
wood]
2015-09-07 11:44:36 -06:00
*/