{ "cells": [ { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "# Planning\n", "#### Chapters 10-11\n", "----" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This notebook serves as supporting material for topics covered in **Chapter 10 - Classical Planning** and **Chapter 11 - Planning and Acting in the Real World** from the book *[Artificial Intelligence: A Modern Approach](http://aima.cs.berkeley.edu)*. \n", "This notebook uses implementations from the [planning.py](https://github.com/aimacode/aima-python/blob/master/planning.py) module. \n", "See the [intro notebook](https://github.com/aimacode/aima-python/blob/master/intro.ipynb) for instructions.\n", "\n", "We'll start by looking at `PlanningProblem` and `Action` data types for defining problems and actions. \n", "Then, we will see how to use them by trying to plan a trip from *Sibiu* to *Bucharest* across the familiar map of Romania, from [search.ipynb](https://github.com/aimacode/aima-python/blob/master/search.ipynb) \n", "followed by some common planning problems and methods of solving them.\n", "\n", "Let's start by importing everything from the planning module." ] }, { "cell_type": "code", "execution_count": 79, "metadata": {}, "outputs": [], "source": [ "from planning import *\n", "from notebook import psource" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## CONTENTS\n", "\n", "**Classical Planning**\n", "- PlanningProblem\n", "- Action\n", "- Planning Problems\n", " * Air cargo problem\n", " * Spare tire problem\n", " * Three block tower problem\n", " * Shopping Problem\n", " * Socks and shoes problem\n", " * Cake problem\n", "- Solving Planning Problems\n", " * GraphPlan\n", " * Linearize\n", " * PartialOrderPlanner\n", "
\n", "\n", "**Planning in the real world**\n", "- Problem\n", "- HLA\n", "- Planning Problems\n", " * Job shop problem\n", " * Double tennis problem\n", "- Solving Planning Problems\n", " * Hierarchical Search\n", " * Angelic Search" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PlanningProblem\n", "\n", "PDDL stands for Planning Domain Definition Language.\n", "The `PlanningProblem` class is used to represent planning problems in this module. The following attributes are essential to be able to define a problem:\n", "* an initial state\n", "* a set of goals\n", "* a set of viable actions that can be executed in the search space of the problem\n", "\n", "View the source to see how the Python code tries to realise these." ] }, { "cell_type": "code", "execution_count": 80, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
class PlanningProblem:\n",
       "    """\n",
       "    Planning Domain Definition Language (PlanningProblem) used to define a search problem.\n",
       "    It stores states in a knowledge base consisting of first order logic statements.\n",
       "    The conjunction of these logical statements completely defines a state.\n",
       "    """\n",
       "\n",
       "    def __init__(self, init, goals, actions):\n",
       "        self.init = self.convert(init)\n",
       "        self.goals = self.convert(goals)\n",
       "        self.actions = actions\n",
       "\n",
       "    def convert(self, clauses):\n",
       "        """Converts strings into exprs"""\n",
       "        if not isinstance(clauses, Expr):\n",
       "            if len(clauses) > 0:\n",
       "                clauses = expr(clauses)\n",
       "            else:\n",
       "                clauses = []\n",
       "        try:\n",
       "            clauses = conjuncts(clauses)\n",
       "        except AttributeError:\n",
       "            clauses = clauses\n",
       "\n",
       "        new_clauses = []\n",
       "        for clause in clauses:\n",
       "            if clause.op == '~':\n",
       "                new_clauses.append(expr('Not' + str(clause.args[0])))\n",
       "            else:\n",
       "                new_clauses.append(clause)\n",
       "        return new_clauses\n",
       "\n",
       "    def goal_test(self):\n",
       "        """Checks if the goals have been reached"""\n",
       "        return all(goal in self.init for goal in self.goals)\n",
       "\n",
       "    def act(self, action):\n",
       "        """\n",
       "        Performs the action given as argument.\n",
       "        Note that action is an Expr like expr('Remove(Glass, Table)') or expr('Eat(Sandwich)')\n",
       "        """       \n",
       "        action_name = action.op\n",
       "        args = action.args\n",
       "        list_action = first(a for a in self.actions if a.name == action_name)\n",
       "        if list_action is None:\n",
       "            raise Exception("Action '{}' not found".format(action_name))\n",
       "        if not list_action.check_precond(self.init, args):\n",
       "            raise Exception("Action '{}' pre-conditions not satisfied".format(action))\n",
       "        self.init = list_action(self.init, args).clauses\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(PlanningProblem)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The `init` attribute is an expression that forms the initial knowledge base for the problem.\n", "
\n", "The `goals` attribute is an expression that indicates the goals to be reached by the problem.\n", "
\n", "Lastly, `actions` contains a list of `Action` objects that may be executed in the search space of the problem.\n", "
\n", "The `goal_test` method checks if the goal has been reached.\n", "
\n", "The `act` method acts out the given action and updates the current state.\n", "
\n" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## ACTION\n", "\n", "To be able to model a planning problem properly, it is essential to be able to represent an Action. Each action we model requires at least three things:\n", "* preconditions that the action must meet\n", "* the effects of executing the action\n", "* some expression that represents the action" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The module models actions using the `Action` class" ] }, { "cell_type": "code", "execution_count": 81, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
class Action:\n",
       "    """\n",
       "    Defines an action schema using preconditions and effects.\n",
       "    Use this to describe actions in PlanningProblem.\n",
       "    action is an Expr where variables are given as arguments(args).\n",
       "    Precondition and effect are both lists with positive and negative literals.\n",
       "    Negative preconditions and effects are defined by adding a 'Not' before the name of the clause\n",
       "    Example:\n",
       "    precond = [expr("Human(person)"), expr("Hungry(Person)"), expr("NotEaten(food)")]\n",
       "    effect = [expr("Eaten(food)"), expr("Hungry(person)")]\n",
       "    eat = Action(expr("Eat(person, food)"), precond, effect)\n",
       "    """\n",
       "\n",
       "    def __init__(self, action, precond, effect):\n",
       "        if isinstance(action, str):\n",
       "            action = expr(action)\n",
       "        self.name = action.op\n",
       "        self.args = action.args\n",
       "        self.precond = self.convert(precond)\n",
       "        self.effect = self.convert(effect)\n",
       "\n",
       "    def __call__(self, kb, args):\n",
       "        return self.act(kb, args)\n",
       "\n",
       "    def __repr__(self):\n",
       "        return '{}({})'.format(self.__class__.__name__, Expr(self.name, *self.args))\n",
       "\n",
       "    def convert(self, clauses):\n",
       "        """Converts strings into Exprs"""\n",
       "        if isinstance(clauses, Expr):\n",
       "            clauses = conjuncts(clauses)\n",
       "            for i in range(len(clauses)):\n",
       "                if clauses[i].op == '~':\n",
       "                    clauses[i] = expr('Not' + str(clauses[i].args[0]))\n",
       "\n",
       "        elif isinstance(clauses, str):\n",
       "            clauses = clauses.replace('~', 'Not')\n",
       "            if len(clauses) > 0:\n",
       "                clauses = expr(clauses)\n",
       "\n",
       "            try:\n",
       "                clauses = conjuncts(clauses)\n",
       "            except AttributeError:\n",
       "                pass\n",
       "\n",
       "        return clauses\n",
       "\n",
       "    def substitute(self, e, args):\n",
       "        """Replaces variables in expression with their respective Propositional symbol"""\n",
       "\n",
       "        new_args = list(e.args)\n",
       "        for num, x in enumerate(e.args):\n",
       "            for i, _ in enumerate(self.args):\n",
       "                if self.args[i] == x:\n",
       "                    new_args[num] = args[i]\n",
       "        return Expr(e.op, *new_args)\n",
       "\n",
       "    def check_precond(self, kb, args):\n",
       "        """Checks if the precondition is satisfied in the current state"""\n",
       "\n",
       "        if isinstance(kb, list):\n",
       "            kb = FolKB(kb)\n",
       "        for clause in self.precond:\n",
       "            if self.substitute(clause, args) not in kb.clauses:\n",
       "                return False\n",
       "        return True\n",
       "\n",
       "    def act(self, kb, args):\n",
       "        """Executes the action on the state's knowledge base"""\n",
       "\n",
       "        if isinstance(kb, list):\n",
       "            kb = FolKB(kb)\n",
       "\n",
       "        if not self.check_precond(kb, args):\n",
       "            raise Exception('Action pre-conditions not satisfied')\n",
       "        for clause in self.effect:\n",
       "            kb.tell(self.substitute(clause, args))\n",
       "            if clause.op[:3] == 'Not':\n",
       "                new_clause = Expr(clause.op[3:], *clause.args)\n",
       "\n",
       "                if kb.ask(self.substitute(new_clause, args)) is not False:\n",
       "                    kb.retract(self.substitute(new_clause, args))\n",
       "            else:\n",
       "                new_clause = Expr('Not' + clause.op, *clause.args)\n",
       "\n",
       "                if kb.ask(self.substitute(new_clause, args)) is not False:    \n",
       "                    kb.retract(self.substitute(new_clause, args))\n",
       "\n",
       "        return kb\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(Action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This class represents an action given the expression, the preconditions and its effects. \n", "A list `precond` stores the preconditions of the action and a list `effect` stores its effects.\n", "Negative preconditions and effects are input using a `~` symbol before the clause, which are internally prefixed with a `Not` to make it easier to work with.\n", "For example, the negation of `At(obj, loc)` will be input as `~At(obj, loc)` and internally represented as `NotAt(obj, loc)`. \n", "This equivalently creates a new clause for each negative literal, removing the hassle of maintaining two separate knowledge bases.\n", "This greatly simplifies algorithms like `GraphPlan` as we will see later.\n", "The `convert` method takes an input string, parses it, removes conjunctions if any and returns a list of `Expr` objects.\n", "The `check_precond` method checks if the preconditions for that action are valid, given a `kb`.\n", "The `act` method carries out the action on the given knowledge base." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now lets try to define a planning problem using these tools. Since we already know about the map of Romania, lets see if we can plan a trip across a simplified map of Romania.\n", "\n", "Here is our simplified map definition:" ] }, { "cell_type": "code", "execution_count": 82, "metadata": {}, "outputs": [], "source": [ "from utils import *\n", "# this imports the required expr so we can create our knowledge base\n", "\n", "knowledge_base = [\n", " expr(\"Connected(Bucharest,Pitesti)\"),\n", " expr(\"Connected(Pitesti,Rimnicu)\"),\n", " expr(\"Connected(Rimnicu,Sibiu)\"),\n", " expr(\"Connected(Sibiu,Fagaras)\"),\n", " expr(\"Connected(Fagaras,Bucharest)\"),\n", " expr(\"Connected(Pitesti,Craiova)\"),\n", " expr(\"Connected(Craiova,Rimnicu)\")\n", " ]" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let us add some logic propositions to complete our knowledge about travelling around the map. These are the typical symmetry and transitivity properties of connections on a map. We can now be sure that our `knowledge_base` understands what it truly means for two locations to be connected in the sense usually meant by humans when we use the term.\n", "\n", "Let's also add our starting location - *Sibiu* to the map." ] }, { "cell_type": "code", "execution_count": 83, "metadata": {}, "outputs": [], "source": [ "knowledge_base.extend([\n", " expr(\"Connected(x,y) ==> Connected(y,x)\"),\n", " expr(\"Connected(x,y) & Connected(y,z) ==> Connected(x,z)\"),\n", " expr(\"At(Sibiu)\")\n", " ])" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We now have a complete knowledge base, which can be seen like this:" ] }, { "cell_type": "code", "execution_count": 84, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[Connected(Bucharest, Pitesti),\n", " Connected(Pitesti, Rimnicu),\n", " Connected(Rimnicu, Sibiu),\n", " Connected(Sibiu, Fagaras),\n", " Connected(Fagaras, Bucharest),\n", " Connected(Pitesti, Craiova),\n", " Connected(Craiova, Rimnicu),\n", " (Connected(x, y) ==> Connected(y, x)),\n", " ((Connected(x, y) & Connected(y, z)) ==> Connected(x, z)),\n", " At(Sibiu)]" ] }, "execution_count": 84, "metadata": {}, "output_type": "execute_result" } ], "source": [ "knowledge_base" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We now define possible actions to our problem. We know that we can drive between any connected places. But, as is evident from [this](https://en.wikipedia.org/wiki/List_of_airports_in_Romania) list of Romanian airports, we can also fly directly between Sibiu, Bucharest, and Craiova.\n", "\n", "We can define these flight actions like this:" ] }, { "cell_type": "code", "execution_count": 85, "metadata": {}, "outputs": [], "source": [ "#Sibiu to Bucharest\n", "precond = 'At(Sibiu)'\n", "effect = 'At(Bucharest) & ~At(Sibiu)'\n", "fly_s_b = Action('Fly(Sibiu, Bucharest)', precond, effect)\n", "\n", "#Bucharest to Sibiu\n", "precond = 'At(Bucharest)'\n", "effect = 'At(Sibiu) & ~At(Bucharest)'\n", "fly_b_s = Action('Fly(Bucharest, Sibiu)', precond, effect)\n", "\n", "#Sibiu to Craiova\n", "precond = 'At(Sibiu)'\n", "effect = 'At(Craiova) & ~At(Sibiu)'\n", "fly_s_c = Action('Fly(Sibiu, Craiova)', precond, effect)\n", "\n", "#Craiova to Sibiu\n", "precond = 'At(Craiova)'\n", "effect = 'At(Sibiu) & ~At(Craiova)'\n", "fly_c_s = Action('Fly(Craiova, Sibiu)', precond, effect)\n", "\n", "#Bucharest to Craiova\n", "precond = 'At(Bucharest)'\n", "effect = 'At(Craiova) & ~At(Bucharest)'\n", "fly_b_c = Action('Fly(Bucharest, Craiova)', precond, effect)\n", "\n", "#Craiova to Bucharest\n", "precond = 'At(Craiova)'\n", "effect = 'At(Bucharest) & ~At(Craiova)'\n", "fly_c_b = Action('Fly(Craiova, Bucharest)', precond, effect)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "And the drive actions like this." ] }, { "cell_type": "code", "execution_count": 86, "metadata": {}, "outputs": [], "source": [ "#Drive\n", "precond = 'At(x)'\n", "effect = 'At(y) & ~At(x)'\n", "drive = Action('Drive(x, y)', precond, effect)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Our goal is defined as" ] }, { "cell_type": "code", "execution_count": 87, "metadata": {}, "outputs": [], "source": [ "goals = 'At(Bucharest)'" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Finally, we can define a a function that will tell us when we have reached our destination, Bucharest." ] }, { "cell_type": "code", "execution_count": 88, "metadata": {}, "outputs": [], "source": [ "def goal_test(kb):\n", " return kb.ask(expr('At(Bucharest)'))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Thus, with all the components in place, we can define the planning problem." ] }, { "cell_type": "code", "execution_count": 89, "metadata": {}, "outputs": [], "source": [ "prob = PlanningProblem(knowledge_base, goals, [fly_s_b, fly_b_s, fly_s_c, fly_c_s, fly_b_c, fly_c_b, drive])" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PLANNING PROBLEMS\n", "---\n", "\n", "## Air Cargo Problem" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "In the Air Cargo problem, we start with cargo at two airports, SFO and JFK. Our goal is to send each cargo to the other airport. We have two airplanes to help us accomplish the task. \n", "The problem can be defined with three actions: Load, Unload and Fly. \n", "Let us look how the `air_cargo` problem has been defined in the module. " ] }, { "cell_type": "code", "execution_count": 90, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def air_cargo():\n",
       "    """\n",
       "    [Figure 10.1] AIR-CARGO-PROBLEM\n",
       "\n",
       "    An air-cargo shipment problem for delivering cargo to different locations,\n",
       "    given the starting location and airplanes.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> ac = air_cargo()\n",
       "    >>> ac.goal_test()\n",
       "    False\n",
       "    >>> ac.act(expr('Load(C2, P2, JFK)'))\n",
       "    >>> ac.act(expr('Load(C1, P1, SFO)'))\n",
       "    >>> ac.act(expr('Fly(P1, SFO, JFK)'))\n",
       "    >>> ac.act(expr('Fly(P2, JFK, SFO)'))\n",
       "    >>> ac.act(expr('Unload(C2, P2, SFO)'))\n",
       "    >>> ac.goal_test()\n",
       "    False\n",
       "    >>> ac.act(expr('Unload(C1, P1, JFK)'))\n",
       "    >>> ac.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='At(C1, SFO) & At(C2, JFK) & At(P1, SFO) & At(P2, JFK) & Cargo(C1) & Cargo(C2) & Plane(P1) & Plane(P2) & Airport(SFO) & Airport(JFK)', \n",
       "                goals='At(C1, JFK) & At(C2, SFO)',\n",
       "                actions=[Action('Load(c, p, a)', \n",
       "                                precond='At(c, a) & At(p, a) & Cargo(c) & Plane(p) & Airport(a)',\n",
       "                                effect='In(c, p) & ~At(c, a)'),\n",
       "                         Action('Unload(c, p, a)',\n",
       "                                precond='In(c, p) & At(p, a) & Cargo(c) & Plane(p) & Airport(a)',\n",
       "                                effect='At(c, a) & ~In(c, p)'),\n",
       "                         Action('Fly(p, f, to)',\n",
       "                                precond='At(p, f) & Plane(p) & Airport(f) & Airport(to)',\n",
       "                                effect='At(p, to) & ~At(p, f)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(air_cargo)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**At(c, a):** The cargo **'c'** is at airport **'a'**.\n", "\n", "**~At(c, a):** The cargo **'c'** is _not_ at airport **'a'**.\n", "\n", "**In(c, p):** Cargo **'c'** is in plane **'p'**.\n", "\n", "**~In(c, p):** Cargo **'c'** is _not_ in plane **'p'**.\n", "\n", "**Cargo(c):** Declare **'c'** as cargo.\n", "\n", "**Plane(p):** Declare **'p'** as plane.\n", "\n", "**Airport(a):** Declare **'a'** as airport.\n", "\n", "\n", "\n", "In the `initial_state`, we have cargo C1, plane P1 at airport SFO and cargo C2, plane P2 at airport JFK. \n", "Our goal state is to have cargo C1 at airport JFK and cargo C2 at airport SFO. We will discuss on how to achieve this. Let us now define an object of the `air_cargo` problem:" ] }, { "cell_type": "code", "execution_count": 91, "metadata": {}, "outputs": [], "source": [ "airCargo = air_cargo()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will check if `airCargo` has reached its goal:" ] }, { "cell_type": "code", "execution_count": 92, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(airCargo.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It returns False because the goal state is not yet reached. Now, we define the sequence of actions that it should take in order to achieve the goal.\n", "The actions are then carried out on the `airCargo` PlanningProblem.\n", "\n", "The actions available to us are the following: Load, Unload, Fly\n", "\n", "**Load(c, p, a):** Load cargo **'c'** into plane **'p'** from airport **'a'**.\n", "\n", "**Fly(p, f, t):** Fly the plane **'p'** from airport **'f'** to airport **'t'**.\n", "\n", "**Unload(c, p, a):** Unload cargo **'c'** from plane **'p'** to airport **'a'**.\n", "\n", "This problem can have multiple valid solutions.\n", "One such solution is shown below." ] }, { "cell_type": "code", "execution_count": 93, "metadata": {}, "outputs": [], "source": [ "solution = [expr(\"Load(C1 , P1, SFO)\"),\n", " expr(\"Fly(P1, SFO, JFK)\"),\n", " expr(\"Unload(C1, P1, JFK)\"),\n", " expr(\"Load(C2, P2, JFK)\"),\n", " expr(\"Fly(P2, JFK, SFO)\"),\n", " expr(\"Unload (C2, P2, SFO)\")] \n", "\n", "for action in solution:\n", " airCargo.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As the `airCargo` has taken all the steps it needed in order to achieve the goal, we can now check if it has acheived its goal:" ] }, { "cell_type": "code", "execution_count": 94, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(airCargo.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now achieved its goal." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## The Spare Tire Problem" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's consider the problem of changing a flat tire of a car. \n", "The goal is to mount a spare tire onto the car's axle, given that we have a flat tire on the axle and a spare tire in the trunk. " ] }, { "cell_type": "code", "execution_count": 95, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def spare_tire():\n",
       "    """[Figure 10.2] SPARE-TIRE-PROBLEM\n",
       "\n",
       "    A problem involving changing the flat tire of a car\n",
       "    with a spare tire from the trunk.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> st = spare_tire()\n",
       "    >>> st.goal_test()\n",
       "    False\n",
       "    >>> st.act(expr('Remove(Spare, Trunk)'))\n",
       "    >>> st.act(expr('Remove(Flat, Axle)'))\n",
       "    >>> st.goal_test()\n",
       "    False\n",
       "    >>> st.act(expr('PutOn(Spare, Axle)'))\n",
       "    >>> st.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='Tire(Flat) & Tire(Spare) & At(Flat, Axle) & At(Spare, Trunk)',\n",
       "                goals='At(Spare, Axle) & At(Flat, Ground)',\n",
       "                actions=[Action('Remove(obj, loc)',\n",
       "                                precond='At(obj, loc)',\n",
       "                                effect='At(obj, Ground) & ~At(obj, loc)'),\n",
       "                         Action('PutOn(t, Axle)',\n",
       "                                precond='Tire(t) & At(t, Ground) & ~At(Flat, Axle)',\n",
       "                                effect='At(t, Axle) & ~At(t, Ground)'),\n",
       "                         Action('LeaveOvernight',\n",
       "                                precond='',\n",
       "                                effect='~At(Spare, Ground) & ~At(Spare, Axle) & ~At(Spare, Trunk) & \\\n",
       "                                        ~At(Flat, Ground) & ~At(Flat, Axle) & ~At(Flat, Trunk)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(spare_tire)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**At(obj, loc):** object **'obj'** is at location **'loc'**.\n", "\n", "**~At(obj, loc):** object **'obj'** is _not_ at location **'loc'**.\n", "\n", "**Tire(t):** Declare a tire of type **'t'**.\n", "\n", "Let us now define an object of `spare_tire` problem:" ] }, { "cell_type": "code", "execution_count": 96, "metadata": {}, "outputs": [], "source": [ "spareTire = spare_tire()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will check if `spare_tire` has reached its goal:" ] }, { "cell_type": "code", "execution_count": 97, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(spareTire.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As we can see, it hasn't completed the goal. \n", "We now define a possible solution that can help us reach the goal of having a spare tire mounted onto the car's axle. \n", "The actions are then carried out on the `spareTire` PlanningProblem.\n", "\n", "The actions available to us are the following: Remove, PutOn\n", "\n", "**Remove(obj, loc):** Remove the tire **'obj'** from the location **'loc'**.\n", "\n", "**PutOn(t, Axle):** Attach the tire **'t'** on the Axle.\n", "\n", "**LeaveOvernight():** We live in a particularly bad neighborhood and all tires, flat or not, are stolen if we leave them overnight.\n", "\n" ] }, { "cell_type": "code", "execution_count": 98, "metadata": {}, "outputs": [], "source": [ "solution = [expr(\"Remove(Flat, Axle)\"),\n", " expr(\"Remove(Spare, Trunk)\"),\n", " expr(\"PutOn(Spare, Axle)\")]\n", "\n", "for action in solution:\n", " spareTire.act(action)" ] }, { "cell_type": "code", "execution_count": 99, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(spareTire.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This is a valid solution.\n", "
\n", "Another possible solution is" ] }, { "cell_type": "code", "execution_count": 100, "metadata": {}, "outputs": [], "source": [ "spareTire = spare_tire()\n", "\n", "solution = [expr('Remove(Spare, Trunk)'),\n", " expr('Remove(Flat, Axle)'),\n", " expr('PutOn(Spare, Axle)')]\n", "\n", "for action in solution:\n", " spareTire.act(action)" ] }, { "cell_type": "code", "execution_count": 101, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(spareTire.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Notice that both solutions work, which means that the problem can be solved irrespective of the order in which the `Remove` actions take place, as long as both `Remove` actions take place before the `PutOn` action." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We have successfully mounted a spare tire onto the axle." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Three Block Tower Problem" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This problem's domain consists of a set of cube-shaped blocks sitting on a table. \n", "The blocks can be stacked, but only one block can fit directly on top of another.\n", "A robot arm can pick up a block and move it to another position, either on the table or on top of another block. \n", "The arm can pick up only one block at a time, so it cannot pick up a block that has another one on it. \n", "The goal will always be to build one or more stacks of blocks. \n", "In our case, we consider only three blocks.\n", "The particular configuration we will use is called the Sussman anomaly after Prof. Gerry Sussman." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's take a look at the definition of `three_block_tower()` in the module." ] }, { "cell_type": "code", "execution_count": 102, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def three_block_tower():\n",
       "    """\n",
       "    [Figure 10.3] THREE-BLOCK-TOWER\n",
       "\n",
       "    A blocks-world problem of stacking three blocks in a certain configuration,\n",
       "    also known as the Sussman Anomaly.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> tbt = three_block_tower()\n",
       "    >>> tbt.goal_test()\n",
       "    False\n",
       "    >>> tbt.act(expr('MoveToTable(C, A)'))\n",
       "    >>> tbt.act(expr('Move(B, Table, C)'))\n",
       "    >>> tbt.goal_test()\n",
       "    False\n",
       "    >>> tbt.act(expr('Move(A, Table, B)'))\n",
       "    >>> tbt.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='On(A, Table) & On(B, Table) & On(C, A) & Block(A) & Block(B) & Block(C) & Clear(B) & Clear(C)',\n",
       "                goals='On(A, B) & On(B, C)',\n",
       "                actions=[Action('Move(b, x, y)',\n",
       "                                precond='On(b, x) & Clear(b) & Clear(y) & Block(b) & Block(y)',\n",
       "                                effect='On(b, y) & Clear(x) & ~On(b, x) & ~Clear(y)'),\n",
       "                         Action('MoveToTable(b, x)',\n",
       "                                precond='On(b, x) & Clear(b) & Block(b)',\n",
       "                                effect='On(b, Table) & Clear(x) & ~On(b, x)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(three_block_tower)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**On(b, x):** The block **'b'** is on **'x'**. **'x'** can be a table or a block.\n", "\n", "**~On(b, x):** The block **'b'** is _not_ on **'x'**. **'x'** can be a table or a block.\n", "\n", "**Block(b):** Declares **'b'** as a block.\n", "\n", "**Clear(x):** To indicate that there is nothing on **'x'** and it is free to be moved around.\n", "\n", "**~Clear(x):** To indicate that there is something on **'x'** and it cannot be moved.\n", " \n", " Let us now define an object of `three_block_tower` problem:" ] }, { "cell_type": "code", "execution_count": 103, "metadata": {}, "outputs": [], "source": [ "threeBlockTower = three_block_tower()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will check if `threeBlockTower` has reached its goal:" ] }, { "cell_type": "code", "execution_count": 104, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(threeBlockTower.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As we can see, it hasn't completed the goal. \n", "We now define a sequence of actions that can stack three blocks in the required order. \n", "The actions are then carried out on the `threeBlockTower` PlanningProblem.\n", "\n", "The actions available to us are the following: MoveToTable, Move\n", "\n", "**MoveToTable(b, x): ** Move box **'b'** stacked on **'x'** to the table, given that box **'b'** is clear.\n", "\n", "**Move(b, x, y): ** Move box **'b'** stacked on **'x'** to the top of **'y'**, given that both **'b'** and **'y'** are clear.\n" ] }, { "cell_type": "code", "execution_count": 105, "metadata": {}, "outputs": [], "source": [ "solution = [expr(\"MoveToTable(C, A)\"),\n", " expr(\"Move(B, Table, C)\"),\n", " expr(\"Move(A, Table, B)\")]\n", "\n", "for action in solution:\n", " threeBlockTower.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As the `three_block_tower` has taken all the steps it needed in order to achieve the goal, we can now check if it has acheived its goal." ] }, { "cell_type": "code", "execution_count": 106, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(threeBlockTower.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now successfully achieved its goal i.e, to build a stack of three blocks in the specified order." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The `three_block_tower` problem can also be defined in simpler terms using just two actions `ToTable(x, y)` and `FromTable(x, y)`.\n", "The underlying problem remains the same however, stacking up three blocks in a certain configuration given a particular starting state.\n", "Let's have a look at the alternative definition." ] }, { "cell_type": "code", "execution_count": 107, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def simple_blocks_world():\n",
       "    """\n",
       "    SIMPLE-BLOCKS-WORLD\n",
       "\n",
       "    A simplified definition of the Sussman Anomaly problem.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> sbw = simple_blocks_world()\n",
       "    >>> sbw.goal_test()\n",
       "    False\n",
       "    >>> sbw.act(expr('ToTable(A, B)'))\n",
       "    >>> sbw.act(expr('FromTable(B, A)'))\n",
       "    >>> sbw.goal_test()\n",
       "    False\n",
       "    >>> sbw.act(expr('FromTable(C, B)'))\n",
       "    >>> sbw.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='On(A, B) & Clear(A) & OnTable(B) & OnTable(C) & Clear(C)',\n",
       "                goals='On(B, A) & On(C, B)',\n",
       "                actions=[Action('ToTable(x, y)',\n",
       "                                precond='On(x, y) & Clear(x)',\n",
       "                                effect='~On(x, y) & Clear(y) & OnTable(x)'),\n",
       "                         Action('FromTable(y, x)',\n",
       "                                precond='OnTable(y) & Clear(y) & Clear(x)',\n",
       "                                effect='~OnTable(y) & ~Clear(x) & On(y, x)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(simple_blocks_world)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**On(x, y):** The block **'x'** is on **'y'**. Both **'x'** and **'y'** have to be blocks.\n", "\n", "**~On(x, y):** The block **'x'** is _not_ on **'y'**. Both **'x'** and **'y'** have to be blocks.\n", "\n", "**OnTable(x):** The block **'x'** is on the table.\n", "\n", "**~OnTable(x):** The block **'x'** is _not_ on the table.\n", "\n", "**Clear(x):** To indicate that there is nothing on **'x'** and it is free to be moved around.\n", "\n", "**~Clear(x):** To indicate that there is something on **'x'** and it cannot be moved.\n", "\n", "Let's now define a `simple_blocks_world` prolem." ] }, { "cell_type": "code", "execution_count": 108, "metadata": {}, "outputs": [], "source": [ "simpleBlocksWorld = simple_blocks_world()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will see if `simple_bw` has reached its goal." ] }, { "cell_type": "code", "execution_count": 109, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "False" ] }, "execution_count": 109, "metadata": {}, "output_type": "execute_result" } ], "source": [ "simpleBlocksWorld.goal_test()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As we can see, it hasn't completed the goal. \n", "We now define a sequence of actions that can stack three blocks in the required order. \n", "The actions are then carried out on the `simple_bw` PlanningProblem.\n", "\n", "The actions available to us are the following: MoveToTable, Move\n", "\n", "**ToTable(x, y): ** Move box **'x'** stacked on **'y'** to the table, given that box **'y'** is clear.\n", "\n", "**FromTable(x, y): ** Move box **'x'** from wherever it is, to the top of **'y'**, given that both **'x'** and **'y'** are clear.\n" ] }, { "cell_type": "code", "execution_count": 110, "metadata": {}, "outputs": [], "source": [ "solution = [expr('ToTable(A, B)'),\n", " expr('FromTable(B, A)'),\n", " expr('FromTable(C, B)')]\n", "\n", "for action in solution:\n", " simpleBlocksWorld.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As the `three_block_tower` has taken all the steps it needed in order to achieve the goal, we can now check if it has acheived its goal." ] }, { "cell_type": "code", "execution_count": 111, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(simpleBlocksWorld.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now successfully achieved its goal i.e, to build a stack of three blocks in the specified order." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Shopping Problem" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This problem requires us to acquire a carton of milk, a banana and a drill.\n", "Initially, we start from home and it is known to us that milk and bananas are available in the supermarket and the hardware store sells drills.\n", "Let's take a look at the definition of the `shopping_problem` in the module." ] }, { "cell_type": "code", "execution_count": 112, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def shopping_problem():\n",
       "    """\n",
       "    SHOPPING-PROBLEM\n",
       "\n",
       "    A problem of acquiring some items given their availability at certain stores.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> sp = shopping_problem()\n",
       "    >>> sp.goal_test()\n",
       "    False\n",
       "    >>> sp.act(expr('Go(Home, HW)'))\n",
       "    >>> sp.act(expr('Buy(Drill, HW)'))\n",
       "    >>> sp.act(expr('Go(HW, SM)'))\n",
       "    >>> sp.act(expr('Buy(Banana, SM)'))\n",
       "    >>> sp.goal_test()\n",
       "    False\n",
       "    >>> sp.act(expr('Buy(Milk, SM)'))\n",
       "    >>> sp.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='At(Home) & Sells(SM, Milk) & Sells(SM, Banana) & Sells(HW, Drill)',\n",
       "                goals='Have(Milk) & Have(Banana) & Have(Drill)', \n",
       "                actions=[Action('Buy(x, store)',\n",
       "                                precond='At(store) & Sells(store, x)',\n",
       "                                effect='Have(x)'),\n",
       "                         Action('Go(x, y)',\n",
       "                                precond='At(x)',\n",
       "                                effect='At(y) & ~At(x)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(shopping_problem)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**At(x):** Indicates that we are currently at **'x'** where **'x'** can be Home, SM (supermarket) or HW (Hardware store).\n", "\n", "**~At(x):** Indicates that we are currently _not_ at **'x'**.\n", "\n", "**Sells(s, x):** Indicates that item **'x'** can be bought from store **'s'**.\n", "\n", "**Have(x):** Indicates that we possess the item **'x'**." ] }, { "cell_type": "code", "execution_count": 113, "metadata": {}, "outputs": [], "source": [ "shoppingProblem = shopping_problem()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's first check whether the goal state Have(Milk), Have(Banana), Have(Drill) is reached or not." ] }, { "cell_type": "code", "execution_count": 114, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(shoppingProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's look at the possible actions\n", "\n", "**Buy(x, store):** Buy an item **'x'** from a **'store'** given that the **'store'** sells **'x'**.\n", "\n", "**Go(x, y):** Go to destination **'y'** starting from source **'x'**." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We now define a valid solution that will help us reach the goal.\n", "The sequence of actions will then be carried out onto the `shoppingProblem` PlanningProblem." ] }, { "cell_type": "code", "execution_count": 115, "metadata": {}, "outputs": [], "source": [ "solution = [expr('Go(Home, SM)'),\n", " expr('Buy(Milk, SM)'),\n", " expr('Buy(Banana, SM)'),\n", " expr('Go(SM, HW)'),\n", " expr('Buy(Drill, HW)')]\n", "\n", "for action in solution:\n", " shoppingProblem.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We have taken the steps required to acquire all the stuff we need. \n", "Let's see if we have reached our goal." ] }, { "cell_type": "code", "execution_count": 116, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "True" ] }, "execution_count": 116, "metadata": {}, "output_type": "execute_result" } ], "source": [ "shoppingProblem.goal_test()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now successfully achieved the goal." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Socks and Shoes" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This is a simple problem of putting on a pair of socks and shoes.\n", "The problem is defined in the module as given below." ] }, { "cell_type": "code", "execution_count": 117, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def socks_and_shoes():\n",
       "    """\n",
       "    SOCKS-AND-SHOES-PROBLEM\n",
       "\n",
       "    A task of wearing socks and shoes on both feet\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> ss = socks_and_shoes()\n",
       "    >>> ss.goal_test()\n",
       "    False\n",
       "    >>> ss.act(expr('RightSock'))\n",
       "    >>> ss.act(expr('RightShoe'))\n",
       "    >>> ss.act(expr('LeftSock'))\n",
       "    >>> ss.goal_test()\n",
       "    False\n",
       "    >>> ss.act(expr('LeftShoe'))\n",
       "    >>> ss.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='',\n",
       "                goals='RightShoeOn & LeftShoeOn',\n",
       "                actions=[Action('RightShoe',\n",
       "                                precond='RightSockOn',\n",
       "                                effect='RightShoeOn'),\n",
       "                        Action('RightSock',\n",
       "                                precond='',\n",
       "                                effect='RightSockOn'),\n",
       "                        Action('LeftShoe',\n",
       "                                precond='LeftSockOn',\n",
       "                                effect='LeftShoeOn'),\n",
       "                        Action('LeftSock',\n",
       "                                precond='',\n",
       "                                effect='LeftSockOn')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(socks_and_shoes)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "**LeftSockOn:** Indicates that we have already put on the left sock.\n", "\n", "**RightSockOn:** Indicates that we have already put on the right sock.\n", "\n", "**LeftShoeOn:** Indicates that we have already put on the left shoe.\n", "\n", "**RightShoeOn:** Indicates that we have already put on the right shoe.\n" ] }, { "cell_type": "code", "execution_count": 118, "metadata": {}, "outputs": [], "source": [ "socksShoes = socks_and_shoes()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let's first check whether the goal state is reached or not." ] }, { "cell_type": "code", "execution_count": 119, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "False" ] }, "execution_count": 119, "metadata": {}, "output_type": "execute_result" } ], "source": [ "socksShoes.goal_test()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As the goal state isn't reached, we will define a sequence of actions that might help us achieve the goal.\n", "These actions will then be acted upon the `socksShoes` PlanningProblem to check if the goal state is reached." ] }, { "cell_type": "code", "execution_count": 120, "metadata": {}, "outputs": [], "source": [ "solution = [expr('RightSock'),\n", " expr('RightShoe'),\n", " expr('LeftSock'),\n", " expr('LeftShoe')]" ] }, { "cell_type": "code", "execution_count": 121, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "True" ] }, "execution_count": 121, "metadata": {}, "output_type": "execute_result" } ], "source": [ "for action in solution:\n", " socksShoes.act(action)\n", " \n", "socksShoes.goal_test()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We have reached our goal." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Cake Problem" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This problem requires us to reach the state of having a cake and having eaten a cake simlutaneously, given a single cake.\n", "Let's first take a look at the definition of the `have_cake_and_eat_cake_too` problem in the module." ] }, { "cell_type": "code", "execution_count": 122, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def have_cake_and_eat_cake_too():\n",
       "    """\n",
       "    [Figure 10.7] CAKE-PROBLEM\n",
       "\n",
       "    A problem where we begin with a cake and want to \n",
       "    reach the state of having a cake and having eaten a cake.\n",
       "    The possible actions include baking a cake and eating a cake.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> cp = have_cake_and_eat_cake_too()\n",
       "    >>> cp.goal_test()\n",
       "    False\n",
       "    >>> cp.act(expr('Eat(Cake)'))\n",
       "    >>> cp.goal_test()\n",
       "    False\n",
       "    >>> cp.act(expr('Bake(Cake)'))\n",
       "    >>> cp.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='Have(Cake)',\n",
       "                goals='Have(Cake) & Eaten(Cake)',\n",
       "                actions=[Action('Eat(Cake)',\n",
       "                                precond='Have(Cake)',\n",
       "                                effect='Eaten(Cake) & ~Have(Cake)'),\n",
       "                         Action('Bake(Cake)',\n",
       "                                precond='~Have(Cake)',\n",
       "                                effect='Have(Cake)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(have_cake_and_eat_cake_too)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Since this problem doesn't involve variables, states can be considered similar to symbols in propositional logic.\n", "\n", "**Have(Cake):** Declares that we have a **'Cake'**.\n", "\n", "**~Have(Cake):** Declares that we _don't_ have a **'Cake'**." ] }, { "cell_type": "code", "execution_count": 123, "metadata": {}, "outputs": [], "source": [ "cakeProblem = have_cake_and_eat_cake_too()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "First let us check whether the goal state 'Have(Cake)' and 'Eaten(Cake)' are reached or not." ] }, { "cell_type": "code", "execution_count": 124, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(cakeProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Let us look at the possible actions.\n", "\n", "**Bake(x):** To bake **' x '**.\n", "\n", "**Eat(x):** To eat **' x '**." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We now define a valid solution that can help us reach the goal.\n", "The sequence of actions will then be acted upon the `cakeProblem` PlanningProblem." ] }, { "cell_type": "code", "execution_count": 125, "metadata": {}, "outputs": [], "source": [ "solution = [expr(\"Eat(Cake)\"),\n", " expr(\"Bake(Cake)\")]\n", "\n", "for action in solution:\n", " cakeProblem.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Now we have made actions to bake the cake and eat the cake. Let us check if we have reached the goal." ] }, { "cell_type": "code", "execution_count": 126, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(cakeProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now successfully achieved its goal i.e, to have and eat the cake." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "One might wonder if the order of the actions matters for this problem.\n", "Let's see for ourselves." ] }, { "cell_type": "code", "execution_count": 128, "metadata": {}, "outputs": [ { "ename": "Exception", "evalue": "Action 'Bake(Cake)' pre-conditions not satisfied", "output_type": "error", "traceback": [ "\u001b[0;31m---------------------------------------------------------------------------\u001b[0m", "\u001b[0;31mException\u001b[0m Traceback (most recent call last)", "\u001b[0;32m\u001b[0m in \u001b[0;36m\u001b[0;34m()\u001b[0m\n\u001b[1;32m 5\u001b[0m \u001b[0;34m\u001b[0m\u001b[0m\n\u001b[1;32m 6\u001b[0m \u001b[0;32mfor\u001b[0m \u001b[0maction\u001b[0m \u001b[0;32min\u001b[0m \u001b[0msolution\u001b[0m\u001b[0;34m:\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0;32m----> 7\u001b[0;31m \u001b[0mcakeProblem\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0mact\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0maction\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m", "\u001b[0;32m~/aima-python/planning.py\u001b[0m in \u001b[0;36mact\u001b[0;34m(self, action)\u001b[0m\n\u001b[1;32m 58\u001b[0m \u001b[0;32mraise\u001b[0m \u001b[0mException\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0;34m\"Action '{}' not found\"\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0mformat\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0maction_name\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[1;32m 59\u001b[0m \u001b[0;32mif\u001b[0m \u001b[0;32mnot\u001b[0m \u001b[0mlist_action\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0mcheck_precond\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mself\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0minit\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0margs\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m:\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0;32m---> 60\u001b[0;31m \u001b[0;32mraise\u001b[0m \u001b[0mException\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0;34m\"Action '{}' pre-conditions not satisfied\"\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0mformat\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0maction\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[0m\u001b[1;32m 61\u001b[0m \u001b[0mself\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0minit\u001b[0m \u001b[0;34m=\u001b[0m \u001b[0mlist_action\u001b[0m\u001b[0;34m(\u001b[0m\u001b[0mself\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0minit\u001b[0m\u001b[0;34m,\u001b[0m \u001b[0margs\u001b[0m\u001b[0;34m)\u001b[0m\u001b[0;34m.\u001b[0m\u001b[0mclauses\u001b[0m\u001b[0;34m\u001b[0m\u001b[0m\n\u001b[1;32m 62\u001b[0m \u001b[0;34m\u001b[0m\u001b[0m\n", "\u001b[0;31mException\u001b[0m: Action 'Bake(Cake)' pre-conditions not satisfied" ] } ], "source": [ "cakeProblem = have_cake_and_eat_cake_too()\n", "\n", "solution = [expr('Bake(Cake)'),\n", " expr('Eat(Cake)')]\n", "\n", "for action in solution:\n", " cakeProblem.act(action)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It raises an exception.\n", "Indeed, according to the problem, we cannot bake a cake if we already have one.\n", "In planning terms, '~Have(Cake)' is a precondition to the action 'Bake(Cake)'.\n", "Hence, this solution is invalid." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PLANNING IN THE REAL WORLD\n", "---\n", "## PROBLEM\n", "The `Problem` class is a wrapper for `PlanningProblem` with some additional functionality and data-structures to handle real-world planning problems that involve time and resource constraints.\n", "The `Problem` class includes everything that the `PlanningProblem` class includes.\n", "Additionally, it also includes the following attributes essential to define a real-world planning problem:\n", "- a list of `jobs` to be done\n", "- a dictionary of `resources`\n", "\n", "It also overloads the `act` method to call the `do_action` method of the `HLA` class, \n", "and also includes a new method `refinements` that finds refinements or primitive actions for high level actions.\n", "
\n", "`hierarchical_search` and `angelic_search` are also built into the `Problem` class to solve such planning problems." ] }, { "cell_type": "code", "execution_count": 129, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
class Problem(PlanningProblem):\n",
       "    """\n",
       "    Define real-world problems by aggregating resources as numerical quantities instead of\n",
       "    named entities.\n",
       "\n",
       "    This class is identical to PDLL, except that it overloads the act function to handle\n",
       "    resource and ordering conditions imposed by HLA as opposed to Action.\n",
       "    """\n",
       "    def __init__(self, init, goals, actions, jobs=None, resources=None):\n",
       "        super().__init__(init, goals, actions)\n",
       "        self.jobs = jobs\n",
       "        self.resources = resources or {}\n",
       "\n",
       "    def act(self, action):\n",
       "        """\n",
       "        Performs the HLA given as argument.\n",
       "\n",
       "        Note that this is different from the superclass action - where the parameter was an\n",
       "        Expression. For real world problems, an Expr object isn't enough to capture all the\n",
       "        detail required for executing the action - resources, preconditions, etc need to be\n",
       "        checked for too.\n",
       "        """\n",
       "        args = action.args\n",
       "        list_action = first(a for a in self.actions if a.name == action.name)\n",
       "        if list_action is None:\n",
       "            raise Exception("Action '{}' not found".format(action.name))\n",
       "        self.init = list_action.do_action(self.jobs, self.resources, self.init, args).clauses\n",
       "\n",
       "    def refinements(hla, state, library):  # refinements may be (multiple) HLA themselves ...\n",
       "        """\n",
       "        state is a Problem, containing the current state kb\n",
       "        library is a dictionary containing details for every possible refinement. eg:\n",
       "        {\n",
       "        'HLA': [\n",
       "            'Go(Home, SFO)',\n",
       "            'Go(Home, SFO)',\n",
       "            'Drive(Home, SFOLongTermParking)',\n",
       "            'Shuttle(SFOLongTermParking, SFO)',\n",
       "            'Taxi(Home, SFO)'\n",
       "            ],\n",
       "        'steps': [\n",
       "            ['Drive(Home, SFOLongTermParking)', 'Shuttle(SFOLongTermParking, SFO)'],\n",
       "            ['Taxi(Home, SFO)'],\n",
       "            [],\n",
       "            [],\n",
       "            []\n",
       "            ],\n",
       "        # empty refinements indicate a primitive action\n",
       "        'precond': [\n",
       "            ['At(Home) & Have(Car)'],\n",
       "            ['At(Home)'],\n",
       "            ['At(Home) & Have(Car)'],\n",
       "            ['At(SFOLongTermParking)'],\n",
       "            ['At(Home)']\n",
       "            ],\n",
       "        'effect': [\n",
       "            ['At(SFO) & ~At(Home)'],\n",
       "            ['At(SFO) & ~At(Home)'],\n",
       "            ['At(SFOLongTermParking) & ~At(Home)'],\n",
       "            ['At(SFO) & ~At(SFOLongTermParking)'],\n",
       "            ['At(SFO) & ~At(Home)']\n",
       "            ]\n",
       "        }\n",
       "        """\n",
       "        e = Expr(hla.name, hla.args)\n",
       "        indices = [i for i, x in enumerate(library['HLA']) if expr(x).op == hla.name]\n",
       "        for i in indices:\n",
       "            actions = []\n",
       "            for j in range(len(library['steps'][i])):\n",
       "                # find the index of the step [j]  of the HLA \n",
       "                index_step = [k for k,x in enumerate(library['HLA']) if x == library['steps'][i][j]][0]\n",
       "                precond = library['precond'][index_step][0] # preconditions of step [j]\n",
       "                effect = library['effect'][index_step][0] # effect of step [j]\n",
       "                actions.append(HLA(library['steps'][i][j], precond, effect))\n",
       "            yield actions\n",
       "\n",
       "    def hierarchical_search(problem, hierarchy):\n",
       "        """\n",
       "        [Figure 11.5] 'Hierarchical Search, a Breadth First Search implementation of Hierarchical\n",
       "        Forward Planning Search'\n",
       "        The problem is a real-world problem defined by the problem class, and the hierarchy is\n",
       "        a dictionary of HLA - refinements (see refinements generator for details)\n",
       "        """\n",
       "        act = Node(problem.actions[0])\n",
       "        frontier = deque()\n",
       "        frontier.append(act)\n",
       "        while True:\n",
       "            if not frontier:\n",
       "                return None\n",
       "            plan = frontier.popleft()\n",
       "            print(plan.state.name)\n",
       "            hla = plan.state  # first_or_null(plan)\n",
       "            prefix = None\n",
       "            if plan.parent:\n",
       "                prefix = plan.parent.state.action  # prefix, suffix = subseq(plan.state, hla)\n",
       "            outcome = Problem.result(problem, prefix)\n",
       "            if hla is None:\n",
       "                if outcome.goal_test():\n",
       "                    return plan.path()\n",
       "            else:\n",
       "                print("else")\n",
       "                for sequence in Problem.refinements(hla, outcome, hierarchy):\n",
       "                    print("...")\n",
       "                    frontier.append(Node(plan.state, plan.parent, sequence))\n",
       "\n",
       "    def result(state, actions):\n",
       "        """The outcome of applying an action to the current problem"""\n",
       "        for a in actions: \n",
       "            if a.check_precond(state, a.args):\n",
       "                state = a(state, a.args).clauses\n",
       "        return state\n",
       "    \n",
       "\n",
       "    def angelic_search(problem, hierarchy, initialPlan):\n",
       "        """\n",
       "\t[Figure 11.8] A hierarchical planning algorithm that uses angelic semantics to identify and\n",
       "\tcommit to high-level plans that work while avoiding high-level plans that don’t. \n",
       "\tThe predicate MAKING-PROGRESS checks to make sure that we aren’t stuck in an infinite regression\n",
       "\tof refinements. \n",
       "\tAt top level, call ANGELIC -SEARCH with [Act ] as the initialPlan .\n",
       "\n",
       "        initialPlan contains a sequence of HLA's with angelic semantics \n",
       "\n",
       "        The possible effects of an angelic HLA in initialPlan are : \n",
       "        ~ : effect remove\n",
       "        $+: effect possibly add\n",
       "        $-: effect possibly remove\n",
       "        $$: possibly add or remove\n",
       "\t"""\n",
       "        frontier = deque(initialPlan)\n",
       "        while True: \n",
       "            if not frontier:\n",
       "                return None\n",
       "            plan = frontier.popleft() # sequence of HLA/Angelic HLA's \n",
       "            opt_reachable_set = Problem.reach_opt(problem.init, plan)\n",
       "            pes_reachable_set = Problem.reach_pes(problem.init, plan)\n",
       "            if problem.intersects_goal(opt_reachable_set): \n",
       "                if Problem.is_primitive( plan, hierarchy ): \n",
       "                    return ([x for x in plan.action])\n",
       "                guaranteed = problem.intersects_goal(pes_reachable_set) \n",
       "                if guaranteed and Problem.making_progress(plan, plan):\n",
       "                    final_state = guaranteed[0] # any element of guaranteed \n",
       "                    #print('decompose')\n",
       "                    return Problem.decompose(hierarchy, problem, plan, final_state, pes_reachable_set)\n",
       "                (hla, index) = Problem.find_hla(plan, hierarchy) # there should be at least one HLA/Angelic_HLA, otherwise plan would be primitive.\n",
       "                prefix = plan.action[:index-1]\n",
       "                suffix = plan.action[index+1:]\n",
       "                outcome = Problem(Problem.result(problem.init, prefix), problem.goals , problem.actions )\n",
       "                for sequence in Problem.refinements(hla, outcome, hierarchy): # find refinements\n",
       "                    frontier.append(Angelic_Node(outcome.init, plan, prefix + sequence+ suffix, prefix+sequence+suffix))\n",
       "\n",
       "\n",
       "    def intersects_goal(problem, reachable_set):\n",
       "        """\n",
       "        Find the intersection of the reachable states and the goal\n",
       "        """\n",
       "        return [y for x in list(reachable_set.keys()) for y in reachable_set[x] if all(goal in y for goal in problem.goals)] \n",
       "\n",
       "\n",
       "    def is_primitive(plan,  library):\n",
       "        """\n",
       "        checks if the hla is primitive action \n",
       "        """\n",
       "        for hla in plan.action: \n",
       "            indices = [i for i, x in enumerate(library['HLA']) if expr(x).op == hla.name]\n",
       "            for i in indices:\n",
       "                if library["steps"][i]: \n",
       "                    return False\n",
       "        return True\n",
       "             \n",
       "\n",
       "\n",
       "    def reach_opt(init, plan): \n",
       "        """\n",
       "        Finds the optimistic reachable set of the sequence of actions in plan \n",
       "        """\n",
       "        reachable_set = {0: [init]}\n",
       "        optimistic_description = plan.action #list of angelic actions with optimistic description\n",
       "        return Problem.find_reachable_set(reachable_set, optimistic_description)\n",
       " \n",
       "\n",
       "    def reach_pes(init, plan): \n",
       "        """ \n",
       "        Finds the pessimistic reachable set of the sequence of actions in plan\n",
       "        """\n",
       "        reachable_set = {0: [init]}\n",
       "        pessimistic_description = plan.action_pes # list of angelic actions with pessimistic description\n",
       "        return Problem.find_reachable_set(reachable_set, pessimistic_description)\n",
       "\n",
       "    def find_reachable_set(reachable_set, action_description):\n",
       "        """\n",
       "\tFinds the reachable states of the action_description when applied in each state of reachable set.\n",
       "\t"""\n",
       "        for i in range(len(action_description)):\n",
       "            reachable_set[i+1]=[]\n",
       "            if type(action_description[i]) is Angelic_HLA:\n",
       "                possible_actions = action_description[i].angelic_action()\n",
       "            else: \n",
       "                possible_actions = action_description\n",
       "            for action in possible_actions:\n",
       "                for state in reachable_set[i]:\n",
       "                    if action.check_precond(state , action.args) :\n",
       "                        if action.effect[0] :\n",
       "                            new_state = action(state, action.args).clauses\n",
       "                            reachable_set[i+1].append(new_state)\n",
       "                        else: \n",
       "                            reachable_set[i+1].append(state)\n",
       "        return reachable_set\n",
       "\n",
       "    def find_hla(plan, hierarchy):\n",
       "        """\n",
       "        Finds the the first HLA action in plan.action, which is not primitive\n",
       "        and its corresponding index in plan.action\n",
       "        """\n",
       "        hla = None\n",
       "        index = len(plan.action)\n",
       "        for i in range(len(plan.action)): # find the first HLA in plan, that is not primitive\n",
       "            if not Problem.is_primitive(Node(plan.state, plan.parent, [plan.action[i]]), hierarchy):\n",
       "                hla = plan.action[i] \n",
       "                index = i\n",
       "                break\n",
       "        return (hla, index)\n",
       "\t\n",
       "    def making_progress(plan, initialPlan):\n",
       "        """ \n",
       "        Not correct\n",
       "\n",
       "        Normally should from infinite regression of refinements \n",
       "        \n",
       "        Only case covered: when plan contains one action (then there is no regression to be done)  \n",
       "        """\n",
       "        if (len(plan.action)==1):\n",
       "            return False\n",
       "        return True \n",
       "\n",
       "    def decompose(hierarchy, s_0, plan, s_f, reachable_set):\n",
       "        solution = [] \n",
       "        while plan.action_pes: \n",
       "            action = plan.action_pes.pop()\n",
       "            i = max(reachable_set.keys())\n",
       "            if (i==0): \n",
       "                return solution\n",
       "            s_i = Problem.find_previous_state(s_f, reachable_set,i, action) \n",
       "            problem = Problem(s_i, s_f , plan.action)\n",
       "            j=0\n",
       "            for x in Problem.angelic_search(problem, hierarchy, [Angelic_Node(s_i, Node(None), [action],[action])]):\n",
       "                solution.insert(j,x)\n",
       "                j+=1\n",
       "            s_f = s_i\n",
       "        return solution\n",
       "\n",
       "\n",
       "    def find_previous_state(s_f, reachable_set, i, action):\n",
       "        """\n",
       "        Given a final state s_f and an action finds a state s_i in reachable_set \n",
       "        such that when action is applied to state s_i returns s_f.  \n",
       "        """\n",
       "        s_i = reachable_set[i-1][0]\n",
       "        for state in reachable_set[i-1]:\n",
       "            if s_f in [x for x in Problem.reach_pes(state, Angelic_Node(state, None, [action],[action]))[1]]:\n",
       "                s_i =state\n",
       "                break\n",
       "        return s_i\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(Problem)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## HLA\n", "To be able to model a real-world planning problem properly, it is essential to be able to represent a _high-level action (HLA)_ that can be hierarchically reduced to primitive actions." ] }, { "cell_type": "code", "execution_count": 130, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
class HLA(Action):\n",
       "    """\n",
       "    Define Actions for the real-world (that may be refined further), and satisfy resource\n",
       "    constraints.\n",
       "    """\n",
       "    unique_group = 1\n",
       "\n",
       "    def __init__(self, action, precond=None, effect=None, duration=0,\n",
       "                 consume=None, use=None):\n",
       "        """\n",
       "        As opposed to actions, to define HLA, we have added constraints.\n",
       "        duration holds the amount of time required to execute the task\n",
       "        consumes holds a dictionary representing the resources the task consumes\n",
       "        uses holds a dictionary representing the resources the task uses\n",
       "        """\n",
       "        precond = precond or [None]\n",
       "        effect = effect or [None]\n",
       "        super().__init__(action, precond, effect)\n",
       "        self.duration = duration\n",
       "        self.consumes = consume or {}\n",
       "        self.uses = use or {}\n",
       "        self.completed = False\n",
       "        # self.priority = -1 #  must be assigned in relation to other HLAs\n",
       "        # self.job_group = -1 #  must be assigned in relation to other HLAs\n",
       "\n",
       "    def do_action(self, job_order, available_resources, kb, args):\n",
       "        """\n",
       "        An HLA based version of act - along with knowledge base updation, it handles\n",
       "        resource checks, and ensures the actions are executed in the correct order.\n",
       "        """\n",
       "        # print(self.name)\n",
       "        if not self.has_usable_resource(available_resources):\n",
       "            raise Exception('Not enough usable resources to execute {}'.format(self.name))\n",
       "        if not self.has_consumable_resource(available_resources):\n",
       "            raise Exception('Not enough consumable resources to execute {}'.format(self.name))\n",
       "        if not self.inorder(job_order):\n",
       "            raise Exception("Can't execute {} - execute prerequisite actions first".\n",
       "                            format(self.name))\n",
       "        kb = super().act(kb, args)  # update knowledge base\n",
       "        for resource in self.consumes:  # remove consumed resources\n",
       "            available_resources[resource] -= self.consumes[resource]\n",
       "        self.completed = True  # set the task status to complete\n",
       "        return kb\n",
       "\n",
       "    def has_consumable_resource(self, available_resources):\n",
       "        """\n",
       "        Ensure there are enough consumable resources for this action to execute.\n",
       "        """\n",
       "        for resource in self.consumes:\n",
       "            if available_resources.get(resource) is None:\n",
       "                return False\n",
       "            if available_resources[resource] < self.consumes[resource]:\n",
       "                return False\n",
       "        return True\n",
       "\n",
       "    def has_usable_resource(self, available_resources):\n",
       "        """\n",
       "        Ensure there are enough usable resources for this action to execute.\n",
       "        """\n",
       "        for resource in self.uses:\n",
       "            if available_resources.get(resource) is None:\n",
       "                return False\n",
       "            if available_resources[resource] < self.uses[resource]:\n",
       "                return False\n",
       "        return True\n",
       "\n",
       "    def inorder(self, job_order):\n",
       "        """\n",
       "        Ensure that all the jobs that had to be executed before the current one have been\n",
       "        successfully executed.\n",
       "        """\n",
       "        for jobs in job_order:\n",
       "            if self in jobs:\n",
       "                for job in jobs:\n",
       "                    if job is self:\n",
       "                        return True\n",
       "                    if not job.completed:\n",
       "                        return False\n",
       "        return True\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(HLA)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "In addition to preconditions and effects, an object of the `HLA` class also stores:\n", "- the `duration` of the HLA\n", "- the quantity of consumption of _consumable_ resources\n", "- the quantity of _reusable_ resources used\n", "- a bool `completed` denoting if the `HLA` has been completed\n", "\n", "The class also has some useful helper methods:\n", "- `do_action`: checks if required consumable and reusable resources are available and if so, executes the action.\n", "- `has_consumable_resource`: checks if there exists sufficient quantity of the required consumable resource.\n", "- `has_usable_resource`: checks if reusable resources are available and not already engaged.\n", "- `inorder`: ensures that all the jobs that had to be executed before the current one have been successfully executed." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## PLANNING PROBLEMS\n", "---\n", "## Job-shop Problem\n", "This is a simple problem involving the assembly of two cars simultaneously.\n", "The problem consists of two jobs, each of the form [`AddEngine`, `AddWheels`, `Inspect`] to be performed on two cars with different requirements and availability of resources.\n", "
\n", "Let's look at how the `job_shop_problem` has been defined on the module." ] }, { "cell_type": "code", "execution_count": 138, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def job_shop_problem():\n",
       "    """\n",
       "    [Figure 11.1] JOB-SHOP-PROBLEM\n",
       "\n",
       "    A job-shop scheduling problem for assembling two cars,\n",
       "    with resource and ordering constraints.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> p = job_shop_problem()\n",
       "    >>> p.goal_test()\n",
       "    False\n",
       "    >>> p.act(p.jobs[1][0])\n",
       "    >>> p.act(p.jobs[1][1])\n",
       "    >>> p.act(p.jobs[1][2])\n",
       "    >>> p.act(p.jobs[0][0])\n",
       "    >>> p.act(p.jobs[0][1])\n",
       "    >>> p.goal_test()\n",
       "    False\n",
       "    >>> p.act(p.jobs[0][2])\n",
       "    >>> p.goal_test()\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "    resources = {'EngineHoists': 1, 'WheelStations': 2, 'Inspectors': 2, 'LugNuts': 500}\n",
       "\n",
       "    add_engine1 = HLA('AddEngine1', precond='~Has(C1, E1)', effect='Has(C1, E1)', duration=30, use={'EngineHoists': 1})\n",
       "    add_engine2 = HLA('AddEngine2', precond='~Has(C2, E2)', effect='Has(C2, E2)', duration=60, use={'EngineHoists': 1})\n",
       "    add_wheels1 = HLA('AddWheels1', precond='~Has(C1, W1)', effect='Has(C1, W1)', duration=30, use={'WheelStations': 1}, consume={'LugNuts': 20})\n",
       "    add_wheels2 = HLA('AddWheels2', precond='~Has(C2, W2)', effect='Has(C2, W2)', duration=15, use={'WheelStations': 1}, consume={'LugNuts': 20})\n",
       "    inspect1 = HLA('Inspect1', precond='~Inspected(C1)', effect='Inspected(C1)', duration=10, use={'Inspectors': 1})\n",
       "    inspect2 = HLA('Inspect2', precond='~Inspected(C2)', effect='Inspected(C2)', duration=10, use={'Inspectors': 1})\n",
       "\n",
       "    actions = [add_engine1, add_engine2, add_wheels1, add_wheels2, inspect1, inspect2]\n",
       "\n",
       "    job_group1 = [add_engine1, add_wheels1, inspect1]\n",
       "    job_group2 = [add_engine2, add_wheels2, inspect2]\n",
       "\n",
       "    return Problem(init='Car(C1) & Car(C2) & Wheels(W1) & Wheels(W2) & Engine(E2) & Engine(E2) & ~Has(C1, E1) & ~Has(C2, E2) & ~Has(C1, W1) & ~Has(C2, W2) & ~Inspected(C1) & ~Inspected(C2)',\n",
       "                   goals='Has(C1, W1) & Has(C1, E1) & Inspected(C1) & Has(C2, W2) & Has(C2, E2) & Inspected(C2)',\n",
       "                   actions=actions,\n",
       "                   jobs=[job_group1, job_group2],\n",
       "                   resources=resources)\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(job_shop_problem)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The states of this problem are:\n", "
\n", "
\n", "**Has(x, y)**: Car **'x'** _has_ **'y'** where **'y'** can be an Engine or a Wheel.\n", "\n", "**~Has(x, y)**: Car **'x'** does _not have_ **'y'** where **'y'** can be an Engine or a Wheel.\n", "\n", "**Inspected(c)**: Car **'c'** has been _inspected_.\n", "\n", "**~Inspected(c)**: Car **'c'** has _not_ been inspected.\n", "\n", "In the initial state, `C1` and `C2` are cars and neither have an engine or wheels and haven't been inspected.\n", "`E1` and `E2` are engines.\n", "`W1` and `W2` are wheels.\n", "
\n", "Our goal is to have engines and wheels on both cars and to get them inspected. We will discuss how to achieve this.\n", "
\n", "Let's define an object of the `job_shop_problem`." ] }, { "cell_type": "code", "execution_count": 139, "metadata": {}, "outputs": [], "source": [ "jobShopProblem = job_shop_problem()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will check if `jobShopProblem` has reached its goal." ] }, { "cell_type": "code", "execution_count": 140, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(jobShopProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "We now define a possible solution that can help us reach the goal. \n", "The actions are then carried out on the `jobShopProblem` object." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The following actions are available to us:\n", "\n", "**AddEngine1**: Adds an engine to the car C1. Takes 30 minutes to complete and uses an engine hoist.\n", " \n", "**AddEngine2**: Adds an engine to the car C2. Takes 60 minutes to complete and uses an engine hoist.\n", "\n", "**AddWheels1**: Adds wheels to car C1. Takes 30 minutes to complete. Uses a wheel station and consumes 20 lug nuts.\n", "\n", "**AddWheels2**: Adds wheels to car C2. Takes 15 minutes to complete. Uses a wheel station and consumes 20 lug nuts as well.\n", "\n", "**Inspect1**: Gets car C1 inspected. Requires 10 minutes of inspection by one inspector.\n", "\n", "**Inspect2**: Gets car C2 inspected. Requires 10 minutes of inspection by one inspector." ] }, { "cell_type": "code", "execution_count": 141, "metadata": {}, "outputs": [], "source": [ "solution = [jobShopProblem.jobs[1][0],\n", " jobShopProblem.jobs[1][1],\n", " jobShopProblem.jobs[1][2],\n", " jobShopProblem.jobs[0][0],\n", " jobShopProblem.jobs[0][1],\n", " jobShopProblem.jobs[0][2]]\n", "\n", "for action in solution:\n", " jobShopProblem.act(action)" ] }, { "cell_type": "code", "execution_count": 142, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "True\n" ] } ], "source": [ "print(jobShopProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "This is a valid solution and one of many correct ways to solve this problem." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Double tennis problem\n", "This problem is a simple case of a multiactor planning problem, where two agents act at once and can simultaneously change the current state of the problem. \n", "A correct plan is one that, if executed by the actors, achieves the goal.\n", "In the true multiagent setting, of course, the agents may not agree to execute any particular plan, but atleast they will know what plans _would_ work if they _did_ agree to execute them.\n", "
\n", "In the double tennis problem, two actors A and B are playing together and can be in one of four locations: `LeftBaseLine`, `RightBaseLine`, `LeftNet` and `RightNet`.\n", "The ball can be returned only if a player is in the right place.\n", "Each action must include the actor as an argument.\n", "
\n", "Let's first look at the definition of the `double_tennis_problem` in the module." ] }, { "cell_type": "code", "execution_count": 172, "metadata": {}, "outputs": [ { "data": { "text/html": [ "\n", "\n", "\n", "\n", " \n", " \n", " \n", "\n", "\n", "

\n", "\n", "
def double_tennis_problem():\n",
       "    """\n",
       "    [Figure 11.10] DOUBLE-TENNIS-PROBLEM\n",
       "\n",
       "    A multiagent planning problem involving two partner tennis players\n",
       "    trying to return an approaching ball and repositioning around in the court.\n",
       "\n",
       "    Example:\n",
       "    >>> from planning import *\n",
       "    >>> dtp = double_tennis_problem()\n",
       "    >>> goal_test(dtp.goals, dtp.init)\n",
       "    False\n",
       "    >>> dtp.act(expr('Go(A, RightBaseLine, LeftBaseLine)'))\n",
       "    >>> dtp.act(expr('Hit(A, Ball, RightBaseLine)'))\n",
       "    >>> goal_test(dtp.goals, dtp.init)\n",
       "    False\n",
       "    >>> dtp.act(expr('Go(A, LeftNet, RightBaseLine)'))\n",
       "    >>> goal_test(dtp.goals, dtp.init)\n",
       "    True\n",
       "    >>>\n",
       "    """\n",
       "\n",
       "    return PlanningProblem(init='At(A, LeftBaseLine) & At(B, RightNet) & Approaching(Ball, RightBaseLine) & Partner(A, B) & Partner(B, A)',\n",
       "                             goals='Returned(Ball) & At(a, LeftNet) & At(a, RightNet)',\n",
       "                             actions=[Action('Hit(actor, Ball, loc)',\n",
       "                                             precond='Approaching(Ball, loc) & At(actor, loc)',\n",
       "                                             effect='Returned(Ball)'),\n",
       "                                      Action('Go(actor, to, loc)', \n",
       "                                             precond='At(actor, loc)',\n",
       "                                             effect='At(actor, to) & ~At(actor, loc)')])\n",
       "
\n", "\n", "\n" ], "text/plain": [ "" ] }, "metadata": {}, "output_type": "display_data" } ], "source": [ "psource(double_tennis_problem)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The states of this problem are:\n", "\n", "**Approaching(Ball, loc)**: The `Ball` is approaching the location `loc`.\n", "\n", "**Returned(Ball)**: One of the actors successfully hit the approaching ball from the correct location which caused it to return to the other side.\n", "\n", "**At(actor, loc)**: `actor` is at location `loc`.\n", "\n", "**~At(actor, loc)**: `actor` is _not_ at location `loc`.\n", "\n", "Let's now define an object of `double_tennis_problem`.\n" ] }, { "cell_type": "code", "execution_count": 173, "metadata": {}, "outputs": [], "source": [ "doubleTennisProblem = double_tennis_problem()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "Before taking any actions, we will check if `doubleTennisProblem` has reached the goal." ] }, { "cell_type": "code", "execution_count": 174, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "False\n" ] } ], "source": [ "print(doubleTennisProblem.goal_test())" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "As we can see, the goal hasn't been reached. \n", "We now define a possible solution that can help us reach the goal of having the ball returned.\n", "The actions will then be carried out on the `doubleTennisProblem` object." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "The actions available to us are the following:\n", "\n", "**Hit(actor, ball, loc)**: returns an approaching ball if `actor` is present at the `loc` that the ball is approaching.\n", "\n", "**Go(actor, to, loc)**: moves an `actor` from location `loc` to location `to`.\n", "\n", "We notice something different in this problem though, \n", "which is quite unlike any other problem we have seen so far. \n", "The goal state of the problem contains a variable `a`.\n", "This happens sometimes in multiagent planning problems \n", "and it means that it doesn't matter _which_ actor is at the `LeftNet` or the `RightNet`, as long as there is atleast one actor at either `LeftNet` or `RightNet`." ] }, { "cell_type": "code", "execution_count": 175, "metadata": {}, "outputs": [], "source": [ "solution = [expr('Go(A, RightBaseLine, LeftBaseLine)'),\n", " expr('Hit(A, Ball, RightBaseLine)'),\n", " expr('Go(A, LeftNet, RightBaseLine)')]\n", "\n", "for action in solution:\n", " doubleTennisProblem.act(action)" ] }, { "cell_type": "code", "execution_count": 178, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "False" ] }, "execution_count": 178, "metadata": {}, "output_type": "execute_result" } ], "source": [ "doubleTennisProblem.goal_test()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "It has now successfully reached its goal, ie, to return the approaching ball." ] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.5.3" } }, "nbformat": 4, "nbformat_minor": 1 }