-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathddpg_agent.py
191 lines (153 loc) · 7.69 KB
/
ddpg_agent.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
import numpy as np
import random
from collections import namedtuple, deque
import torch
import torch.nn as nn
import torch.nn.functional as F
import torch.optim as optim
from model import DDPGNet
from OUNoise import OUNoise
BUFFER_SIZE = int(1e5) # replay buffer size
BATCH_SIZE = 128 # minibatch size
GAMMA = 0.99 # discount factor
TAU = 5e-2 # for soft update of target parameters
LR = 5e-4 # learning rate
UPDATE_EVERY = 4 # how often to update the network
device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu")
## Ornstein–Uhlenbeck process
eps_start = 6 # Noise level start
eps_end = 0 # Noise level end
eps_decay = 250 # episodes to decay over
class DDPGAgent:
"""
main DDPG model with
Replay buffer
soft update
actor and critic steps for both the agents
"""
def __init__(self, in_actor, hidden_in_actor, hidden_out_actor, out_actor, in_critic, \
hidden_in_critic, hidden_out_critic, seed = 0, lr_actor=1.0e-3, lr_critic=1.0e-3):
self.actor = DDPGNet(in_actor, hidden_in_actor, hidden_out_actor, out_actor, actor = True).to(device)
self.target_actor = DDPGNet(in_actor, hidden_in_actor, hidden_out_actor, out_actor, actor = True).to(device)
self.critic = DDPGNet(in_critic, hidden_in_actor, hidden_out_actor, 1, actor = False).to(device)
self.target_critic = DDPGNet(in_critic, hidden_in_actor, hidden_out_actor, 1, actor = False).to(device)
self.actor_optimizer = optim.Adam(self.actor.parameters(), lr=lr_actor)
self.critic_optimizer = optim.Adam(self.critic.parameters(), lr=lr_critic)
self.memory = ReplayBuffer(out_actor, BUFFER_SIZE, BATCH_SIZE, seed)
self.noise = OUNoise(out_actor, scale=1.0 )
self.action_size = out_actor
self.eps = eps_start
self.t_step = 0
self.soft_update(self.actor, self.target_actor, 1.)
self.soft_update(self.critic, self.target_critic, 1.)
def step(self, state, action, reward, next_state, done, agent_id):
# Save experience in replay memory
self.memory.add(state, action, reward, next_state, done)
# Learn every UPDATE_EVERY time steps.
self.t_step = (self.t_step + 1) % UPDATE_EVERY
if self.t_step == 0:
# If enough samples are available in memory, get random subset and learn
if len(self.memory) > BATCH_SIZE:
experiences = self.memory.sample()
self.learn(experiences, GAMMA, agent_id)
def act(self, state, eps = 0.0):
state = torch.from_numpy(state).float().unsqueeze(0).to(device)
self.actor.eval()
with torch.no_grad():
action_values = self.actor(state)
self.actor.train()
action_vals_npy = action_values.cpu().data.numpy()
action_vals_npy += self.eps*self.noise.noise()
# Epsilon-greedy action selection
if random.random() > eps:
return np.clip(action_vals_npy, -1, 1)#action_values.cpu().data.numpy()
else:
return np.array([random.uniform(-1,1) for _ in range(self.action_size)]) #random.choice(np.arange(self.action_size))
def learn(self, experiences, GAMMA, agent_id):
"""
main learning loop
"""
# 1) get sample from the replay buffer
states, actions, rewards, next_states, dones = experiences
# 2) Compute target and expected Q values
mask_done = (1-dones).view(-1,1)
actions_next = self.target_actor(next_states)
if agent_id == 0:
actions_next = torch.cat((actions_next, actions[:,2:].float()), dim=1)
else:
actions_next = torch.cat((actions[:,:2].float(), actions_next), dim=1)
state_action_next = torch.cat((next_states, actions_next.float()),1)
q_vals_next = self.target_critic(state_action_next)
q_vals_next = rewards + GAMMA * mask_done * q_vals_next
q_vals_next = q_vals_next.detach()
# 3) critic loss function
state_action_vec = torch.cat((states, actions.float()),1)
q_vals = self.critic(state_action_vec)
critic_loss = F.mse_loss(q_vals, q_vals_next)
# 4) Gradient descent on target and Q
# backward pass is descent by default
self.critic_optimizer.zero_grad()
critic_loss.backward()
self.critic_optimizer.step()
# 5) Gradient ascent on the policy
q_actions = self.actor(states)
if agent_id == 0:
q_actions = torch.cat((q_actions, actions[:,2:].float()), dim=1)
else:
q_actions = torch.cat((actions[:,:2].float(), q_actions), dim=1)
sa_actor_vec = torch.cat((states, q_actions),1)
actor_loss = -self.critic(sa_actor_vec).mean()
# 6) optimize actor
self.actor_optimizer.zero_grad()
actor_loss.backward()
self.actor_optimizer.step()
# 7) update both the networks
self.soft_update(self.actor, self.target_actor, TAU)
self.soft_update(self.critic, self.target_critic, TAU)
# 8) Update noise value
self.eps = self.eps - (1/eps_decay)
if self.eps < eps_end:
self.eps=eps_end
def soft_update(self, local_model, target_model, tau):
"""Soft update model parameters.
θ_target = τ*θ_local + (1 - τ)*θ_target
Params
======
local_model (PyTorch model): weights will be copied from
target_model (PyTorch model): weights will be copied to
tau (float): interpolation parameter
"""
for target_param, local_param in zip(target_model.parameters(), local_model.parameters()):
target_param.data.copy_(tau*local_param.data + (1.0-tau)*target_param.data)
class ReplayBuffer:
"""Fixed-size buffer to store experience tuples."""
def __init__(self, action_size, buffer_size, batch_size, seed):
"""Initialize a ReplayBuffer object.
Params
======
action_size (int): dimension of each action
buffer_size (int): maximum size of buffer
batch_size (int): size of each training batch
seed (int): random seed
"""
self.action_size = action_size
self.memory = deque(maxlen=buffer_size)
self.batch_size = batch_size
self.experience = namedtuple("Experience", field_names=["state", "action", "reward", "next_state", "done"])
self.seed = random.seed(seed)
def add(self, state, action, reward, next_state, done):
"""Add a new experience to memory."""
e = self.experience(state, action, reward, next_state, done)
self.memory.append(e)
def sample(self):
"""Randomly sample a batch of experiences from memory."""
experiences = random.sample(self.memory, k=self.batch_size)
states = torch.from_numpy(np.vstack([e.state for e in experiences if e is not None])).float().to(device)
actions = torch.from_numpy(np.vstack([e.action for e in experiences if e is not None])).long().to(device)
rewards = torch.from_numpy(np.vstack([e.reward for e in experiences if e is not None])).float().to(device)
next_states = torch.from_numpy(np.vstack([e.next_state for e in experiences if e is not None])).float().to(device)
dones = torch.from_numpy(np.vstack([e.done for e in experiences if e is not None]).astype(np.uint8)).float().to(device)
return (states, actions, rewards, next_states, dones)
def __len__(self):
"""Return the current size of internal memory."""
return len(self.memory)