Кратчайший путь между столицами, проходящий через другие столицы - PullRequest
0 голосов
/ 07 ноября 2019

Я пытаюсь разработать некоторый код для работы в колледже, и у меня есть алгоритм, который дает мне кратчайший путь между двумя узлами в графе. Обратите внимание, что узлами являются страны с капиталом.

Может кто-нибудь объяснить мне, как я могу разработать что-то, что дает мне кратчайший путь из страны А в страну Б, проходящий через список столиц (стран)?

Я реализовал метод, который также дает мне расстояние между двумя географическими точками.

Сначала я хотел упорядочить список столиц на основе их расстояния до страны A, а затем сложить всерасстояния по кратчайшему пути между страной А и первым списком, затем первым списком и третьим списком и так далее. Очевидно, это не правильно.

    public double shortestPathCapitals2(List<String> capitais, Pais pOrig, Pais pDest) {
    double dist = 0;
    LinkedList<Pais> shortPath = new LinkedList<Pais>();
    LinkedList<String> temp = new LinkedList<>(capitais);

    temp.addFirst(pOrig.getCapital());
    temp.addLast(pDest.getCapital());

    Collections.sort(temp, (c1, c2) -> (int) (distance(pOrig, shortestPathCapitals2(c2)) - distance(pOrig, obterPaisPorCapital(c1))));

    for (int i = 0; i < temp.size() - 1; i++) {
        Pais p1 = obterPaisPorCapital(temp.get(i));
        Pais p2 = obterPaisPorCapital(temp.get(i + 1));
        dist += shortestPath(p1, p2, shortPath);
        shortPath.clear();
    }

    return dist;
}

Спасибо.

1 Ответ

0 голосов
/ 07 ноября 2019

описание проблемы:

Учитывая граф с вершинами V и ребрами E. Мы хотим найти путь P между Va и Vb такой, что:

  • путь содержит {V0, V1, ..} (некоторое подмножество V)
  • сумма весов на ребрах в P минимальна

псевдокод:

function findPath(startVertex, endVertex, verticesToBeVisited, currentPath)

    // check if we have reached the destination
    if startVertex == endVertex:

          /*
           * there are multiple ways of reaching the destination
           * calculate the length of the past (also called the cost)
           * if the cost is lower than the current minimum, store the path
           */
          cost = calculateCost(currentPath)
          if cost  < currentMinCost:
              currentMinCost = cost
              currentMinPath = currentPath            

    else:

        /*
         * if we have not reached the destination
         * we need to try all possible next hops
         * this algorithm uses recursion to do so
         */
        for every vertex Vn that is a neighbour of startVertex:

            /*
             * this check prevents us from going
             * Paris --> Rome --> Paris --> Rome (endlessly)
             */
            if currentPath contains Vn:
                 continue

            // add the next hop to our path
            currentPath += Vn

            // if this vertex needed to be visit, cross it out in the list
            if verticesToBeVisited contains Vn:
                verticesToBeVisited -= Vn

            // recursion
            findPath(Vn, endVertex, verticesToBeVisited, currentPath)

            // clean up
            if verticesToBeVisited contained Vn:
                verticesToBeVisited += Vn

            currentPath -= Vn
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...