LocalSearch.py 2.5 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071
  1. """Local Search algorithm
  2. """
  3. # main imports
  4. import logging
  5. # module imports
  6. from ..Algorithm import Algorithm
  7. class LocalSearch(Algorithm):
  8. """Local Search used as exploitation optimization algorithm
  9. Attributes:
  10. initalizer: {function} -- basic function strategy to initialize solution
  11. evaluator: {function} -- basic function in order to obtained fitness (mono or multiple objectives)
  12. operators: {[Operator]} -- list of operator to use when launching algorithm
  13. policy: {Policy} -- Policy class implementation strategy to select operators
  14. validator: {function} -- basic function to check if solution is valid or not under some constraints
  15. maximise: {bool} -- specify kind of optimization problem
  16. currentSolution: {Solution} -- current solution managed for current evaluation
  17. bestSolution: {Solution} -- best solution found so far during running algorithm
  18. callbacks: {[Callback]} -- list of Callback class implementation to do some instructions every number of evaluations and `load` when initializing algorithm
  19. """
  20. def run(self, _evaluations):
  21. """
  22. Run the local search algorithm
  23. Args:
  24. _evaluations: {int} -- number of Local search evaluations
  25. Returns:
  26. {Solution} -- best solution found
  27. """
  28. # by default use of mother method to initialize variables
  29. super().run(_evaluations)
  30. # initialize solution if no backup
  31. if self.bestSolution is None:
  32. self.initRun()
  33. solutionSize = self.bestSolution.size
  34. # local search algorithm implementation
  35. while not self.stop():
  36. for _ in range(solutionSize):
  37. # update solution using policy
  38. newSolution = self.update(self.bestSolution)
  39. # if better solution than currently, replace it
  40. if self.isBetter(newSolution):
  41. self.bestSolution = newSolution
  42. # increase number of evaluations
  43. self.increaseEvaluation()
  44. self.progress()
  45. logging.info("---- Current %s - SCORE %s" %
  46. (newSolution, newSolution.fitness()))
  47. # stop algorithm if necessary
  48. if self.stop():
  49. break
  50. logging.info("End of %s, best solution found %s" %
  51. (type(self).__name__, self.bestSolution))
  52. return self.bestSolution