我正在尝试从我的超类中创建一个新的子类实例。这是我的超级
public abstract class Worker {
String world;
protected abstract void onLoad(Scanner read);
public static Worker load(Scanner read) {
// I want to create the instance of my sub class here and call it w
w.onLoad(read);
return w;
}
public void setWorld(String world) {
this.world = world;
}
}
这是我的子类
public class Factory extends Worker {
@Override
protected onLoad(Scanner read) {
setWorld(read.readline());
}
}
这就是我想对这些课程做的事情。
public class MainClass{
public List<Factory> loadFactories() {
List<Factory> facts = new ArrayList<Factory>();
Scanner read = new Scanner(new FileInputStream("factory.txt"));
while(read.hasNextLine()) {
Factory f = (Factory)Factory.load(read);
facts.add(f);
}
read.close();
return facts;
}
}
有没有办法可以在没有重新开始的情况下做到这一点?谢谢你的帮助。
答案 0 :(得分:2)
这是你想要的吗?
public static Worker load(Scanner read) {
Factory w=new Factory();
w.onLoad(read);
return w;
}
编辑:
public class MainClass {
public List<Factory> loadFactories() throws FileNotFoundException, InstantiationException, IllegalAccessException {
final List<Factory> facts = new ArrayList<Factory>();
final Scanner read = new Scanner(new FileInputStream("factory.txt"));
while (read.hasNextLine()) {
final Factory f = Worker.load(read, Factory.class);
facts.add(f);
final Pipeline p = Worker.load(read, Pipeline.class);
}
read.close();
return facts;
}
static public class Factory extends Worker {
@Override
protected void onLoad(final Scanner read) {
}
}
static public class Pipeline extends Worker {
@Override
protected void onLoad(final Scanner read) {
}
}
static public abstract class Worker {
String world;
protected abstract void onLoad(Scanner read);
public static <T extends Worker> T load(final Scanner read, final Class<T> t) throws InstantiationException, IllegalAccessException {
final T w = t.newInstance();
w.onLoad(read);
return w;
}
public void setWorld(final String world) {
this.world = world;
}
}
}