Javaで配列からメソッドを呼び出す方法はありますか?原始的なボードゲームをデザインしたいのですが、ゲーム空間を表現するために一連のメソッドを使用したいと思います。
質問する
394 次
2 に答える
2
おそらく、次のような何らかのコマンドパターンを使用する必要があります。
class Board {
Cell[][] cells = new Cell[5][5];
void addCell(int i, int j, Cell cell) {
cells[i,j] = cell;
}
void executeCell(int i, int j) {
cells[i,j].execute(this);
}
}
interface Cell {
void execute(Board board);
}
class CellImpl implements Cell {
void execute(Board board) {
// do your stuff here
}
}
Cellインターフェースを実装するとすぐに、必要な数の実装を追加できます。ボードはそれらを実行できます。
于 2013-02-02T04:02:31.833 に答える
1
これが基本的な考え方です(コマンドパターン)
static Runnable[] methods = new Runnable[10];
public static void main(String[] args) throws Exception {
methods[0] = new Runnable() {
@Override
public void run() {
System.out.println("method-0");
}
};
methods[1] = new Runnable() {
@Override
public void run() {
System.out.println("method-1");
}
};
...
methods[1].run();
}
出力
method-1
または反射を伴う
static Method[] methods = new Method[10];
public static void method1() {
System.out.println("method-1");
}
public static void method2() {
System.out.println("method-2");
}
public static void main(String[] args) throws Exception {
methods[0] = Test1.class.getDeclaredMethod("method1");
methods[1] = Test1.class.getDeclaredMethod("method2");
methods[1].invoke(null);
}
于 2013-02-02T04:09:59.993 に答える