Advertisement
dzocesrce

[VI] Sk8er Boy

Apr 5th, 2024 (edited)
130
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 20.03 KB | None | 0 0
  1. #zadaca za vezbanje za prv kolokvium
  2. import bisect
  3.  
  4.  
  5. """
  6. Дефинирање на класа за структурата на проблемот кој ќе го решаваме со пребарување.
  7. Класата Problem е апстрактна класа од која правиме наследување за дефинирање на основните
  8. карактеристики на секој проблем што сакаме да го решиме
  9. """
  10.  
  11.  
  12. class Problem:
  13.     def __init__(self, initial, goal=None):
  14.         self.initial = initial
  15.         self.goal = goal
  16.  
  17.     def successor(self, state):
  18.         """За дадена состојба, врати речник од парови {акција : состојба}
  19.        достапни од оваа состојба. Ако има многу следбеници, употребете
  20.        итератор кој би ги генерирал следбениците еден по еден, наместо да
  21.        ги генерирате сите одеднаш.
  22.  
  23.        :param state: дадена состојба
  24.        :return:  речник од парови {акција : состојба} достапни од оваа
  25.                  состојба
  26.        :rtype: dict
  27.        """
  28.         raise NotImplementedError
  29.  
  30.     def actions(self, state):
  31.         """За дадена состојба state, врати листа од сите акции што може да
  32.        се применат над таа состојба
  33.  
  34.        :param state: дадена состојба
  35.        :return: листа на акции
  36.        :rtype: list
  37.        """
  38.         raise NotImplementedError
  39.  
  40.     def result(self, state, action):
  41.         """За дадена состојба state и акција action, врати ја состојбата
  42.        што се добива со примена на акцијата над состојбата
  43.  
  44.        :param state: дадена состојба
  45.        :param action: дадена акција
  46.        :return: резултантна состојба
  47.        """
  48.         raise NotImplementedError
  49.  
  50.     def goal_test(self, state):
  51.         """Врати True ако state е целна состојба. Даденава имплементација
  52.        на методот директно ја споредува state со self.goal, како што е
  53.        специфицирана во конструкторот. Имплементирајте го овој метод ако
  54.        проверката со една целна состојба self.goal не е доволна.
  55.  
  56.        :param state: дадена состојба
  57.        :return: дали дадената состојба е целна состојба
  58.        :rtype: bool
  59.        """
  60.         return state == self.goal
  61.  
  62.     def path_cost(self, c, state1, action, state2):
  63.         """Врати ја цената на решавачкиот пат кој пристигнува во состојбата
  64.        state2 од состојбата state1 преку акцијата action, претпоставувајќи
  65.        дека цената на патот до состојбата state1 е c. Ако проблемот е таков
  66.        што патот не е важен, оваа функција ќе ја разгледува само состојбата
  67.        state2. Ако патот е важен, ќе ја разгледува цената c и можеби и
  68.        state1 и action. Даденава имплементација му доделува цена 1 на секој
  69.        чекор од патот.
  70.  
  71.        :param c: цена на патот до состојбата state1
  72.        :param state1: дадена моментална состојба
  73.        :param action: акција која треба да се изврши
  74.        :param state2: состојба во која треба да се стигне
  75.        :return: цена на патот по извршување на акцијата
  76.        :rtype: float
  77.        """
  78.         return c + 1
  79.  
  80.     def value(self):
  81.         """За проблеми на оптимизација, секоја состојба си има вредност. 
  82.        Hill-climbing и сличните алгоритми се обидуваат да ја максимизираат
  83.        оваа вредност.
  84.  
  85.        :return: вредност на состојба
  86.        :rtype: float
  87.        """
  88.         raise NotImplementedError
  89.  
  90.  
  91. """
  92. Дефинирање на класата за структурата на јазел од пребарување.
  93. Класата Node не се наследува
  94. """
  95.  
  96.  
  97. class Node:
  98.     def __init__(self, state, parent=None, action=None, path_cost=0):
  99.         """Креирај јазол од пребарувачкото дрво, добиен од parent со примена
  100.        на акцијата action
  101.  
  102.        :param state: моментална состојба (current state)
  103.        :param parent: родителска состојба (parent state)
  104.        :param action: акција (action)
  105.        :param path_cost: цена на патот (path cost)
  106.        """
  107.         self.state = state
  108.         self.parent = parent
  109.         self.action = action
  110.         self.path_cost = path_cost
  111.         self.depth = 0  # search depth
  112.         if parent:
  113.             self.depth = parent.depth + 1
  114.  
  115.     def __repr__(self):
  116.         return "<Node %s>" % (self.state,)
  117.  
  118.     def __lt__(self, node):
  119.         return self.state < node.state
  120.  
  121.     def expand(self, problem):
  122.         """Излистај ги јазлите достапни во еден чекор од овој јазол.
  123.  
  124.        :param problem: даден проблем
  125.        :return: листа на достапни јазли во еден чекор
  126.        :rtype: list(Node)
  127.        """
  128.  
  129.         return [self.child_node(problem, action)
  130.                 for action in problem.actions(self.state)]
  131.  
  132.     def child_node(self, problem, action):
  133.         """Дете јазел
  134.  
  135.        :param problem: даден проблем
  136.        :param action: дадена акција
  137.        :return: достапен јазел според дадената акција
  138.        :rtype: Node
  139.        """
  140.         next_state = problem.result(self.state, action)
  141.         return Node(next_state, self, action,
  142.                     problem.path_cost(self.path_cost, self.state,
  143.                                       action, next_state))
  144.  
  145.     def solution(self):
  146.         """Врати ја секвенцата од акции за да се стигне од коренот до овој јазол.
  147.  
  148.        :return: секвенцата од акции
  149.        :rtype: list
  150.        """
  151.         return [node.action for node in self.path()[1:]]
  152.  
  153.     def solve(self):
  154.         """Врати ја секвенцата од состојби за да се стигне од коренот до овој јазол.
  155.  
  156.        :return: листа од состојби
  157.        :rtype: list
  158.        """
  159.         return [node.state for node in self.path()[0:]]
  160.  
  161.     def path(self):
  162.         """Врати ја листата од јазли што го формираат патот од коренот до овој јазол.
  163.  
  164.        :return: листа од јазли од патот
  165.        :rtype: list(Node)
  166.        """
  167.         x, result = self, []
  168.         while x:
  169.             result.append(x)
  170.             x = x.parent
  171.         result.reverse()
  172.         return result
  173.  
  174.     """Сакаме редицата од јазли кај breadth_first_search или
  175.    astar_search да не содржи состојби - дупликати, па јазлите што
  176.    содржат иста состојба ги третираме како исти. [Проблем: ова може
  177.    да не биде пожелно во други ситуации.]"""
  178.  
  179.     def __eq__(self, other):
  180.         return isinstance(other, Node) and self.state == other.state
  181.  
  182.     def __hash__(self):
  183.         return hash(self.state)
  184.  
  185.  
  186. """
  187. Дефинирање на помошни структури за чување на листата на генерирани, но непроверени јазли
  188. """
  189.  
  190.  
  191. class Queue:
  192.     """Queue е апстрактна класа / интерфејс. Постојат 3 типа:
  193.         Stack(): Last In First Out Queue (стек).
  194.         FIFOQueue(): First In First Out Queue (редица).
  195.         PriorityQueue(order, f): Queue во сортиран редослед (подразбирливо,од најмалиот кон
  196.                                 најголемиот јазол).
  197.     """
  198.  
  199.     def __init__(self):
  200.         raise NotImplementedError
  201.  
  202.     def append(self, item):
  203.         """Додади го елементот item во редицата
  204.  
  205.        :param item: даден елемент
  206.        :return: None
  207.        """
  208.         raise NotImplementedError
  209.  
  210.     def extend(self, items):
  211.         """Додади ги елементите items во редицата
  212.  
  213.        :param items: дадени елементи
  214.        :return: None
  215.        """
  216.         raise NotImplementedError
  217.  
  218.     def pop(self):
  219.         """Врати го првиот елемент од редицата
  220.  
  221.        :return: прв елемент
  222.        """
  223.         raise NotImplementedError
  224.  
  225.     def __len__(self):
  226.         """Врати го бројот на елементи во редицата
  227.  
  228.        :return: број на елементи во редицата
  229.        :rtype: int
  230.        """
  231.         raise NotImplementedError
  232.  
  233.     def __contains__(self, item):
  234.         """Проверка дали редицата го содржи елементот item
  235.  
  236.        :param item: даден елемент
  237.        :return: дали queue го содржи item
  238.        :rtype: bool
  239.        """
  240.         raise NotImplementedError
  241.  
  242.  
  243. class Stack(Queue):
  244.     """Last-In-First-Out Queue."""
  245.  
  246.     def __init__(self):
  247.         self.data = []
  248.  
  249.     def append(self, item):
  250.         self.data.append(item)
  251.  
  252.     def extend(self, items):
  253.         self.data.extend(items)
  254.  
  255.     def pop(self):
  256.         return self.data.pop()
  257.  
  258.     def __len__(self):
  259.         return len(self.data)
  260.  
  261.     def __contains__(self, item):
  262.         return item in self.data
  263.  
  264.  
  265. class FIFOQueue(Queue):
  266.     """First-In-First-Out Queue."""
  267.  
  268.     def __init__(self):
  269.         self.data = []
  270.  
  271.     def append(self, item):
  272.         self.data.append(item)
  273.  
  274.     def extend(self, items):
  275.         self.data.extend(items)
  276.  
  277.     def pop(self):
  278.         return self.data.pop(0)
  279.  
  280.     def __len__(self):
  281.         return len(self.data)
  282.  
  283.     def __contains__(self, item):
  284.         return item in self.data
  285.  
  286.  
  287. class PriorityQueue(Queue):
  288.     """Редица во која прво се враќа минималниот (или максималниот) елемент
  289.    (како што е определено со f и order). Оваа структура се користи кај
  290.    информирано пребарување"""
  291.     """"""
  292.  
  293.     def __init__(self, order=min, f=lambda x: x):
  294.         """
  295.        :param order: функција за подредување, ако order е min, се враќа елементот
  296.                      со минимална f(x); ако order е max, тогаш се враќа елементот
  297.                      со максимална f(x).
  298.        :param f: функција f(x)
  299.        """
  300.         assert order in [min, max]
  301.         self.data = []
  302.         self.order = order
  303.         self.f = f
  304.  
  305.     def append(self, item):
  306.         bisect.insort_right(self.data, (self.f(item), item))
  307.  
  308.     def extend(self, items):
  309.         for item in items:
  310.             bisect.insort_right(self.data, (self.f(item), item))
  311.  
  312.     def pop(self):
  313.         if self.order == min:
  314.             return self.data.pop(0)[1]
  315.         return self.data.pop()[1]
  316.  
  317.     def __len__(self):
  318.         return len(self.data)
  319.  
  320.     def __contains__(self, item):
  321.         return any(item == pair[1] for pair in self.data)
  322.  
  323.     def __getitem__(self, key):
  324.         for _, item in self.data:
  325.             if item == key:
  326.                 return item
  327.  
  328.     def __delitem__(self, key):
  329.         for i, (value, item) in enumerate(self.data):
  330.             if item == key:
  331.                 self.data.pop(i)
  332.  
  333.  
  334. from sys import maxsize as infinity
  335.  
  336. """
  337. Информирано пребарување во рамки на граф
  338. """
  339.  
  340.  
  341. def memoize(fn, slot=None):
  342.     """ Запамети ја пресметаната вредност за која била листа од
  343.    аргументи. Ако е специфициран slot, зачувај го резултатот во
  344.    тој slot на првиот аргумент. Ако slot е None, зачувај ги
  345.    резултатите во речник.
  346.  
  347.    :param fn: зададена функција
  348.    :type fn: function
  349.    :param slot: име на атрибут во кој се чуваат резултатите од функцијата
  350.    :type slot: str
  351.    :return: функција со модификација за зачувување на резултатите
  352.    :rtype: function
  353.    """
  354.     if slot:
  355.         def memoized_fn(obj, *args):
  356.             if hasattr(obj, slot):
  357.                 return getattr(obj, slot)
  358.             else:
  359.                 val = fn(obj, *args)
  360.                 setattr(obj, slot, val)
  361.                 return val
  362.     else:
  363.         def memoized_fn(*args):
  364.             if args not in memoized_fn.cache:
  365.                 memoized_fn.cache[args] = fn(*args)
  366.             return memoized_fn.cache[args]
  367.  
  368.         memoized_fn.cache = {}
  369.     return memoized_fn
  370.  
  371.  
  372. def best_first_graph_search(problem, f):
  373.     """Пребарувај низ следбениците на даден проблем за да најдеш цел. Користи
  374.     функција за евалуација за да се одлучи кој е сосед најмногу ветува и
  375.     потоа да се истражи. Ако до дадена состојба стигнат два пата, употреби
  376.     го најдобриот пат.
  377.  
  378.    :param problem: даден проблем
  379.    :type problem: Problem
  380.    :param f: дадена функција за евалуација (проценка)
  381.    :type f: function
  382.    :return: Node or None
  383.    :rtype: Node
  384.    """
  385.     f = memoize(f, 'f')
  386.     node = Node(problem.initial)
  387.     if problem.goal_test(node.state):
  388.         return node
  389.     frontier = PriorityQueue(min, f)
  390.     frontier.append(node)
  391.     explored = set()
  392.     while frontier:
  393.         node = frontier.pop()
  394.         if problem.goal_test(node.state):
  395.             return node
  396.         explored.add(node.state)
  397.         for child in node.expand(problem):
  398.             if child.state not in explored and child not in frontier:
  399.                 frontier.append(child)
  400.             elif child in frontier:
  401.                 incumbent = frontier[child]
  402.                 if f(child) < f(incumbent):
  403.                     del frontier[incumbent]
  404.                     frontier.append(child)
  405.     return None
  406.  
  407.  
  408. def greedy_best_first_graph_search(problem, h=None):
  409.     """ Greedy best-first пребарување се остварува ако се специфицира дека f(n) = h(n).
  410.  
  411.    :param problem: даден проблем
  412.    :type problem: Problem
  413.    :param h: дадена функција за хевристика
  414.    :type h: function
  415.    :return: Node or None
  416.    """
  417.     h = memoize(h or problem.h, 'h')
  418.     return best_first_graph_search(problem, h)
  419.  
  420.  
  421. def astar_search(problem, h=None):
  422.     """ A* пребарување е best-first graph пребарување каде f(n) = g(n) + h(n).
  423.  
  424.    :param problem: даден проблем
  425.    :type problem: Problem
  426.    :param h: дадена функција за хевристика
  427.    :type h: function
  428.    :return: Node or None
  429.    """
  430.     h = memoize(h or problem.h, 'h')
  431.     return best_first_graph_search(problem, lambda n: n.path_cost + h(n))
  432.  
  433.  
  434. def recursive_best_first_search(problem, h=None):
  435.     """Recursive best first search - ја ограничува рекурзијата
  436.    преку следење на f-вредноста на најдобриот алтернативен пат
  437.    од било кој јазел предок (еден чекор гледање нанапред).
  438.  
  439.    :param problem: даден проблем
  440.    :type problem: Problem
  441.    :param h: дадена функција за хевристика
  442.    :type h: function
  443.    :return: Node or None
  444.    """
  445.     h = memoize(h or problem.h, 'h')
  446.  
  447.     def RBFS(problem, node, flimit):
  448.         if problem.goal_test(node.state):
  449.             return node, 0  # (втората вредност е неважна)
  450.         successors = node.expand(problem)
  451.         if len(successors) == 0:
  452.             return None, infinity
  453.         for s in successors:
  454.             s.f = max(s.path_cost + h(s), node.f)
  455.         while True:
  456.             # Подреди ги според најниската f вредност
  457.             successors.sort(key=lambda x: x.f)
  458.             best = successors[0]
  459.             if best.f > flimit:
  460.                 return None, best.f
  461.             if len(successors) > 1:
  462.                 alternative = successors[1].f
  463.             else:
  464.                 alternative = infinity
  465.             result, best.f = RBFS(problem, best, min(flimit, alternative))
  466.             if result is not None:
  467.                 return result, best.f
  468.  
  469.     node = Node(problem.initial)
  470.     node.f = h(node)
  471.     result, bestf = RBFS(problem, node, infinity)
  472.     return result
  473.    
  474.  
  475. class GhostOnSkates(Problem):
  476.     def __init__(self, initial, walls, n, goal=None):
  477.         super().__init__(initial, goal)
  478.         self.walls = walls
  479.         self.n = n
  480.  
  481.     def actions(self, state):
  482.         return self.successor(state).keys()
  483.  
  484.     def result(self, state, action):
  485.         return self.successor(state)[action]
  486.  
  487.     def goal_test(self, state):
  488.         return state == self.goal
  489.  
  490.     @staticmethod
  491.     def check_valid(state, walls, n):
  492.         ...
  493.  
  494.     def successor(self, state):
  495.         successors = dict()
  496.  
  497.         ghost_x = state[0]
  498.         ghost_y = state[1]
  499.  
  500.         grid_size = self.n
  501.         obsticles = self.walls
  502.  
  503.         if ghost_y < grid_size - 1 and (ghost_x, ghost_y + 1) not in obsticles:
  504.             successors['Gore 1'] = (ghost_x, ghost_y + 1)
  505.  
  506.         if ghost_y < grid_size - 2 and (ghost_x, ghost_y + 2) not in obsticles:
  507.             successors['Gore 2'] = (ghost_x, ghost_y + 2)
  508.  
  509.         if ghost_y < grid_size - 3 and (ghost_x, ghost_y + 3) not in obsticles:
  510.             successors['Gore 3'] = (ghost_x, ghost_y + 3)
  511.  
  512.         if ghost_x < grid_size - 1 and (ghost_x+1, ghost_y) not in obsticles:
  513.             successors['Desno 1'] = (ghost_x+1, ghost_y)
  514.            
  515.         if ghost_x < grid_size - 2 and (ghost_x+2, ghost_y) not in obsticles:
  516.             successors['Desno 2'] = (ghost_x+2, ghost_y)
  517.            
  518.         if ghost_x < grid_size - 3 and (ghost_x+3, ghost_y) not in obsticles:
  519.             successors['Desno 3'] = (ghost_x+3, ghost_y)
  520.  
  521.         return successors
  522.  
  523.     def h(self, node):
  524.         ghost_x= node.state[0]
  525.         ghost_y= node.state[1]
  526.         goal_x= self.n
  527.         goal_y= self.n
  528.        
  529.         return abs(goal_x - ghost_x)/4 + abs(goal_y - ghost_y)/4
  530.  
  531. if __name__ == '__main__':
  532.     n = int(input())
  533.     ghost_pos = (0, 0)
  534.     goal_pos = (n - 1, n - 1)
  535.  
  536.     num_holes = int(input())
  537.     holes = list()
  538.     for _ in range(num_holes):
  539.         holes.append(tuple(map(int, input().split(','))))
  540.  
  541.     problem = GhostOnSkates(ghost_pos, holes, n, goal_pos)
  542.    
  543.     answer = astar_search(problem)
  544.     if answer is None:
  545.         print("None")
  546.     else:
  547.         print(answer.solution())
  548.  
  549.  
  550.  
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement