Last active
June 14, 2020 19:38
-
-
Save davidrpugh/227184bd5f8f64b2947ccc4d2fb05ac4 to your computer and use it in GitHub Desktop.
Simple simulation of remote rendering in using a virtual display
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import typing | |
import gym | |
import matplotlib.pyplot as plt | |
import numpy as np | |
from IPython import display | |
# represent states as arrays and actions as ints | |
State = np.ndarray | |
Action = int | |
# agent is just a function! | |
Agent = typing.Callable[[State], Action] | |
def uniform_random_policy(state: State, | |
number_actions: int, | |
random_state: np.random.RandomState) -> Action: | |
"""Select an action at random from the set of feasible actions.""" | |
feasible_actions = np.arange(number_actions) | |
probs = np.ones(number_actions) / number_actions | |
action = random_state.choice(feasible_actions, p=probs) | |
return action | |
def make_random_agent(number_actions: int, | |
random_state: np.random.RandomState = None) -> Agent: | |
"""Factory for creating an Agent.""" | |
_random_state = np.random.RandomState() if random_state is None else random_state | |
return lambda state: uniform_random_policy(state, number_actions, _random_state) | |
def simulate(agent: Agent, env: gym.Env, ax: plt.Axes) -> None: | |
state = env.reset() | |
img = ax.imshow(env.render(mode='rgb_array')) | |
done = False | |
while not done: | |
action = agent(state) | |
img.set_data(env.render(mode='rgb_array')) | |
ax.axis('off') | |
display.display(plt.gcf()) | |
display.clear_output(wait=True) | |
state, reward, done, _ = env.step(action) | |
env.close() | |
# create the Gym environment | |
lunar_lander_v2 = gym.make('LunarLander-v2') | |
_ = lunar_lander_v2.seed(42) | |
# create an agent | |
random_agent = make_random_agent(lunar_lander_v2.action_space.n, random_state=None) | |
# simulate agent interacting with the environment | |
_, ax = plt.subplots(1, 1) | |
simulate(random_agent, lunar_lander_v2, ax) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment