0

我现在正在研究我项目的 AI 部分。我正在从我的 AI 类中调用一个方法,该方法旨在计算我绘制的 Gladiator 对象实际需要结束的位置。我向该方法传递了一个包含我想要放置的所有对象的列表。AI 类的先前方法已经确定了他们希望彼此的距离,我将其存储为gladiator[0..1..2..etc].movementGoal。

尽管该项目不是实时的,即最后我只想“逐步”通过它,但我确实希望同时发生运动。这意味着我遍历列表的标准方法将不起作用,因为我需要有关其他角斗士的移动决策的信息,以便在这些决策相互作用时找出任何一个角斗士的实际移动。

当我在课堂外并且只有列表形式时,如何访问另一个特定角斗士的变量?

编辑:

我想我可以迭代并测试一个变量gladiatorNumber是否正确,然后当它提取该信息时?那将是相当迂回的,但这是我能想到的。

编辑2:

根据要求,一些代码。我在 Ai 类中的方法如下所示:

public void moveAI(List<Gladiator> gladiators) {

我的角斗士是这样定义的:

public class Gladiator {

角斗士类被创建为一个数组,然后添加到一个单独的主类中的列表中。我真的不想包含比这更多的代码,因为它有很多。基本上它归结为我如何从 AI 类调用角斗士 [0],即使我在主类中创建了所述对象并且仅在 AI 类中以列表形式存在它们。假设 Gladiator 中的所有变量都是公开的。我得到的错误是找不到引用角斗士 [0...1...2...等] 的符号。

4

1 回答 1

1

我认为您的问题归结为想要将角斗士阵列传递给另一个班级。这应该很容易。如果你的主班有这两个定义(注意你只需要一个,我推荐这个列表,因为它更通用,数组有固定长度)。

你想要这样的东西:

public class Main {
// ....stuff
// This is the main class that keeps the list of gladiators
private List<Gladiator> gladiatorsList;
private Gladiator[] gladiatorsArray;
private MovementAI movementAI;

public Main() {
    // You initialize gladiatorsList and gladiatorsArray as before
    // gladiatorsList = ...
    // gladiatorsArrray = ...
    // Now you want to pass this list/array to another class (the AI), you
    // can do this in the constructor of that class like so:
    movementAI = new MovementAI(gladiatorsList);
}

// ...stuff as before

}

人工智能

public class MovementAI {

private List<Gladiator> gladiators;

// Giving the class the list-reference, this list will be the same as the
// list in main, when main-list changes so does this one, they point to the
// same list-object, so the reference is only needed once.
public MovementAI(List<Gladiator> gladiatorsList) {
    this.gladiators = gladiatorsList;
}

// The class already has a reference to the list from its constructor so it
// doesn't need the list again as a parameter
public void moveAI() {

}

// If you don't want to keep a reference to the list in this class but only
// use it in a method (I would not recommend this)
public MovementAI() {

}

// You need to pass it gladiatorsList everytime you call this method.
public void moveAI(List<Gladiator> gladiators) {

}

}

我在您的上一条评论中看到,您已决定让 AI 决定在符合标准时重新绘制,这是不推荐的,您应该在您的类中保持职责分开,减少出错和更好的开发。建议让 AI 更改角斗士列表(移动、杀死它们等),渲染器类只需绘制每个角斗士。

似乎您还希望每个角斗士都能够将另一个角斗士作为目标,他们最好将目标作为对象,这样您就不必搜索整个列表来找出哪个角斗士角斗士编号是指并且您不必考虑在列表中排序。像这样的东西:

public class Gladiator {
// ..other stuff

private Gladiator target;
public Gladiator getTarget() {
    return target;
}

public void setTarget(Gladiator target) {
    this.target = target;
}
}
于 2013-06-04T15:51:00.730 回答