Skip to content
GitLab
Menu
Projects
Groups
Snippets
Loading...
Help
Help
Support
Community forum
Keyboard shortcuts
?
Submit feedback
Contribute to GitLab
Sign in / Register
Toggle navigation
Menu
Open sidebar
ModelZoo
ResNet50_tensorflow
Commits
9db02678
Commit
9db02678
authored
Jun 20, 2021
by
Abdullah Rashwan
Committed by
A. Unique TensorFlower
Jun 20, 2021
Browse files
Internal change
PiperOrigin-RevId: 380470496
parent
13adfaf9
Changes
3
Show whitespace changes
Inline
Side-by-side
Showing
3 changed files
with
180 additions
and
2 deletions
+180
-2
official/core/actions.py
official/core/actions.py
+94
-0
official/core/actions_test.py
official/core/actions_test.py
+81
-0
official/core/train_lib.py
official/core/train_lib.py
+5
-2
No files found.
official/core/actions.py
0 → 100644
View file @
9db02678
# Copyright 2021 The TensorFlow Authors. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Provides TFM orbit actions and associated helper functions/classes."""
import
os
from
typing
import
List
import
gin
import
orbit
import
tensorflow
as
tf
from
official.core
import
base_trainer
from
official.core
import
config_definitions
from
official.modeling
import
optimization
class
EMACheckpointing
:
"""Eval action to save checkpoint with average weights when EMA is used.
This action swaps the weights of the model with the average weights, then it
saves the checkpoint under export_dir/ema_checkpoints. Checkpointing is
expensive for large models, so doing this action in eval is more efficient
than training.
"""
def
__init__
(
self
,
export_dir
:
str
,
optimizer
:
tf
.
keras
.
optimizers
.
Optimizer
,
checkpoint
:
tf
.
train
.
Checkpoint
,
max_to_keep
:
int
=
1
):
"""Initializes the instance.
Args:
export_dir: `str` for the export directory of the EMA average weights.
optimizer: `tf.keras.optimizers.Optimizer` optimizer instance used for
training. This will be used to swap the model weights with the average
weigths.
checkpoint: `tf.train.Checkpoint` instance.
max_to_keep: `int` for max checkpoints to keep in ema_checkpoints subdir.
"""
if
not
isinstance
(
optimizer
,
optimization
.
ExponentialMovingAverage
):
raise
ValueError
(
'Optimizer has to be instance of'
'optimization.ExponentialMovingAverage for'
'EMACheckpointing action'
)
export_dir
=
os
.
path
.
join
(
export_dir
,
'ema_checkpoints'
)
tf
.
io
.
gfile
.
makedirs
(
os
.
path
.
dirname
(
export_dir
))
self
.
_optimizer
=
optimizer
self
.
_checkpoint
=
checkpoint
self
.
_checkpoint_manager
=
tf
.
train
.
CheckpointManager
(
checkpoint
,
directory
=
export_dir
,
max_to_keep
=
max_to_keep
,
checkpoint_name
=
'average_weights'
)
def
__call__
(
self
,
output
:
orbit
.
runner
.
Output
):
"""Swaps model weights, and saves the checkpoint.
Args:
output: The train or eval output to test.
"""
self
.
_optimizer
.
swap_weights
()
self
.
_checkpoint_manager
.
save
(
checkpoint_number
=
self
.
_optimizer
.
iterations
)
self
.
_optimizer
.
swap_weights
()
@
gin
.
configurable
def
get_eval_actions
(
params
:
config_definitions
.
ExperimentConfig
,
trainer
:
base_trainer
.
Trainer
,
model_dir
:
str
)
->
List
[
orbit
.
Action
]:
"""Gets eval actions for TFM trainer."""
eval_actions
=
[]
# Adds ema checkpointing action to save the average weights under
# ema_checkpoints subdir.
if
isinstance
(
trainer
.
optimizer
,
optimization
.
ExponentialMovingAverage
):
eval_actions
.
append
(
EMACheckpointing
(
export_dir
=
model_dir
,
optimizer
=
trainer
.
optimizer
,
checkpoint
=
trainer
.
checkpoint
,
max_to_keep
=
params
.
trainer
.
max_to_keep
))
return
eval_actions
official/core/actions_test.py
0 → 100644
View file @
9db02678
# Copyright 2021 The TensorFlow Authors. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Tests for TFM actions."""
import
os
from
absl.testing
import
parameterized
import
tensorflow
as
tf
from
tensorflow.python.distribute
import
combinations
from
tensorflow.python.distribute
import
strategy_combinations
from
official.core
import
actions
from
official.modeling
import
optimization
class
TestModel
(
tf
.
Module
):
def
__init__
(
self
):
self
.
value
=
tf
.
Variable
(
0
)
@
tf
.
function
(
input_signature
=
[])
def
__call__
(
self
):
return
self
.
value
def
all_strategy_combinations
():
return
combinations
.
combine
(
distribution
=
[
strategy_combinations
.
cloud_tpu_strategy
,
strategy_combinations
.
one_device_strategy_gpu
,
],)
class
ActionsTest
(
tf
.
test
.
TestCase
,
parameterized
.
TestCase
):
@
combinations
.
generate
(
all_strategy_combinations
())
def
test_ema_checkpointing
(
self
,
distribution
):
with
distribution
.
scope
():
directory
=
self
.
create_tempdir
()
model
=
TestModel
()
optimizer
=
tf
.
keras
.
optimizers
.
SGD
()
optimizer
=
optimization
.
ExponentialMovingAverage
(
optimizer
,
trainable_weights_only
=
False
)
# Creats average weights for the model variables. Average weights are
# initialized to zero.
optimizer
.
shadow_copy
(
model
)
checkpoint
=
tf
.
train
.
Checkpoint
(
model
=
model
)
# Changes model.value to 3, average value is still 0.
model
.
value
.
assign
(
3
)
# Checks model.value is 3
self
.
assertEqual
(
model
(),
3
)
ema_action
=
actions
.
EMACheckpointing
(
directory
,
optimizer
,
checkpoint
)
ema_action
({})
self
.
assertNotEmpty
(
tf
.
io
.
gfile
.
glob
(
os
.
path
.
join
(
directory
,
'ema_checkpoints'
)))
checkpoint
.
read
(
tf
.
train
.
latest_checkpoint
(
os
.
path
.
join
(
directory
,
'ema_checkpoints'
)))
# Checks model.value is 0 after swapping.
self
.
assertEqual
(
model
(),
0
)
if
__name__
==
'__main__'
:
tf
.
test
.
main
()
official/core/train_lib.py
View file @
9db02678
...
...
@@ -15,13 +15,15 @@
"""TFM common training driver library."""
# pytype: disable=attribute-error
import
os
from
typing
import
Any
,
Mapping
,
Tuple
,
Optional
from
typing
import
Any
,
Mapping
,
Optional
,
Tuple
# Import libraries
from
absl
import
logging
import
orbit
import
tensorflow
as
tf
from
official.core
import
actions
from
official.core
import
base_task
from
official.core
import
base_trainer
from
official.core
import
config_definitions
...
...
@@ -97,7 +99,8 @@ def run_experiment(
params
.
trainer
.
validation_summary_subdir
)
if
(
save_summary
)
else
None
,
summary_interval
=
params
.
trainer
.
summary_interval
if
(
save_summary
)
else
None
)
(
save_summary
)
else
None
,
eval_actions
=
actions
.
get_eval_actions
(
params
,
trainer
,
model_dir
))
logging
.
info
(
'Starts to execute mode: %s'
,
mode
)
with
distribution_strategy
.
scope
():
...
...
Write
Preview
Markdown
is supported
0%
Try again
or
attach a new file
.
Attach a file
Cancel
You are about to add
0
people
to the discussion. Proceed with caution.
Finish editing this message first!
Cancel
Please
register
or
sign in
to comment