Created
July 18, 2016 18:59
-
-
Save mourjo/2073ecc0bfb26c2b4a793406db5b1574 to your computer and use it in GitHub Desktop.
Travelling Salesman (Simple Brute Force Algorithm)
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.awt.Point; | |
import java.awt.geom.Point2D; | |
import java.io.*; | |
import java.util.ArrayList; | |
import java.util.List; | |
public class TravellingSalesman { | |
public static void main(String[] args) throws NumberFormatException, IOException { | |
BufferedReader br = new BufferedReader (new InputStreamReader (System.in)); | |
System.out.println("Number of points: "); | |
int n = Integer.parseInt(br.readLine()); | |
System.out.println("Enter points as X,Y:"); | |
List<Point2D> pts = new ArrayList<Point2D>(); | |
for (int i = 0; i < n ; i++) | |
{ | |
System.out.println("Point " + i +": "); | |
String input[] = br.readLine().split(","); | |
pts.add(new Point(Integer.parseInt(input[0]), Integer.parseInt(input[1]))); | |
} | |
System.out.println(bestRouteBruteForce(pts)); | |
} | |
public static String bestRouteBruteForce(List<Point2D> pts) | |
{ | |
double lowestCost = Double.MAX_VALUE; | |
List<Point2D> bestRoute = new ArrayList<Point2D>(); | |
for (List<Point2D> path : getPaths(pts)) | |
{ | |
double cost = 0d; | |
for (int i = 0; i < path.size()-1; i++) | |
cost += path.get(i).distance(path.get(i+1)); | |
if (cost < lowestCost) | |
{ | |
lowestCost = cost; | |
bestRoute = path; | |
} | |
} | |
return getRouteString(bestRoute); | |
} | |
public static String getRouteString(List<Point2D> r) | |
{ | |
String path = ""; | |
if (r.size() > 0) | |
{ | |
for (int i = 0; i < r.size()-1; i++) | |
path += (int) r.get(i).getX() + "," + (int) r.get(i).getY() + " -> "; | |
return (path + (int) r.get(r.size() - 1).getX() + "," + (int) r.get(r.size() - 1).getY()); | |
} | |
return ""; | |
} | |
public static List<List<Point2D>> getPaths(List<Point2D> pts) | |
{ | |
if (pts.size() == 0) | |
{ | |
List<List<Point2D>> paths = new ArrayList<List<Point2D>>(); | |
paths.add(new ArrayList<Point2D>()); | |
return paths; | |
} | |
Point2D startingPoint = pts.remove(0); | |
List<List<Point2D>> allPaths = new ArrayList<List<Point2D>>(); | |
List<List<Point2D>> pathsWithoutStartingPt = getPaths(pts); | |
for (List<Point2D> path : pathsWithoutStartingPt) | |
{ | |
for (int i = 0; i <= path.size(); i++) | |
{ | |
List<Point2D> temp = new ArrayList<Point2D>(path); | |
temp.add(i, startingPoint); | |
allPaths.add(temp); | |
} | |
} | |
return allPaths; | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment