如何设置实例化离散对象的顺序?

时间:2013-09-25 21:52:47

标签: scala object

我写了一个对象PathGraph,它实现了Node s和各种有用函数的图形,我打算在一个简单的塔防游戏中用于寻路。我还编写了一个实现Dijkstra算法的类Path,每个非静态游戏内单元都有一个Path

我遇到的问题是,当我运行应用程序时,代码执行代码来初始化单元,并在这样做时,在构建PathGraph对象之前初始化每个蠕变的路径(使用Eclipse Scala调试器和println语句)。但遗憾的是,生成路径的代码需要PathGraph对象,特别是path变量(var,以便在地图更新时指向新路径,等等。),被初始化。

我应该如何使用我的代码修复此问题? PathGraph代码粘贴在下面以供参考。

object PathGraph {
  private val graph:Array[Array[Node]] = buildAndFillGraph()

  //val nodeDist:Double = MainGame.pixelsPerIteration
  val nodeDist = .5
  val numXNodes = (MainGame.gamePanelWidth.toDouble / nodeDist).toInt
  val numYNodes = (MainGame.gamePanelHeight.toDouble / nodeDist).toInt
  val defaultInfinity = 99999

  //build every Nodes adjacent nodes
  val angle = 45
  val minHeight = 0
  val minWidth = 0
  val maxHeight = MainGame.gamePanelSize.height //game panel y value starts at 0 at TOP
  val maxWidth = MainGame.gamePanelSize.width
  val numPossibleAdjacentNodes = 360 / angle //360 degrees, 45 degree angle between every potentially adjacent Node
  val hypotenuseLength = math.sqrt((nodeDist * nodeDist) + (nodeDist * nodeDist))



  def buildGraphArray(): Array[Array[Node]] = {
    println("numXNodes/nodeDist.toInt: " + (numXNodes.toDouble / nodeDist).toInt + "\n")
    //build every Node in the graph
    val lgraph = 
      (for (x <- 0 until (numXNodes / nodeDist).toInt) yield {
      (for (y <- 0 until (numYNodes / nodeDist).toInt) yield {
        new Node(x.toDouble * nodeDist, y.toDouble * nodeDist)//gives lgraph(x,y) notation
      }).toArray //convert IndexedSeqs to Arrays
    }).toArray//again

    lgraph
  }

  def buildAndFillGraph():Array[Array[Node]] = {
    val lgraph = buildGraphArray()//Ar[Ar[Node]]
    println("lgraph built")
    lgraph.map(x => x.map(y => y.setAdjacentNodes(lgraph)))
    //set the adjacent nodes for all nodes in the array
    if (lgraph.size != numXNodes*numYNodes) println("numXNodes*numYNodes: " + numXNodes*numYNodes)
    else MainGame.pathGraphBuilt = true
    lgraph

  }

  def getGraph() = graph

  def toBuffer(): mutable.Buffer[Node] = graph.flatten.toBuffer

  def toArray(): Array[Node] = graph.flatten
}

1 个答案:

答案 0 :(得分:1)

您可以采取一些措施来改进代码:

  • 不要使用静态变量。你的PathGraph应该是一个类,而不是一个对象。 MainGame. pathGraphBuilt也是一个静态变量,您可以使用构建器替换它 - 请参阅下一点。

  • 使用Builder模式区分构建的内容和最终结果。您的PathGraph逻辑将主要进入构建器。这些方面的东西:

-

case class PathGraphBuilder(nodeDist: Double, numXNodes: Double /* and so on */) {
  def apply: PathGraph = buildAndFillGraph
  def buildGraphArray = ...
  def buildAndFillGraph = ...
}

class PathGraph(underlyingGraph: Array[Array[Node]]) {
  def toBuffer(): mutable.Buffer[Node] = underlyingGraph.flatten.toBuffer

  def toArray(): Array[Node] = underlyingGraph.flatten
}