Skip to content

Commit 099caeb

Browse files
authored
Merge pull request TheAlgorithms#300 from irokafetzaki/tabu
Tabu Search
2 parents 2d360cd + 35110b6 commit 099caeb

File tree

3 files changed

+369
-0
lines changed

3 files changed

+369
-0
lines changed

searches/tabuTestData.txt

+10
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
a b 20
2+
a c 18
3+
a d 22
4+
a e 26
5+
b c 10
6+
b d 11
7+
b e 12
8+
c d 23
9+
c e 24
10+
d e 40

searches/tabu_search.py

+313
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,313 @@
1+
"""
2+
This is pure python implementation of Tabu search algorithm for a Travelling Salesman Problem, that the distances
3+
between the cities are symmetric (the distance between city 'a' and city 'b' is the same between city 'b' and city 'a').
4+
The TSP can be represented into a graph. The cities are represented by nodes and the distance between them is
5+
represented by the weight of the ark between the nodes.
6+
7+
The .txt file with the graph has the form:
8+
9+
node1 node2 distance_between_node1_and_node2
10+
node1 node3 distance_between_node1_and_node3
11+
...
12+
13+
Be careful node1, node2 and the distance between them, must exist only once. This means in the .txt file
14+
should not exist:
15+
node1 node2 distance_between_node1_and_node2
16+
node2 node1 distance_between_node2_and_node1
17+
18+
For pytests run following command:
19+
pytest
20+
21+
For manual testing run:
22+
python tabu_search.py -f your_file_name.txt -number_of_iterations_of_tabu_search -s size_of_tabu_search
23+
e.g. python tabu_search.py -f tabudata2.txt -i 4 -s 3
24+
"""
25+
26+
import copy
27+
import argparse
28+
import sys
29+
30+
31+
def generate_neighbours(path):
32+
"""
33+
Pure implementation of generating a dictionary of neighbors and the cost with each
34+
neighbor, given a path file that includes a graph.
35+
36+
:param path: The path to the .txt file that includes the graph (e.g.tabudata2.txt)
37+
:return dict_of_neighbours: Dictionary with key each node and value a list of lists with the neighbors of the node
38+
and the cost (distance) for each neighbor.
39+
40+
Example of dict_of_neighbours:
41+
>>> dict_of_neighbours[a]
42+
[[b,20],[c,18],[d,22],[e,26]]
43+
44+
This indicates the neighbors of node (city) 'a', which has neighbor the node 'b' with distance 20,
45+
the node 'c' with distance 18, the node 'd' with distance 22 and the node 'e' with distance 26.
46+
47+
"""
48+
f = open(path, "r")
49+
50+
dict_of_neighbours = {}
51+
52+
for line in f:
53+
if line.split()[0] not in dict_of_neighbours:
54+
_list = list()
55+
_list.append([line.split()[1], line.split()[2]])
56+
dict_of_neighbours[line.split()[0]] = _list
57+
else:
58+
dict_of_neighbours[line.split()[0]].append([line.split()[1], line.split()[2]])
59+
if line.split()[1] not in dict_of_neighbours:
60+
_list = list()
61+
_list.append([line.split()[0], line.split()[2]])
62+
dict_of_neighbours[line.split()[1]] = _list
63+
else:
64+
dict_of_neighbours[line.split()[1]].append([line.split()[0], line.split()[2]])
65+
f.close()
66+
67+
return dict_of_neighbours
68+
69+
70+
def generate_first_solution(path, dict_of_neighbours):
71+
"""
72+
Pure implementation of generating the first solution for the Tabu search to start, with the redundant resolution
73+
strategy. That means that we start from the starting node (e.g. node 'a'), then we go to the city nearest (lowest
74+
distance) to this node (let's assume is node 'c'), then we go to the nearest city of the node 'c', etc
75+
till we have visited all cities and return to the starting node.
76+
77+
:param path: The path to the .txt file that includes the graph (e.g.tabudata2.txt)
78+
:param dict_of_neighbours: Dictionary with key each node and value a list of lists with the neighbors of the node
79+
and the cost (distance) for each neighbor.
80+
:return first_solution: The solution for the first iteration of Tabu search using the redundant resolution strategy
81+
in a list.
82+
:return distance_of_first_solution: The total distance that Travelling Salesman will travel, if he follows the path
83+
in first_solution.
84+
85+
"""
86+
87+
f = open(path, "r")
88+
start_node = f.read(1)
89+
end_node = start_node
90+
91+
first_solution = []
92+
93+
visiting = start_node
94+
95+
distance_of_first_solution = 0
96+
f.close()
97+
while visiting not in first_solution:
98+
minim = 10000
99+
for k in dict_of_neighbours[visiting]:
100+
if int(k[1]) < int(minim) and k[0] not in first_solution:
101+
minim = k[1]
102+
best_node = k[0]
103+
104+
first_solution.append(visiting)
105+
distance_of_first_solution = distance_of_first_solution + int(minim)
106+
visiting = best_node
107+
108+
first_solution.append(end_node)
109+
110+
position = 0
111+
for k in dict_of_neighbours[first_solution[-2]]:
112+
if k[0] == start_node:
113+
break
114+
position += 1
115+
116+
distance_of_first_solution = distance_of_first_solution + int(
117+
dict_of_neighbours[first_solution[-2]][position][1]) - 10000
118+
return first_solution, distance_of_first_solution
119+
120+
121+
def find_neighborhood(solution, dict_of_neighbours):
122+
"""
123+
Pure implementation of generating the neighborhood (sorted by total distance of each solution from
124+
lowest to highest) of a solution with 1-1 exchange method, that means we exchange each node in a solution with each
125+
other node and generating a number of solution named neighborhood.
126+
127+
:param solution: The solution in which we want to find the neighborhood.
128+
:param dict_of_neighbours: Dictionary with key each node and value a list of lists with the neighbors of the node
129+
and the cost (distance) for each neighbor.
130+
:return neighborhood_of_solution: A list that includes the solutions and the total distance of each solution
131+
(in form of list) that are produced with 1-1 exchange from the solution that the method took as an input
132+
133+
134+
Example:
135+
>>> find_neighborhood(['a','c','b','d','e','a'])
136+
[['a','e','b','d','c','a',90], [['a','c','d','b','e','a',90],['a','d','b','c','e','a',93],
137+
['a','c','b','e','d','a',102], ['a','c','e','d','b','a',113], ['a','b','c','d','e','a',93]]
138+
139+
"""
140+
141+
neighborhood_of_solution = []
142+
143+
for n in solution[1:-1]:
144+
idx1 = solution.index(n)
145+
for kn in solution[1:-1]:
146+
idx2 = solution.index(kn)
147+
if n == kn:
148+
continue
149+
150+
_tmp = copy.deepcopy(solution)
151+
_tmp[idx1] = kn
152+
_tmp[idx2] = n
153+
154+
distance = 0
155+
156+
for k in _tmp[:-1]:
157+
next_node = _tmp[_tmp.index(k) + 1]
158+
for i in dict_of_neighbours[k]:
159+
if i[0] == next_node:
160+
distance = distance + int(i[1])
161+
_tmp.append(distance)
162+
163+
if _tmp not in neighborhood_of_solution:
164+
neighborhood_of_solution.append(_tmp)
165+
166+
indexOfLastItemInTheList = len(neighborhood_of_solution[0]) - 1
167+
168+
neighborhood_of_solution.sort(key=lambda x: x[indexOfLastItemInTheList])
169+
return neighborhood_of_solution
170+
171+
172+
def tabu_search(first_solution, distance_of_first_solution, dict_of_neighbours, iters, size):
173+
"""
174+
Pure implementation of Tabu search algorithm for a Travelling Salesman Problem in Python.
175+
176+
:param first_solution: The solution for the first iteration of Tabu search using the redundant resolution strategy
177+
in a list.
178+
:param distance_of_first_solution: The total distance that Travelling Salesman will travel, if he follows the path
179+
in first_solution.
180+
:param dict_of_neighbours: Dictionary with key each node and value a list of lists with the neighbors of the node
181+
and the cost (distance) for each neighbor.
182+
:param iters: The number of iterations that Tabu search will execute.
183+
:param size: The size of Tabu List.
184+
:return best_solution_ever: The solution with the lowest distance that occured during the execution of Tabu search.
185+
:return best_cost: The total distance that Travelling Salesman will travel, if he follows the path in best_solution
186+
ever.
187+
188+
"""
189+
count = 1
190+
solution = first_solution
191+
tabu_list = list()
192+
best_cost = distance_of_first_solution
193+
best_solution_ever = solution
194+
195+
while count <= iters:
196+
neighborhood = find_neighborhood(solution, dict_of_neighbours)
197+
index_of_best_solution = 0
198+
best_solution = neighborhood[index_of_best_solution]
199+
best_cost_index = len(best_solution) - 1
200+
201+
found = False
202+
while found is False:
203+
i = 0
204+
while i < len(best_solution):
205+
206+
if best_solution[i] != solution[i]:
207+
first_exchange_node = best_solution[i]
208+
second_exchange_node = solution[i]
209+
break
210+
i = i + 1
211+
212+
if [first_exchange_node, second_exchange_node] not in tabu_list and [second_exchange_node,
213+
first_exchange_node] not in tabu_list:
214+
tabu_list.append([first_exchange_node, second_exchange_node])
215+
found = True
216+
solution = best_solution[:-1]
217+
cost = neighborhood[index_of_best_solution][best_cost_index]
218+
if cost < best_cost:
219+
best_cost = cost
220+
best_solution_ever = solution
221+
else:
222+
index_of_best_solution = index_of_best_solution + 1
223+
best_solution = neighborhood[index_of_best_solution]
224+
225+
if len(tabu_list) >= size:
226+
tabu_list.pop(0)
227+
228+
count = count + 1
229+
230+
return best_solution_ever, best_cost
231+
232+
233+
def main(args=None):
234+
dict_of_neighbours = generate_neighbours(args.File)
235+
236+
first_solution, distance_of_first_solution = generate_first_solution(args.File, dict_of_neighbours)
237+
238+
best_sol, best_cost = tabu_search(first_solution, distance_of_first_solution, dict_of_neighbours, args.Iterations,
239+
args.Size)
240+
241+
print("Best solution: {0}, with total distance: {1}.".format(best_sol, best_cost))
242+
243+
244+
if __name__ == "__main__":
245+
parser = argparse.ArgumentParser(description="Tabu Search")
246+
parser.add_argument(
247+
"-f", "--File", type=str, help="Path to the file containing the data", required=True)
248+
parser.add_argument(
249+
"-i", "--Iterations", type=int, help="How many iterations the algorithm should perform", required=True)
250+
parser.add_argument(
251+
"-s", "--Size", type=int, help="Size of the tabu list", required=True)
252+
253+
# Pass the arguments to main method
254+
sys.exit(main(parser.parse_args()))
255+
256+
257+
258+
259+
260+
261+
262+
263+
264+
265+
266+
267+
268+
269+
270+
271+
272+
273+
274+
275+
276+
277+
278+
279+
280+
281+
282+
283+
284+
285+
286+
287+
288+
289+
290+
291+
292+
293+
294+
295+
296+
297+
298+
299+
300+
301+
302+
303+
304+
305+
306+
307+
308+
309+
310+
311+
312+
313+

