Dijkstra的最短路径算法Lars Vogel

时间:2013-05-21 08:20:31

标签: java

我正试图在Lars Vogel的网站上用java实现Dijkstra算法:
http://www.vogella.com/articles/JavaAlgorithmsDijkstra/article.html
但是没有主要功能,当我创建一个公共静态void时,它给出了错误,即非静态变量或类不能从静态上下文中引用。
我是否必须使所有类都静态或有另一种解决方案?

    package de.vogella.algorithms.dijkstra.test;

import java.util.ArrayList;
import java.util.LinkedList;
import java.util.List;

import org.junit.Test;

import de.vogella.algorithms.dijkstra.engine.DijkstraAlgorithm;
import de.vogella.algorithms.dijkstra.model.Edge;
import de.vogella.algorithms.dijkstra.model.Graph;
import de.vogella.algorithms.dijkstra.model.Vertex;

import static org.junit.Assert.assertNotNull;
import static org.junit.Assert.assertTrue;


public class TestDijkstraAlgorithm {
    private List<Vertex> nodes;
  private List<Edge> edges;

  @Test
  public void testExcute() {
    nodes = new ArrayList<>();
    edges = new ArrayList<>();
    for (int i = 0; i < 11; i++) {
      Vertex location = new Vertex("Node_" + i, "Node_" + i);
      nodes.add(location);
    }

    addLane("Edge_0", 0, 1, 85);
    addLane("Edge_1", 0, 2, 217);
    addLane("Edge_2", 0, 4, 173);
    addLane("Edge_3", 2, 6, 186);
    addLane("Edge_4", 2, 7, 103);
    addLane("Edge_5", 3, 7, 183);
    addLane("Edge_6", 5, 8, 250);
    addLane("Edge_7", 8, 9, 84);
    addLane("Edge_8", 7, 9, 167);
    addLane("Edge_9", 4, 9, 502);
    addLane("Edge_10", 9, 10, 40);
    addLane("Edge_11", 1, 10, 600);

    // Lets check from location Loc_1 to Loc_10
    Graph graph = new Graph(nodes, edges);
    DijkstraAlgorithm dijkstra = new DijkstraAlgorithm(graph);
    dijkstra.execute(nodes.get(0));
    LinkedList<Vertex> path = dijkstra.getPath(nodes.get(10));

    assertNotNull(path);
    assertTrue(path.size() > 0);

    for (Vertex vertex : path) {
      System.out.println(vertex);
    }

  }

  private void addLane(String laneId, int sourceLocNo, int destLocNo,
      int duration) {
    Edge lane = new Edge(laneId,nodes.get(sourceLocNo), nodes.get(destLocNo), duration);
    edges.add(lane);
  }

  public  static void main() {
      testExcute();
  }
}

1 个答案:

答案 0 :(得分:2)

使用以下代码直接运行:

public static void main() {
    new TestDijkstraAlgorithm().testExcute();
}

您必须先创建班级的实例。 main方法始终是静态的,因此您无法直接调用实例方法(非静态)。要创建实例,只需使用new TestDijkstraAlgorithm()调用构造函数。没有明确定义构造函数,因此默认值(不带参数)将自动可用。

这些是OOP基础,你应该真正读到它。

话虽这么说,调用testExecute方法的假设方式是JUnit。 这就是@Test注释的原因。

相关问题