public class BinTreeParamProg {
public static void main (String [] args) {
try {
BinTree <Str> root = new BinTree <Str> (new Str(args[0]));
int i;
for (i = 1; i < args.length; i++)
root.insertBinTree (new Str(args[i]));
root.traverseBinTree ();
}
catch (ArrayIndexOutOfBoundsException e) {
System.out.println ("You have to give one argument at least");
}
}
public static class Str implements Comparable {
String src;
Str (String src) {
this.src = src;
}
@Override
public int compareTo (Object o) {
Str des = (Str) o;
return this.src.compareTo (des.src);
}
@Override
public String toString () {
return src;
}
}
static class BinTree <P extends Comparable> {
BinTree <P> l;
BinTree <P> r;
P v;
BinTree (P v) {
this.v = v;
this.l = null;
this.r = null;
}
void insertBinTree (P v) {
if (this.v.compareTo (v) > 0) {
if (this.l == null)
this.l = new BinTree (v);
else
this.l.insertBinTree (v);
}
else {
if (this.r == null)
this.r = new BinTree (v);
else
this.r.insertBinTree (v);
}
}
void traverseBinTree () {
if (this.l != null)
this.l.traverseBinTree ();
System.out.println (this.v.toString());
if (this.r != null)
this.r.traverseBinTree ();
}
}
}