-
Notifications
You must be signed in to change notification settings - Fork 1
/
sarsa.py
67 lines (58 loc) · 2.42 KB
/
sarsa.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
import numpy as np
from map import Map
from agent import Agent
class SARSA(object):
def __init__(self):
self.map = Map()
self.agent = Agent()
self.max_episode = 100
self.steps = 300
self.gamma = 0.9
self.alpha = 0.8
self.q_table = np.random.uniform(low=-1,high=1,\
size=(self.map.size**2,self.agent.action_space))
def decide_action(self,next_state,episode,q_table):
first_probability = 0.75
epsilon = first_probability * (1/(episode+1))
if epsilon <= np.random.uniform(0,1):
next_action = np.argmax(q_table[next_state])
else:
prob = sum(q_table[next_state]+100)
w = (q_table[next_state]+100) / prob
next_action = np.random.choice(range(4) ,p=w)
return next_action
def update(self,q_table,state,action,reward,next_state,next_action):
q_table[state, action] = (1 - self.alpha) * q_table[state, action] \
+ self.alpha *(reward + self.gamma * q_table[next_state, next_action])
return q_table
def reward(self,done,state,next_state):
if done:
reward = 100
elif state == next_state:
reward = -10
else:
reward = -1
return reward
def run(self):
for episode in range(self.max_episode):
self.agent = Agent(self.map.init_pos)
state = self.agent.get_state()
action = np.argmax(self.q_table[state])
reward_of_episode = 0
for i in range(self.steps):
direction = self.map.chack_movable(self.agent.pos)
self.agent.action(action,direction)
done = self.agent.check_done()
next_state = self.agent.get_state()
reward = self.reward(done,state,next_state)
reward_of_episode += reward
next_action = self.decide_action(next_state,episode,self.q_table)
self.q_table = self.update(self.q_table,state,action,reward,next_state,next_action)
action = next_action
state = next_state
self.map.plot(self.agent.pos,self.q_table)
if done:
break
print("episode %5d, reward %6d, step %5d" %(episode+1,reward_of_episode,i+1))
if __name__ == "__main__":
SARSA().run()