searches/test_tabu_search.py

+46
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
import unittest
2+
import os
3+
from tabu_search import generate_neighbours, generate_first_solution, find_neighborhood, tabu_search
4+
5+
TEST_FILE = os.path.join(os.path.dirname(__file__), './tabuTestData.txt')
6+
7+
NEIGHBOURS_DICT = {'a': [['b', '20'], ['c', '18'], ['d', '22'], ['e', '26']],
8+
'c': [['a', '18'], ['b', '10'], ['d', '23'], ['e', '24']],
9+
'b': [['a', '20'], ['c', '10'], ['d', '11'], ['e', '12']],
10+
'e': [['a', '26'], ['b', '12'], ['c', '24'], ['d', '40']],
11+
'd': [['a', '22'], ['b', '11'], ['c', '23'], ['e', '40']]}
12+
13+
FIRST_SOLUTION = ['a', 'c', 'b', 'd', 'e', 'a']
14+
15+
DISTANCE = 105
16+
17+
NEIGHBOURHOOD_OF_SOLUTIONS = [['a', 'e', 'b', 'd', 'c', 'a', 90],
18+
['a', 'c', 'd', 'b', 'e', 'a', 90],
19+
['a', 'd', 'b', 'c', 'e', 'a', 93],
20+
['a', 'c', 'b', 'e', 'd', 'a', 102],
21+
['a', 'c', 'e', 'd', 'b', 'a', 113],
22+
['a', 'b', 'c', 'd', 'e', 'a', 119]]
23+
24+
25+
class TestClass(unittest.TestCase):
26+
def test_generate_neighbours(self):
27+
neighbours = generate_neighbours(TEST_FILE)
28+
29+
self.assertEquals(NEIGHBOURS_DICT, neighbours)
30+
31+
def test_generate_first_solutions(self):
32+
first_solution, distance = generate_first_solution(TEST_FILE, NEIGHBOURS_DICT)
33+
34+
self.assertEquals(FIRST_SOLUTION, first_solution)
35+
self.assertEquals(DISTANCE, distance)
36+
37+
def test_find_neighbours(self):
38+
neighbour_of_solutions = find_neighborhood(FIRST_SOLUTION, NEIGHBOURS_DICT)
39+
40+
self.assertEquals(NEIGHBOURHOOD_OF_SOLUTIONS, neighbour_of_solutions)
41+
42+
def test_tabu_search(self):
43+
best_sol, best_cost = tabu_search(FIRST_SOLUTION, DISTANCE, NEIGHBOURS_DICT, 4, 3)
44+
45+
self.assertEquals(['a', 'd', 'b', 'e', 'c', 'a'], best_sol)
46+
self.assertEquals(87, best_cost)

0 commit comments

Comments
 (0)