The java.lang.Appendable
interface
For objects to which characters can be appended or written:
/**
* An object to which {@code char} sequences and values can be appended.
*/
public interface Appendable {
/**
* Appends the specified character to this {@link Appendable}.
*/
Appendable append(char c);
/**
* Appends the specified character sequence to this
* {@link Appendable}.
*/
default Appendable append(CharSequence cst) {
...
}
}
Examples: PrintStream
, FileWriter
, LogStream
, ...
Generifying output code
Works only with PrintStream
s:
void dumpHashtableStats(PrintStream out) {
out.print(getHashtableStats().toString());
}
Works with any Appendable
(including PrintStream
s):
void dumpHashtableStats(Appendable out) {
out.append(getHashtableStats().toString());
}
StringAccumulator acc = new DoublingStreamAccumulator();
ht.dumpHashtableStats(acc); // Doesn't work!
Recall our StringAccumulator
interface
public interface StringAccumulator {
void add(char c);
String stringValue();
}
Suppose we can't change dumpHashTableStats
and StringAccumulator
.
Can we still use a StringAccumulator
with dumpHashtableStats
?
An adapter!
data:image/s3,"s3://crabby-images/5b7fd/5b7fdc26470f4d10e6b092c836efd2726a3089b7" alt=""
A StringAccumulator
to Appendable
adapter
public final class StringAccumulatorToAppendableAdapter
implements Appendable
{
private final StringAccumulator adaptee;
public
StringAccumulatorToAppendableAdapter(StringAccumulator acc)
{
Objects.requireNonNull(acc);
adaptee = acc;
}
public Appendable append(char c) {
adapter.add(c);
return this;
}
}
The object adapter pattern
data:image/s3,"s3://crabby-images/a5e23/a5e23dadda752aab40edb4e6a85e7c19bd94fd3e" alt=""
The class adapter pattern
data:image/s3,"s3://crabby-images/ba18e/ba18ead27a939c852b6624cc03a9399361bb35cf" alt=""