mirror of
https://github.com/illiumst/marl-factory-grid.git
synced 2025-05-22 14:56:43 +02:00
Merge branch 'main' into documentation
# Conflicts: # marl_factory_grid/configs/default_config.yaml # marl_factory_grid/configs/eight_puzzle.yaml # random_testrun.py
This commit is contained in:
commit
c9ac92f044
@ -1,69 +1,89 @@
|
||||
# Gneral env. settings.
|
||||
General:
|
||||
# Just the best seed.
|
||||
env_seed: 69
|
||||
# Individual vs global rewards
|
||||
# Each agent receives an inividual Reward.
|
||||
individual_rewards: true
|
||||
# The level.txt file to load from marl_factory_grid/levels
|
||||
# level file to load from .\levels\.
|
||||
level_name: eight_puzzle
|
||||
# View Radius; 0 = full observatbility
|
||||
# Partial Observability. 0 = Full Observation.
|
||||
pomdp_r: 0
|
||||
# Print all messages and events
|
||||
verbose: True
|
||||
# Run tests
|
||||
# Please do not spam me.
|
||||
verbose: false
|
||||
# Do not touch, WIP
|
||||
tests: false
|
||||
|
||||
# In the "eight puzzle" there are 8 agents standing on a 3x3 map, each with a specific destination to reach.
|
||||
# RL Surrogates
|
||||
Agents:
|
||||
# This defines the name of the agent. UTF-8
|
||||
Wolfgang:
|
||||
# Section which defines the availabll Actions per Agent
|
||||
Actions:
|
||||
Noop:
|
||||
fail_reward: -0
|
||||
valid_reward: 0
|
||||
# Move4 adds 4 actions [`North`, `East`, `South`, `West`]
|
||||
Move4:
|
||||
fail_reward: -0.1
|
||||
valid_reward: -.01
|
||||
# Reward specification which differ from the default.
|
||||
# Agent does a valid move in the environment. He actually moves.
|
||||
valid_reward: -0.1
|
||||
# Agent wants to move, but fails.
|
||||
fail_reward: 0
|
||||
# NOOP aka agent does not do a thing.
|
||||
Noop:
|
||||
# The Agent decides to not do anything. Which is always valid.
|
||||
valid_reward: 0
|
||||
# Does not do anything, just using the same interface.
|
||||
fail_reward: 0
|
||||
# What the agent wants to see.
|
||||
Observations:
|
||||
# The agent...
|
||||
# sees other agents, but himself.
|
||||
- Other
|
||||
# wants to see walls
|
||||
- Walls
|
||||
# sees his associated Destination (singular). Use the Plural for `see all destinations`.
|
||||
- Destination
|
||||
Clones:
|
||||
- Juergen
|
||||
- Soeren
|
||||
- Walter
|
||||
- Siggi
|
||||
- Dennis
|
||||
- Karl-Heinz
|
||||
- Kevin
|
||||
# multiple agents can not stand on the same location
|
||||
# You want to have 7 clones, also possible to name them by giving names as list.
|
||||
Clones: 7
|
||||
# Agents are blocking their grid position from beeing entered by others.
|
||||
is_blocking_pos: true
|
||||
|
||||
# Apart from agents, which additional endities do you want to load?
|
||||
Entities:
|
||||
# Observable destinations, which can be reached by stepping on the same position. Has additional parameters...
|
||||
Destinations:
|
||||
# Let them spawn on closed doors and agent positions
|
||||
ignore_blocking: true
|
||||
# We need a special spawn rule...
|
||||
# For 8-Puzzle, we need a special spawn rule...
|
||||
spawnrule:
|
||||
# ...which assigns the destinations per agent
|
||||
SpawnDestinationsPerAgent:
|
||||
# we use this parameter
|
||||
coords_or_quantity:
|
||||
# to enable and assign special positions per agent
|
||||
Wolfgang: 1
|
||||
Karl-Heinz: 1
|
||||
Kevin: 1
|
||||
Juergen: 1
|
||||
Soeren: 1
|
||||
Walter: 1
|
||||
Siggi: 1
|
||||
Dennis: 1
|
||||
# ...which spawn a single position just underneath an associated agent.
|
||||
SpawnDestinationOnAgent: {} # There are no parameters, so we state empty kwargs.
|
||||
|
||||
# This section defines which operations are performed beside agent action.
|
||||
# Without this section nothing happens, not even Done-condition checks.
|
||||
# Also, situation based rewards are specidief this way.
|
||||
Rules:
|
||||
# Utilities
|
||||
## Utilities
|
||||
# This rule defines the collision mechanic, introduces a related DoneCondition and lets you specify rewards.
|
||||
# Can be omited/ignored if you do not want to take care of collisions at all.
|
||||
# This does not mean, that agents can not collide, its just ignored.
|
||||
WatchCollisions:
|
||||
reward: 0
|
||||
done_at_collisions: false
|
||||
|
||||
# Done Conditions
|
||||
# Done when all agents are standing on the correct destination at the same time
|
||||
DoneAtDestinationReach:
|
||||
condition: simultaneous
|
||||
# In 8 Puzzle, do not randomize the start positions, rather move a random agent onto the single free position n-times.
|
||||
DoRandomInitialSteps:
|
||||
# How many times?
|
||||
random_steps: 2
|
||||
|
||||
## Done Conditions
|
||||
# Maximum steps per episode. There is no reward for failing.
|
||||
DoneAtMaxStepsReached:
|
||||
max_steps: 500
|
||||
# After how many steps should the episode end?
|
||||
max_steps: 200
|
||||
|
||||
# For 8 Puzzle we need a done condition that checks whether destinations have been reached, so...
|
||||
DoneAtDestinationReach:
|
||||
# On every step, should there be a reward for agets that reach their associated destination? No!
|
||||
dest_reach_reward: 0 # Do not touch. This is usefull in other settings!
|
||||
# Reward should only be given when all destiantions are reached in parallel!
|
||||
condition: "simultanious"
|
||||
# Reward if this is the case. Granted to each agent when all agents are at their target position simultaniously.
|
||||
reward_at_done: 1
|
||||
|
@ -7,6 +7,8 @@ from marl_factory_grid.utils.helpers import MOVEMAP
|
||||
from marl_factory_grid.utils.results import ActionResult
|
||||
|
||||
|
||||
TYPE_COLLISION = 'collision'
|
||||
|
||||
class Action(abc.ABC):
|
||||
|
||||
@property
|
||||
|
@ -13,22 +13,20 @@ from marl_factory_grid.environment import constants as c
|
||||
class Agent(Entity):
|
||||
|
||||
@property
|
||||
def var_is_paralyzed(self):
|
||||
def var_is_paralyzed(self) -> bool:
|
||||
"""
|
||||
TODO
|
||||
Check if the Agent is able to move and perform actions. Can be paralized by eg. damage or empty battery.
|
||||
|
||||
|
||||
:return:
|
||||
:return: Wether the Agent is paralyzed.
|
||||
"""
|
||||
return len(self._paralyzed)
|
||||
return bool(len(self._paralyzed))
|
||||
|
||||
@property
|
||||
def paralyze_reasons(self):
|
||||
def paralyze_reasons(self) -> list[str]:
|
||||
"""
|
||||
TODO
|
||||
Reveals the reasons for the recent paralyzation.
|
||||
|
||||
|
||||
:return:
|
||||
:return: A list of strings.
|
||||
"""
|
||||
return [x for x in self._paralyzed]
|
||||
|
||||
@ -40,43 +38,36 @@ class Agent(Entity):
|
||||
@property
|
||||
def actions(self):
|
||||
"""
|
||||
TODO
|
||||
Reveals the actions this agent is capable of.
|
||||
|
||||
|
||||
:return:
|
||||
:return: List of actions.
|
||||
"""
|
||||
return self._actions
|
||||
|
||||
@property
|
||||
def observations(self):
|
||||
"""
|
||||
TODO
|
||||
Reveals the observations which this agent wants to see.
|
||||
|
||||
|
||||
:return:
|
||||
:return: List of observations.
|
||||
"""
|
||||
return self._observations
|
||||
|
||||
def step_result(self):
|
||||
"""
|
||||
TODO
|
||||
FIXME THINK ITS LEGACY... Not Used any more
|
||||
|
||||
|
||||
:return:
|
||||
"""
|
||||
pass
|
||||
|
||||
@property
|
||||
def var_is_blocking_pos(self):
|
||||
return self._is_blocking_pos
|
||||
|
||||
def __init__(self, actions: List[Action], observations: List[str], *args, is_blocking_pos=False, **kwargs):
|
||||
"""
|
||||
TODO
|
||||
This is the main agent surrogate.
|
||||
Actions given to env.step() are associated with this entity and performed at `on_step`.
|
||||
|
||||
|
||||
:return:
|
||||
:param kwargs: object
|
||||
:param args: object
|
||||
:param is_blocking_pos: object
|
||||
:param observations: object
|
||||
:param actions: object
|
||||
"""
|
||||
super(Agent, self).__init__(*args, **kwargs)
|
||||
self._paralyzed = set()
|
||||
@ -86,42 +77,38 @@ class Agent(Entity):
|
||||
self._status: Union[Result, None] = None
|
||||
self._is_blocking_pos = is_blocking_pos
|
||||
|
||||
def summarize_state(self):
|
||||
def summarize_state(self) -> dict[str]:
|
||||
"""
|
||||
TODO
|
||||
More or less the result of the last action. Usefull for debugging and used in renderer.
|
||||
|
||||
|
||||
:return:
|
||||
:return: Last action result
|
||||
"""
|
||||
state_dict = super().summarize_state()
|
||||
state_dict.update(valid=bool(self.state.validity), action=str(self.state.identifier))
|
||||
return state_dict
|
||||
|
||||
def set_state(self, state):
|
||||
def set_state(self, state: Result) -> bool:
|
||||
"""
|
||||
TODO
|
||||
Place result in temp agent state.
|
||||
|
||||
|
||||
:return:
|
||||
:return: Always true
|
||||
"""
|
||||
self._status = state
|
||||
return c.VALID
|
||||
|
||||
|
||||
def paralyze(self, reason):
|
||||
"""
|
||||
TODO
|
||||
Paralyze an agent. Paralyzed agents are not able to do actions.
|
||||
This is usefull, when battery is empty or agent is damaged.
|
||||
|
||||
|
||||
:return:
|
||||
:return: Always true
|
||||
"""
|
||||
self._paralyzed.add(reason)
|
||||
return c.VALID
|
||||
|
||||
def de_paralyze(self, reason) -> bool:
|
||||
"""
|
||||
TODO
|
||||
|
||||
De-paralyze an agent, so that he is able to perform actions again.
|
||||
|
||||
:return:
|
||||
"""
|
||||
|
@ -136,6 +136,7 @@ class Factory(gym.Env):
|
||||
|
||||
# All is set up, trigger entity spawn with variable pos
|
||||
self.state.rules.do_all_reset(self.state)
|
||||
self.state.rules.do_all_post_spawn_reset(self.state)
|
||||
|
||||
# Build initial observations for all agents
|
||||
self.obs_builder.reset(self.state)
|
||||
@ -211,8 +212,7 @@ class Factory(gym.Env):
|
||||
# Combine Info dicts into a global one
|
||||
combined_info_dict = defaultdict(lambda: 0.0)
|
||||
for result in chain(tick_results, done_check_results):
|
||||
if not result:
|
||||
raise ValueError()
|
||||
assert result, 'Something returned None...'
|
||||
if result.reward is not None:
|
||||
try:
|
||||
rewards[result.entity.name] += result.reward
|
||||
|
@ -4,15 +4,17 @@ from random import shuffle
|
||||
from typing import Dict
|
||||
|
||||
from marl_factory_grid.environment.groups.objects import Objects
|
||||
from marl_factory_grid.utils.helpers import POS_MASK
|
||||
from marl_factory_grid.utils.helpers import POS_MASK_8, POS_MASK_4
|
||||
|
||||
|
||||
class Entities(Objects):
|
||||
_entity = Objects
|
||||
|
||||
@staticmethod
|
||||
def neighboring_positions(pos):
|
||||
return [tuple(x) for x in (POS_MASK + pos).reshape(-1, 2)]
|
||||
def neighboring_positions(self, pos):
|
||||
return [tuple(x) for x in (POS_MASK_8 + pos).reshape(-1, 2) if tuple(x) in self._floor_positions]
|
||||
|
||||
def neighboring_4_positions(self, pos):
|
||||
return [tuple(x) for x in (POS_MASK_4 + pos) if tuple(x) in self._floor_positions]
|
||||
|
||||
def get_entities_near_pos(self, pos):
|
||||
return [y for x in itemgetter(*self.neighboring_positions(pos))(self.pos_dict) for y in x]
|
||||
|
@ -1,7 +1,10 @@
|
||||
import abc
|
||||
import random
|
||||
from random import shuffle
|
||||
from typing import List, Collection
|
||||
|
||||
import numpy as np
|
||||
|
||||
from marl_factory_grid.environment import rewards as r, constants as c
|
||||
from marl_factory_grid.environment.entity.agent import Agent
|
||||
from marl_factory_grid.utils import helpers as h
|
||||
@ -37,6 +40,15 @@ class Rule(abc.ABC):
|
||||
TODO
|
||||
|
||||
|
||||
:return:
|
||||
"""
|
||||
return []
|
||||
|
||||
def on_reset_post_spawn(self, state) -> List[TickResult]:
|
||||
"""
|
||||
TODO
|
||||
|
||||
|
||||
:return:
|
||||
"""
|
||||
return []
|
||||
@ -230,3 +242,33 @@ class WatchCollisions(Rule):
|
||||
if inter_entity_collision_detected or collision_in_step:
|
||||
return [DoneResult(validity=c.VALID, identifier=c.COLLISION, reward=self.reward_at_done)]
|
||||
return []
|
||||
|
||||
|
||||
class DoRandomInitialSteps(Rule):
|
||||
def __init__(self, random_steps: 10):
|
||||
"""
|
||||
Special rule which spawns destinations, that are bound to a single agent a fixed set of positions.
|
||||
Useful for introducing specialists, etc. ..
|
||||
|
||||
!!! This rule does not introduce any reward or done condition.
|
||||
|
||||
:param random_steps: Number of random steps agents perform in an environment.
|
||||
Useful in the `N-Puzzle` configuration.
|
||||
"""
|
||||
super().__init__()
|
||||
self.random_steps = random_steps
|
||||
|
||||
def on_reset_post_spawn(self, state):
|
||||
state.print("Random Initial Steps initiated....")
|
||||
for _ in range(self.random_steps):
|
||||
# Find free positions
|
||||
free_pos = state.random_free_position
|
||||
neighbor_positions = state.entities.neighboring_4_positions(free_pos)
|
||||
random.shuffle(neighbor_positions)
|
||||
chosen_agent = h.get_first(state[c.AGENT].by_pos(neighbor_positions.pop()))
|
||||
assert isinstance(chosen_agent, Agent)
|
||||
valid = chosen_agent.move(free_pos, state)
|
||||
valid_str = " not" if not valid else ""
|
||||
state.print(f"Move {chosen_agent.name} from {chosen_agent.last_pos} "
|
||||
f"to {chosen_agent.pos} was{valid_str} valid.")
|
||||
pass
|
||||
|
@ -19,7 +19,7 @@ class Charge(Action):
|
||||
|
||||
def do(self, entity, state) -> Union[None, ActionResult]:
|
||||
if charge_pod := h.get_first(state[b.CHARGE_PODS].by_pos(entity.pos)):
|
||||
valid = h.get_first(charge_pod.charge_battery(entity, state))
|
||||
valid = charge_pod.charge_battery(entity, state)
|
||||
if valid:
|
||||
state.print(f'{entity.name} just charged batteries at {charge_pod.name}.')
|
||||
else:
|
||||
|
@ -53,7 +53,7 @@ class BatteryDecharge(Rule):
|
||||
|
||||
for agent in state[c.AGENT]:
|
||||
if isinstance(self.per_action_costs, dict):
|
||||
energy_consumption = self.per_action_costs[agent.step_result()['action']]
|
||||
energy_consumption = self.per_action_costs[agent.state.identifier]
|
||||
else:
|
||||
energy_consumption = self.per_action_costs
|
||||
|
||||
|
@ -1,11 +1,13 @@
|
||||
|
||||
# Destination Env
|
||||
DESTINATION = 'Destinations'
|
||||
DEST_SYMBOL = 1
|
||||
DESTINATION = 'Destinations'
|
||||
DEST_SYMBOL = 1
|
||||
REACHED_DEST_SYMBOL = 1
|
||||
|
||||
MODE_SINGLE = 'SINGLE'
|
||||
MODE_GROUPED = 'GROUPED'
|
||||
SPAWN_MODES = [MODE_SINGLE, MODE_GROUPED]
|
||||
|
||||
MODE_SINGLE = 'SINGLE'
|
||||
MODE_GROUPED = 'GROUPED'
|
||||
SPAWN_MODES = [MODE_SINGLE, MODE_GROUPED]
|
||||
|
||||
REWARD_WAIT_VALID: float = 0.1
|
||||
REWARD_WAIT_FAIL: float = -0.1
|
||||
|
@ -11,7 +11,7 @@ class Destination(Entity):
|
||||
|
||||
@property
|
||||
def encoding(self):
|
||||
return d.DEST_SYMBOL
|
||||
return d.DEST_SYMBOL if not self.was_reached() else 0
|
||||
|
||||
def __init__(self, *args, action_counts=0, **kwargs):
|
||||
"""
|
||||
|
@ -33,8 +33,8 @@ class DestinationReachReward(Rule):
|
||||
|
||||
def tick_step(self, state) -> List[TickResult]:
|
||||
results = []
|
||||
reached = False
|
||||
for dest in state[d.DESTINATION]:
|
||||
reached = False
|
||||
if dest.has_just_been_reached(state) and not dest.was_reached():
|
||||
# Dest has just been reached, some agent needs to stand here
|
||||
for agent in state[c.AGENT].by_pos(dest.pos):
|
||||
@ -67,32 +67,27 @@ class DoneAtDestinationReach(DestinationReachReward):
|
||||
"""
|
||||
super().__init__(**kwargs)
|
||||
self.condition = condition
|
||||
self.reward = reward_at_done
|
||||
self.reward_at_done = reward_at_done
|
||||
assert condition in CONDITIONS
|
||||
|
||||
def on_check_done(self, state) -> List[DoneResult]:
|
||||
if self.condition == ANY:
|
||||
if any(x.was_reached() for x in state[d.DESTINATION]):
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward)]
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward_at_done)]
|
||||
elif self.condition == ALL:
|
||||
if all(x.was_reached() for x in state[d.DESTINATION]):
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward)]
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward_at_done)]
|
||||
elif self.condition == SIMULTANEOUS:
|
||||
if all(x.was_reached() for x in state[d.DESTINATION]):
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward)]
|
||||
return [DoneResult(self.name, validity=c.VALID, reward=self.reward_at_done)]
|
||||
else:
|
||||
for dest in state[d.DESTINATION]:
|
||||
if dest.was_reached():
|
||||
for agent in state[c.AGENT].by_pos(dest.pos):
|
||||
if dest.bound_entity:
|
||||
if dest.bound_entity == agent:
|
||||
pass
|
||||
else:
|
||||
dest.unmark_as_reached()
|
||||
return [DoneResult(f'{dest}_unmarked_as_reached',
|
||||
validity=c.NOT_VALID, entity=dest)]
|
||||
else:
|
||||
pass
|
||||
dest.unmark_as_reached()
|
||||
state.print(f'{dest} unmarked as reached, not all targets are reached in parallel.')
|
||||
else:
|
||||
pass
|
||||
return [DoneResult(f'all_unmarked_as_reached', validity=c.NOT_VALID)]
|
||||
else:
|
||||
raise ValueError('Check spelling of Parameter "condition".')
|
||||
|
||||
@ -105,10 +100,10 @@ class SpawnDestinationsPerAgent(Rule):
|
||||
|
||||
!!! This rule does not introduce any reward or done condition.
|
||||
|
||||
:param coords_or_quantity: Please provide a dictionary with agent names as keys; and a list of possible
|
||||
destination coords as value. Example: {Wolfgang: [(0, 0), (1, 1), ...]}
|
||||
:param coords_or_quantity: Please provide a dictionary with agent names as keys; and a list of possible
|
||||
destination coords as value. Example: {Wolfgang: [(0, 0), (1, 1), ...]}
|
||||
"""
|
||||
super(Rule, self).__init__()
|
||||
super().__init__()
|
||||
self.per_agent_positions = dict()
|
||||
for agent_name, value in coords_or_quantity.items():
|
||||
if isinstance(value, int):
|
||||
@ -143,3 +138,25 @@ class SpawnDestinationsPerAgent(Rule):
|
||||
continue
|
||||
state[d.DESTINATION].add_item(destination)
|
||||
pass
|
||||
|
||||
|
||||
class SpawnDestinationOnAgent(Rule):
|
||||
def __init__(self):
|
||||
"""
|
||||
Special rule which spawns a single destination bound to a single agent just `below` him. Usefull for
|
||||
the `N-Puzzle` configurations.
|
||||
|
||||
!!! This rule does not introduce any reward or done condition.
|
||||
|
||||
:param coords_or_quantity: Please provide a dictionary with agent names as keys; and a list of possible
|
||||
destination coords as value. Example: {Wolfgang: [(0, 0), (1, 1), ...]}
|
||||
"""
|
||||
super().__init__()
|
||||
|
||||
def on_reset(self, state: Gamestate):
|
||||
state.print("Spawn Desitnations")
|
||||
for agent in state[c.AGENT]:
|
||||
destination = Destination(agent.pos, bind_to=agent)
|
||||
state[d.DESTINATION].add_item(destination)
|
||||
assert len(state[d.DESTINATION].by_pos(agent.pos)) == 1
|
||||
pass
|
||||
|
@ -151,10 +151,12 @@ class FactoryConfigParser(object):
|
||||
class_or_classes = locate_and_import_class(action, self.custom_modules_path)
|
||||
try:
|
||||
parsed_actions.extend(class_or_classes)
|
||||
for actions_class in class_or_classes:
|
||||
conf_kwargs[actions_class.__name__] = conf_kwargs[action]
|
||||
except TypeError:
|
||||
parsed_actions.append(class_or_classes)
|
||||
|
||||
parsed_actions = [x(**conf_kwargs.get(x, {})) for x in parsed_actions]
|
||||
parsed_actions = [x(**conf_kwargs.get(x.__name__, {})) for x in parsed_actions]
|
||||
|
||||
# Observation
|
||||
observations = list()
|
||||
|
@ -27,9 +27,11 @@ IGNORED_DF_COLUMNS = ['Episode', 'Run', # For plotting, which values are ignore
|
||||
'train_step', 'step', 'index', 'dirt_amount', 'dirty_pos_count', 'terminal_observation',
|
||||
'episode']
|
||||
|
||||
POS_MASK = np.asarray([[[-1, -1], [0, -1], [1, -1]],
|
||||
[[-1, 0], [0, 0], [1, 0]],
|
||||
[[-1, 1], [0, 1], [1, 1]]])
|
||||
POS_MASK_8 = np.asarray([[[-1, -1], [0, -1], [1, -1]],
|
||||
[[-1, 0], [0, 0], [1, 0]],
|
||||
[[-1, 1], [0, 1], [1, 1]]])
|
||||
|
||||
POS_MASK_4 = np.asarray([[0, -1], [-1, 0], [1, 0], [-1, 1], [0, 1], [1, 1]])
|
||||
|
||||
MOVEMAP = defaultdict(lambda: (0, 0),
|
||||
{c.NORTH: (-1, 0), c.NORTHEAST: (-1, 1),
|
||||
@ -216,32 +218,6 @@ def is_move(action_name: str):
|
||||
"""
|
||||
return action_name in MOVEMAP.keys()
|
||||
|
||||
|
||||
def asset_str(agent):
|
||||
"""
|
||||
FIXME @ romue
|
||||
"""
|
||||
# What does this abonimation do?
|
||||
# if any([x is None for x in [cls._slices[j] for j in agent.collisions]]):
|
||||
# print('error')
|
||||
if step_result := agent.step_result:
|
||||
action = step_result['action_name']
|
||||
valid = step_result['action_valid']
|
||||
col_names = [x.name for x in step_result['collisions']]
|
||||
if any(c.AGENT in name for name in col_names):
|
||||
return 'agent_collision', 'blank'
|
||||
elif not valid or c.LEVEL in col_names or c.AGENT in col_names:
|
||||
return c.AGENT, 'invalid'
|
||||
elif valid and not is_move(action):
|
||||
return c.AGENT, 'valid'
|
||||
elif valid and is_move(action):
|
||||
return c.AGENT, 'move'
|
||||
else:
|
||||
return c.AGENT, 'idle'
|
||||
else:
|
||||
return c.AGENT, 'idle'
|
||||
|
||||
|
||||
def locate_and_import_class(class_name, folder_path: Union[str, PurePath] = ''):
|
||||
"""
|
||||
Locate an object by name or dotted path.
|
||||
|
@ -51,7 +51,7 @@ class EnvMonitor(Wrapper):
|
||||
pass
|
||||
return
|
||||
|
||||
def save_run(self, filepath: Union[Path, str, None] = None, auto_plotting_keys=None):
|
||||
def save_monitor(self, filepath: Union[Path, str, None] = None, auto_plotting_keys=None):
|
||||
filepath = Path(filepath or self._filepath)
|
||||
filepath.parent.mkdir(exist_ok=True, parents=True)
|
||||
with filepath.open('wb') as f:
|
||||
|
@ -25,6 +25,12 @@ class EnvRecorder(Wrapper):
|
||||
return self.env.reset()
|
||||
|
||||
def step(self, actions):
|
||||
"""
|
||||
Todo
|
||||
|
||||
:param actions:
|
||||
:return:
|
||||
"""
|
||||
obs_type, obs, reward, done, info = self.env.step(actions)
|
||||
if not self.episodes or self._curr_episode in self.episodes:
|
||||
summary: dict = self.env.summarize_state()
|
||||
|
@ -2,9 +2,11 @@ from typing import Union
|
||||
from dataclasses import dataclass
|
||||
|
||||
from marl_factory_grid.environment.entity.object import Object
|
||||
|
||||
import marl_factory_grid.environment.constants as c
|
||||
TYPE_VALUE = 'value'
|
||||
TYPE_REWARD = 'reward'
|
||||
|
||||
|
||||
TYPES = [TYPE_VALUE, TYPE_REWARD]
|
||||
|
||||
|
||||
@ -32,8 +34,9 @@ class Result:
|
||||
"""
|
||||
identifier: str
|
||||
validity: bool
|
||||
reward: Union[float, None] = None
|
||||
value: Union[float, None] = None
|
||||
reward: float | None = None
|
||||
value: float | None = None
|
||||
collision: bool | None = None
|
||||
entity: Object = None
|
||||
|
||||
def get_infos(self):
|
||||
@ -68,8 +71,17 @@ class ActionResult(Result):
|
||||
super().__init__(*args, **kwargs)
|
||||
self.action_introduced_collision = action_introduced_collision
|
||||
|
||||
pass
|
||||
def __repr__(self):
|
||||
sr = super().__repr__()
|
||||
return sr + f" | {c.COLLISION}" if self.action_introduced_collision is not None else ""
|
||||
|
||||
def get_infos(self):
|
||||
base_infos = super().get_infos()
|
||||
if self.action_introduced_collision:
|
||||
i = InfoObject(identifier=f'{self.entity.name}_{c.COLLISION}', val_type=TYPE_VALUE, value=1)
|
||||
return base_infos + [i]
|
||||
else:
|
||||
return base_infos
|
||||
|
||||
@dataclass
|
||||
class DoneResult(Result):
|
||||
|
@ -47,6 +47,12 @@ class StepRules:
|
||||
state.print(rule_reset_printline)
|
||||
return c.VALID
|
||||
|
||||
def do_all_post_spawn_reset(self, state):
|
||||
for rule in self.rules:
|
||||
if rule_reset_printline := rule.on_reset_post_spawn(state):
|
||||
state.print(rule_reset_printline)
|
||||
return c.VALID
|
||||
|
||||
def tick_step_all(self, state):
|
||||
results = list()
|
||||
for rule in self.rules:
|
||||
|
@ -14,8 +14,9 @@ ENTITIES = 'Objects'
|
||||
OBSERVATIONS = 'Observations'
|
||||
RULES = 'Rule'
|
||||
TESTS = 'Tests'
|
||||
EXCLUDED = ['identifier', 'args', 'kwargs', 'Move', 'Agent', 'GlobalPositions', 'Walls',
|
||||
'TemplateRule', 'Entities', 'EnvObjects', 'Zones', ]
|
||||
EXCLUDED = ['identifier', 'args', 'kwargs', 'Move', 'Agent', 'GlobalPositions', 'Walls', 'Gamestate', 'Path',
|
||||
'Iterable', 'Move', 'Result', 'TemplateRule', 'Entities', 'EnvObjects', 'Zones', 'Collection',
|
||||
'State', 'Object', 'default_valid_reward', 'default_fail_reward', 'size']
|
||||
|
||||
|
||||
class ConfigExplainer:
|
||||
@ -32,7 +33,9 @@ class ConfigExplainer:
|
||||
|
||||
:param custom_path: Path to your custom module folder.
|
||||
"""
|
||||
self.base_path = Path(__file__).parent.parent.resolve()
|
||||
|
||||
self.base_path = Path(__file__).parent.parent.resolve() /'environment'
|
||||
self.modules_path = Path(__file__).parent.parent.resolve() / 'modules'
|
||||
self.custom_path = Path(custom_path) if custom_path is not None else custom_path
|
||||
self.searchspace = [ACTION, GENERAL, ENTITIES, OBSERVATIONS, RULES, TESTS]
|
||||
|
||||
@ -41,9 +44,16 @@ class ConfigExplainer:
|
||||
"""
|
||||
INTERNAL USE ONLY
|
||||
"""
|
||||
parameters = inspect.signature(class_to_explain).parameters
|
||||
this_search = class_to_explain
|
||||
parameters = dict(inspect.signature(class_to_explain).parameters)
|
||||
while this_search.__bases__:
|
||||
base_class = this_search.__bases__[0]
|
||||
parameters.update(dict(inspect.signature(base_class).parameters))
|
||||
this_search = base_class
|
||||
|
||||
explained = {class_to_explain.__name__:
|
||||
{key: val.default for key, val in parameters.items() if key not in EXCLUDED}
|
||||
{key: val.default if val.default != inspect._empty else '!' for key, val in parameters.items()
|
||||
if key not in EXCLUDED}
|
||||
}
|
||||
return explained
|
||||
|
||||
@ -52,8 +62,10 @@ class ConfigExplainer:
|
||||
INTERNAL USE ONLY
|
||||
"""
|
||||
entities_base_cls = locate_and_import_class(identifier, self.base_path)
|
||||
module_paths = [x.resolve() for x in self.base_path.rglob('*.py') if x.is_file() and '__init__' not in x.name]
|
||||
found_entities = self._load_and_compare(entities_base_cls, module_paths)
|
||||
module_paths = [x.resolve() for x in self.modules_path.rglob('*.py') if x.is_file() and '__init__' not in x.name]
|
||||
base_paths = [x.resolve() for x in self.base_path.rglob('*.py') if x.is_file() and '__init__' not in x.name]
|
||||
found_entities = self._load_and_compare(entities_base_cls, base_paths)
|
||||
found_entities.update(self._load_and_compare(entities_base_cls, module_paths))
|
||||
if self.custom_path is not None:
|
||||
module_paths = [x.resolve() for x in self.custom_path.rglob('*.py') if x.is_file()
|
||||
and '__init__' not in x.name]
|
||||
@ -91,16 +103,14 @@ class ConfigExplainer:
|
||||
print(f'Example config {"for " + tag + " " if tag else " "}dumped')
|
||||
print(f'See file: {filepath}')
|
||||
|
||||
def get_actions(self) -> list[str]:
|
||||
def get_actions(self) -> dict[str]:
|
||||
"""
|
||||
Retrieve all actions from module folders.
|
||||
|
||||
:returns: A list of all available actions.
|
||||
"""
|
||||
actions = self._get_by_identifier(ACTION)
|
||||
assert all(not x for x in actions.values()), 'Please only provide Names, no Mappings.'
|
||||
actions = list(actions.keys())
|
||||
actions.extend([c.MOVE8, c.MOVE4])
|
||||
actions.update({c.MOVE8: {}, c.MOVE4: {}})
|
||||
return actions
|
||||
|
||||
def get_all(self) -> dict[str]:
|
||||
@ -125,6 +135,8 @@ class ConfigExplainer:
|
||||
:returns: A list of all available entities.
|
||||
"""
|
||||
entities = self._get_by_identifier(ENTITIES)
|
||||
for key in ['Combined', 'Agents', 'Inventory']:
|
||||
del entities[key]
|
||||
return entities
|
||||
|
||||
@staticmethod
|
||||
@ -172,13 +184,20 @@ class ConfigExplainer:
|
||||
except TypeError:
|
||||
e = [key]
|
||||
except AttributeError as err:
|
||||
if self.custom_path is not None:
|
||||
try:
|
||||
e = locate_and_import_class(key, self.base_path)(level_shape=(0, 0), pomdp_r=0).obs_pairs
|
||||
except TypeError:
|
||||
e = [key]
|
||||
try:
|
||||
e = locate_and_import_class(key, self.modules_path)(level_shape=(0, 0), pomdp_r=0).obs_pairs
|
||||
except TypeError:
|
||||
e = [key]
|
||||
except AttributeError as err2:
|
||||
if self.custom_path is not None:
|
||||
try:
|
||||
e = locate_and_import_class(key, self.base_path)(level_shape=(0, 0), pomdp_r=0).obs_pairs
|
||||
except TypeError:
|
||||
e = [key]
|
||||
else:
|
||||
raise err
|
||||
print(err.args)
|
||||
print(err2.args)
|
||||
exit(-9999)
|
||||
names.extend(e)
|
||||
return names
|
||||
|
||||
|
@ -12,9 +12,9 @@ from marl_factory_grid.utils.tools import ConfigExplainer
|
||||
|
||||
if __name__ == '__main__':
|
||||
# Render at each step?
|
||||
render = True
|
||||
render = False
|
||||
# Reveal all possible Modules (Entities, Rules, Agents[Actions, Observations], etc.)
|
||||
explain_config = False
|
||||
explain_config = True
|
||||
# Collect statistics?
|
||||
monitor = True
|
||||
# Record as Protobuf?
|
||||
@ -26,10 +26,10 @@ if __name__ == '__main__':
|
||||
|
||||
if explain_config:
|
||||
ce = ConfigExplainer()
|
||||
ce.save_all(run_path / 'all_out.yaml')
|
||||
ce.save_all(run_path / 'all_available_configs.yaml')
|
||||
|
||||
# Path to config File
|
||||
path = Path('marl_factory_grid/configs/default_config.yaml')
|
||||
path = Path('marl_factory_grid/configs/eight_puzzle.yaml')
|
||||
|
||||
# Env Init
|
||||
factory = Factory(path)
|
||||
@ -49,7 +49,7 @@ if __name__ == '__main__':
|
||||
action_spaces = factory.action_space
|
||||
while not done:
|
||||
a = [randint(0, x.n - 1) for x in action_spaces]
|
||||
obs_type, _, _, done, info = factory.step(a)
|
||||
obs_type, _, reward, done, info = factory.step(a)
|
||||
if render:
|
||||
factory.render()
|
||||
if done:
|
||||
@ -57,14 +57,11 @@ if __name__ == '__main__':
|
||||
break
|
||||
|
||||
if monitor:
|
||||
factory.save_run(run_path / 'test_monitor.pkl')
|
||||
factory.save_monitor(run_path / 'test_monitor.pkl')
|
||||
if record:
|
||||
factory.save_records(run_path / 'test.pb')
|
||||
if plotting:
|
||||
factory.report_possible_colum_keys()
|
||||
plot_single_run(run_path, column_keys=['Global_DoneAtDestinationReachAll', 'step_reward',
|
||||
'Agent[Karl-Heinz]_DoneAtDestinationReachAll',
|
||||
'Agent[Wolfgang]_DoneAtDestinationReachAll',
|
||||
'Global_DoneAtDestinationReachAll'])
|
||||
plot_single_run(run_path, column_keys=['step_reward'])
|
||||
|
||||
print('Done!!! Goodbye....')
|
||||
|
@ -71,8 +71,8 @@ if __name__ == '__main__':
|
||||
if done_bool:
|
||||
break
|
||||
print(f'Factory run {episode} done, steps taken {env.unwrapped.unwrapped._steps}, reward is:\n {rew}')
|
||||
env.save_run(out_path / 'reload_monitor.pick',
|
||||
auto_plotting_keys=['step_reward', 'cleanup_valid', 'cleanup_fail'])
|
||||
env.save_monitor(out_path / 'reload_monitor.pick',
|
||||
auto_plotting_keys=['step_reward', 'cleanup_valid', 'cleanup_fail'])
|
||||
if record:
|
||||
env.save_records(out_path / 'reload_recorder.pick', save_occupation_map=True)
|
||||
print('all done')
|
||||
|
Loading…
x
Reference in New Issue
Block a user