Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> การเขียนโปรแกรม

เส้นทางที่สั้นที่สุดด้วย k Edges


กราฟกำกับหนึ่งกราฟจะระบุน้ำหนักระหว่างจุดยอดแต่ละคู่ และมีจุดยอดสองจุด u และ v งานของเราคือการหาระยะทางที่สั้นที่สุดจากจุดยอด u ถึงจุดยอด v โดยมีจำนวนขอบ k เท่ากัน

เส้นทางที่สั้นที่สุดด้วย k Edges

เพื่อแก้ปัญหานี้ เราจะเริ่มจากจุดยอด u และไปที่จุดที่อยู่ติดกันทั้งหมด และเกิดขึ้นซ้ำสำหรับจุดยอดที่อยู่ติดกันโดยใช้ค่า k เป็น k - 1

อินพุตและเอาต์พุต

Input:
The cost matrix of the graph.
0 10 3 2
∞  0 ∞ 7
∞  ∞ 0 6
∞  ∞ ∞ 0

Output:
Weight of the shortest path is 9

อัลกอริทึม

shortKEdgePath(u, v, edge)

ป้อนข้อมูล - จุดยอด u และ v และจำนวนขอบ

ผลลัพธ์ − ระยะทางของเส้นทางที่สั้นที่สุด

Begin
   if edge = 0 and u = v, then
      return 0
   if edge = 1 and cost[u, v] ≠ ∞, then
      return cost[u, v]
   if edge <= 0, then
      return ∞
   set shortPath := ∞

   for all vertices i, do
      if cost[u, i] ≠ ∞ and u ≠ i and v ≠ i, then
         tempRes := shortKEdgePath(i, v, edge - 1)
         if tempRes ≠ ∞, then
            shortPath = minimum of shortPath and (cost[u,i]+tempRes
   done
   return shortPath
End

ตัวอย่าง

#include <iostream>
#define NODE 4
#define INF INT_MAX
using namespace std;

int cost[NODE][NODE] = {
   {0, 10, 3, 2},
   {INF, 0, INF, 7},
   {INF, INF, 0, 6},
   {INF, INF, INF, 0}
};

int minimum(int a, int b) {
   return (a<b)?a:b;
}

int shortKEdgePath(int u, int v, int edge) {
   if (edge == 0 && u == v)    //when 0 edge, no path is present            
      return 0;
   if (edge == 1 && cost[u][v] != INF)    //when only one edge, and (u,v) is valid
      return cost[u][v];
   if (edge <= 0)    //when edge is -ve, there are infinity solution        
      return INF;
   int shortPath = INF;

   for (int i = 0; i < NODE; i++) {    //for all vertices i, adjacent to u
      if (cost[u][i] != INF && u != i && v != i) {
         int tempRes = shortKEdgePath(i, v, edge-1);
         if (tempRes != INF)
            shortPath = minimum(shortPath, cost[u][i] + tempRes);
      }
   }
   return shortPath;
}

int main() {
   int src = 0, dest = 3, k = 2;
   cout << "Weight of the shortest path is " << shortKEdgePath(src, dest, k);
}

ผลลัพธ์

Weight of the shortest path is 9