-
Notifications
You must be signed in to change notification settings - Fork 143
/
DOWNPOUR.py
223 lines (178 loc) · 6.99 KB
/
DOWNPOUR.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
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
"""DOWNPOUR Easy
Performs asynchronous updates with update window.
Uses SGD on the local level for updates instead of Adagrad.
Author: Tommy Mulc
"""
from __future__ import print_function
import tensorflow as tf
import argparse
import time
import os
FLAGS = None
log_dir = '/logdir'
def main():
# Configure
config=tf.ConfigProto(log_device_placement=False)
# Server Setup
cluster_spec = {'ps':['localhost:2222'],
'worker':['localhost:2223','localhost:2224']}
n_pss = len(cluster_spec['ps']) #the number of parameter servers
n_workers = len(cluster_spec['worker']) #the number of worker nodes
cluster = tf.train.ClusterSpec(cluster_spec) #allows this node know about all other nodes
if FLAGS.job_name == 'ps': #checks if parameter server
server = tf.train.Server(cluster,
job_name="ps",
task_index=FLAGS.task_index,
config=config)
server.join()
else: #it must be a worker server
is_chief = (FLAGS.task_index == 0) #checks if this is the chief node
server = tf.train.Server(cluster,
job_name="worker",
task_index=FLAGS.task_index,
config=config)
# Graph
# Local operations
with tf.device("/job:worker/replica:0/task:%d" % FLAGS.task_index):
a = tf.Variable(tf.constant(0.,shape=[2]),dtype=tf.float32,
collections=[tf.GraphKeys.LOCAL_VARIABLES])
b = tf.Variable(tf.constant(0.,shape=[2]),dtype=tf.float32,
collections=[tf.GraphKeys.LOCAL_VARIABLES])
c=a+b
local_step = tf.Variable(0,dtype=tf.int32,trainable=False,name='local_step',
collections=['local_non_trainable'])
lr = .0001
loptimizer = tf.train.GradientDescentOptimizer(lr*FLAGS.task_index) #local optimizer
target = tf.constant(100.,shape=[2],dtype=tf.float32)
loss = tf.reduce_mean(tf.square(c-target))
# DOWNPOUR
update_window = 3 # T: communication window
grad_list = [] # array to store the gradients through the communication window
for t in range(update_window):
if t != 0:
with tf.control_dependencies([opt_local]): #compute gradients only if the local opt was run
grads, varss = zip(*loptimizer.compute_gradients(
loss,var_list=tf.local_variables()))
else:
grads, varss = zip(*loptimizer.compute_gradients(
loss,var_list=tf.local_variables()))
grad_list.append(grads) #add gradients to the list
opt_local = loptimizer.apply_gradients(zip(grads,varss),
global_step=local_step) #update local parameters
grads = tf.reduce_sum(grad_list,axis=0) #sum updates before applying globally
grads = tuple([grads[i]for i in range(len(varss))])
with tf.device(tf.train.replica_device_setter(ps_tasks=n_pss,
worker_device="/job:%s/task:%d" % (FLAGS.job_name,FLAGS.task_index))):
global_step = tf.Variable(0,dtype=tf.int32,trainable=False,name='global_step')
# all workers use the same learning rate and it is decided on by the task 0
# or maybe the from the graph of the chief worker
optimizer = tf.train.AdagradOptimizer(lr) #global optimizer
# create global variables and/or references
local_to_global, global_to_local = create_global_variables()
opt = optimizer.apply_gradients(
zip(grads,[local_to_global[v] for v in varss])
,global_step=global_step) #apply the gradients to variables on ps
# Pull params from global server
with tf.control_dependencies([opt]):
assign_locals = assign_global_to_local(global_to_local)
# Grab global state before training so all workers have same initialization
grab_global_init = assign_global_to_local(global_to_local)
# Assigns local values to global ones for chief to execute
assign_global = assign_local_to_global(local_to_global)
# Init ops
init = tf.global_variables_initializer() # for global variables
init_local = tf.variables_initializer(tf.local_variables() \
+tf.get_collection('local_non_trainable'))#for local variables
# Session
stop_hook = tf.train.StopAtStepHook(last_step=60)
hooks = [stop_hook]
scaff = tf.train.Scaffold(init_op=init,local_init_op=[init_local])
# Monitored Training Session
sess = tf.train.MonitoredTrainingSession(master=server.target,
is_chief=is_chief,
config=config,
scaffold=scaff,
hooks=hooks,
save_checkpoint_secs=1,
checkpoint_dir='logdir')
if is_chief:
sess.run(assign_global) #Assigns chief's initial values to ps
time.sleep(10) #grace period to wait on other workers before starting training
# Train until hook stops session
print('Starting training on worker %d'%FLAGS.task_index)
sess.run(grab_global_init)
while not sess.should_stop():
_,_,r,gs,ls = sess.run([opt,assign_locals,c,global_step,local_step])
print(r,"global step: "+str(gs),"worker: "+str(FLAGS.task_index),"local step: "+str(ls))
time.sleep(1) # so we can observe training
print('Done',FLAGS.task_index)
time.sleep(10) #grace period to wait before closing session
sess.close()
print('Session from worker %d closed cleanly'%FLAGS.task_index)
def assign_global_to_local(global_to_local):
"""Assigns global variable value to local variables.
global_to_local : dictionary with corresponding local variable for global key
"""
r = []
for v in global_to_local.keys():
r.append(tf.assign(global_to_local[v],v))
with tf.control_dependencies(r):
a = tf.no_op()
return a
def assign_local_to_global(local_to_global):
"""Assigns global variable value to local variables.
local_to_global : dictionary with corresponding global variable for local key
"""
r= []
for v in local_to_global.keys():
r.append(tf.assign(local_to_global[v],v))
with tf.control_dependencies(r):
a = tf.no_op()
return a
def get_variable_by_name(name):
"""Returns the variable of given name.
name : the name of the global variable
"""
return [v for v in tf.get_collection('variables') if v.name == name][0]
def get_global_variable_by_name(name):
"""Returns the global variable of given name
name : the name of the global variable
"""
# return [v for v in tf.variables() if v.name == name][0]
return [v for v in tf.global_variables() if v.name == name][0]
def create_global_variables():
"""Creates global variables for local variables on the graph.
Returns dictionarys for local-to-global and global-to-local
variable mappings.
"""
local_to_global = {}
global_to_local = {}
with tf.device('/job:ps/task:0'):
for v in tf.local_variables():
v_g = tf.get_variable('g/'+v.op.name,
shape = v.shape,
dtype = v.dtype,
trainable=True,
collections=[tf.GraphKeys.GLOBAL_VARIABLES,tf.GraphKeys.TRAINABLE_VARIABLES])
local_to_global[v] = v_g
global_to_local[v_g] = v
return local_to_global,global_to_local
if __name__ == '__main__':
parser = argparse.ArgumentParser()
# Flags for defining the tf.train.ClusterSpec
parser.add_argument(
"--job_name",
type=str,
default="",
help="One of 'ps', 'worker'"
)
# Flags for defining the tf.train.Server
parser.add_argument(
"--task_index",
type=int,
default=0,
help="Index of task within the job"
)
FLAGS, unparsed = parser.parse_known_args()
print(FLAGS.task_index)
main()