Source code for world_models.controller.rssm_policy
import torch
from torch.distributions import Normal
[docs]
class RSSMPolicy:
"""Model-predictive controller that plans actions with the RSSM latent model.
The policy uses a Cross-Entropy Method style loop: it samples candidate
action sequences, rolls them forward in latent space, scores predicted
returns, and refits a Gaussian proposal to top-performing candidates.
"""
def __init__(
self,
model,
planning_horizon,
num_candidates,
num_iterations,
top_candidates,
device,
):
super().__init__()
self.rssm = model
self.N = num_candidates
self.K = top_candidates
self.T = num_iterations
self.H = planning_horizon
self.d = self.rssm.action_size
self.device = device
self.state_size = self.rssm.state_size
self.latent_size = self.rssm.latent_size
[docs]
def reset(self):
self.h = torch.zeros(1, self.state_size).to(self.device)
self.s = torch.zeros(1, self.latent_size).to(self.device)
self.a = torch.zeros(1, self.d).to(self.device)
def _poll(self, obs):
self.mu = torch.zeros(self.H, self.d).to(self.device)
self.stddev = torch.ones(self.H, self.d).to(self.device)
# observation could be of shape [CHW] but only 1 timestep
assert len(obs.shape) == 3, "obs should be [CHW]"
self.h, self.s = self.rssm.get_init_state(
self.rssm.encoder(obs[None]), self.h, self.s, self.a
)
for _ in range(self.T):
rwds = torch.zeros(self.N).to(self.device)
actions = Normal(self.mu, self.stddev).sample((self.N,))
h_t = self.h.clone().expand(self.N, -1)
s_t = self.s.clone().expand(self.N, -1)
for a_t in torch.unbind(actions, dim=1):
h_t = self.rssm.deterministic_state_fwd(h_t, s_t, a_t)
s_t = self.rssm.state_prior(h_t, sample=True)
rwds += self.rssm.pred_reward(h_t, s_t).squeeze(-1)
_, k = torch.topk(rwds, self.K, dim=0, largest=True, sorted=False)
self.mu = actions[k].mean(dim=0)
self.stddev = actions[k].std(dim=0, unbiased=False)
self.a = self.mu[0:1]
[docs]
def poll(self, observation, explore=False):
with torch.no_grad():
self._poll(observation)
if explore:
self.a += torch.randn_like(self.a) * 0.3
return self.a