Skip to content
体验新版
项目
组织
正在加载...
登录
切换导航
打开侧边栏
PaddlePaddle
PaddleHub
提交
0ae76282
P
PaddleHub
项目概览
PaddlePaddle
/
PaddleHub
大约 1 年 前同步成功
通知
281
Star
12117
Fork
2091
代码
文件
提交
分支
Tags
贡献者
分支图
Diff
Issue
200
列表
看板
标记
里程碑
合并请求
4
Wiki
0
Wiki
分析
仓库
DevOps
项目成员
Pages
P
PaddleHub
项目概览
项目概览
详情
发布
仓库
仓库
文件
提交
分支
标签
贡献者
分支图
比较
Issue
200
Issue
200
列表
看板
标记
里程碑
合并请求
4
合并请求
4
Pages
分析
分析
仓库分析
DevOps
Wiki
0
Wiki
成员
成员
收起侧边栏
关闭侧边栏
动态
分支图
创建新Issue
提交
Issue看板
体验新版 GitCode,发现更多精彩内容 >>
提交
0ae76282
编写于
3月 22, 2019
作者:
W
wuzewu
浏览文件
操作
浏览文件
下载
电子邮件补丁
差异文件
update image-classification demo
上级
033d848e
变更
24
隐藏空白更改
内联
并排
Showing
24 changed file
with
1267 addition
and
5278 deletion
+1267
-5278
demo/image-classification/create_module.py
demo/image-classification/create_module.py
+70
-0
demo/image-classification/create_module.sh
demo/image-classification/create_module.sh
+2
-6
demo/image-classification/finetune.sh
demo/image-classification/finetune.sh
+0
-44
demo/image-classification/infer.py
demo/image-classification/infer.py
+0
-40
demo/image-classification/infer.sh
demo/image-classification/infer.sh
+1
-0
demo/image-classification/nets/resnet.py
demo/image-classification/nets/resnet.py
+54
-14
demo/image-classification/nohup.out
demo/image-classification/nohup.out
+0
-4310
demo/image-classification/processor.py
demo/image-classification/processor.py
+126
-0
demo/image-classification/reader.py
demo/image-classification/reader.py
+0
-188
demo/image-classification/resources/download.sh
demo/image-classification/resources/download.sh
+1
-1
demo/image-classification/resources/label_list.txt
demo/image-classification/resources/label_list.txt
+1000
-0
demo/image-classification/resources/module_info.yml
demo/image-classification/resources/module_info.yml
+5
-0
demo/image-classification/resources/test/test.csv
demo/image-classification/resources/test/test.csv
+2
-0
demo/image-classification/resources/test/test.yml
demo/image-classification/resources/test/test.yml
+6
-0
demo/image-classification/resources/test/test_img_bird.jpg
demo/image-classification/resources/test/test_img_bird.jpg
+0
-0
demo/image-classification/resources/test/test_img_cat.jpg
demo/image-classification/resources/test/test_img_cat.jpg
+0
-0
demo/image-classification/resources/test/test_img_sheep.jpg
demo/image-classification/resources/test/test_img_sheep.jpg
+0
-0
demo/image-classification/retrain.py
demo/image-classification/retrain.py
+0
-128
demo/image-classification/test.py
demo/image-classification/test.py
+0
-57
demo/image-classification/train.py
demo/image-classification/train.py
+0
-321
demo/image-classification/train.sh
demo/image-classification/train.sh
+0
-33
demo/image-classification/utils/__init__.py
demo/image-classification/utils/__init__.py
+0
-2
demo/image-classification/utils/fp16_utils.py
demo/image-classification/utils/fp16_utils.py
+0
-83
demo/image-classification/utils/learning_rate.py
demo/image-classification/utils/learning_rate.py
+0
-51
未找到文件。
demo/image-classification/create_module.py
0 → 100644
浏览文件 @
0ae76282
from
__future__
import
absolute_import
from
__future__
import
division
from
__future__
import
print_function
import
os
import
functools
import
argparse
import
paddle
import
paddle.fluid
as
fluid
import
nets
import
paddle_hub
as
hub
import
processor
from
utility
import
add_arguments
,
print_arguments
parser
=
argparse
.
ArgumentParser
(
description
=
__doc__
)
add_arg
=
functools
.
partial
(
add_arguments
,
argparser
=
parser
)
# yapf: disable
add_arg
(
'model'
,
str
,
"ResNet50"
,
"Set the network to use."
)
add_arg
(
'pretrained_model'
,
str
,
None
,
"Whether to use pretrained model."
)
# yapf: enable
def
build_program
(
args
):
image_shape
=
[
3
,
224
,
224
]
model_name
=
args
.
model
model
=
nets
.
__dict__
[
model_name
]()
image
=
fluid
.
layers
.
data
(
name
=
"image"
,
shape
=
image_shape
,
dtype
=
"float32"
)
predition
,
feature_map
=
model
.
net
(
input
=
image
,
class_dim
=
1000
)
return
image
,
predition
,
feature_map
def
create_module
(
args
):
# parameters from arguments
model_name
=
args
.
model
pretrained_model
=
args
.
pretrained_model
image
,
predition
,
feature_map
=
build_program
(
args
)
place
=
fluid
.
CPUPlace
()
exe
=
fluid
.
Executor
(
place
)
exe
.
run
(
fluid
.
default_startup_program
())
# load pretrained model param
def
if_exist
(
var
):
return
os
.
path
.
exists
(
os
.
path
.
join
(
pretrained_model
,
var
.
name
))
fluid
.
io
.
load_vars
(
exe
,
pretrained_model
,
predicate
=
if_exist
)
# create paddle hub module
assets
=
[
"resources/label_list.txt"
]
sign1
=
hub
.
create_signature
(
"classification"
,
inputs
=
[
image
],
outputs
=
[
predition
])
sign2
=
hub
.
create_signature
(
"feature_map"
,
inputs
=
[
image
],
outputs
=
[
feature_map
])
hub
.
create_module
(
sign_arr
=
[
sign1
,
sign2
],
module_dir
=
"hub_module_"
+
args
.
model
,
module_info
=
"resources/module_info.yml"
,
processor
=
processor
.
Processor
,
assets
=
assets
)
def
main
():
args
=
parser
.
parse_args
()
assert
args
.
model
in
nets
.
__all__
,
"model is not in list %s"
%
nets
.
__all__
print_arguments
(
args
)
create_module
(
args
)
if
__name__
==
'__main__'
:
main
()
demo/image-classification/create_module.sh
浏览文件 @
0ae76282
...
...
@@ -6,13 +6,10 @@ script_path=$(cd `dirname $0`; pwd)
cd
$script_path
model_name
=
"ResNet50"
hub_module_save_dir
=
"./hub_module"
while
getopts
"m:
d:
"
options
while
getopts
"m:"
options
do
case
"
$options
"
in
d
)
hub_module_save_dir
=
$OPTARG
;;
m
)
model_name
=
$OPTARG
;;
?
)
...
...
@@ -21,5 +18,4 @@ do
esac
done
sh pretraind_models/download_model.sh
${
model_name
}
python train.py
--create_module
=
True
--pretrained_model
=
pretraind_models/
${
model_name
}
--model
${
model_name
}
--use_gpu
=
False
python create_module.py
--pretrained_model
=
resources/
${
model_name
}
_pretrained
--model
${
model_name
}
demo/image-classification/finetune.sh
已删除
100644 → 0
浏览文件 @
033d848e
#!/bin/bash
set
-o
nounset
set
-o
errexit
script_path
=
$(
cd
`
dirname
$0
`
;
pwd
)
cd
$script_path
hub_module_path
=
hub_module_ResNet50
data_dir
=
dataset
batch_size
=
32
use_gpu
=
False
num_epochs
=
20
class_dim
=
2
learning_rate
=
0.001
model_save_dir
=
model_save/
`
date
+%Y%m%d%H%M%S
`
while
getopts
"b:c:d:gh:l:n:"
options
do
case
"
$options
"
in
b
)
batch_size
=
$OPTARG
;;
c
)
class_dim
=
$OPTARG
;;
d
)
data_dir
=
$OPTARG
;;
g
)
use_gpu
=
True
;;
h
)
hub_module_path
=
$OPTARG
;;
l
)
learning_rate
=
$OPTARG
;;
n
)
num_epochs
=
$OPTARG
;;
s
)
model_save_dir
=
$OPTARG
;;
?
)
echo
"unknown options"
exit
1
;;
esac
done
mkdir
-p
${
model_save_dir
}
python retrain.py
--batch_size
=
${
batch_size
}
--class_dim
=
${
class_dim
}
--data_dir
=
${
data_dir
}
--use_gpu
=
${
use_gpu
}
--hub_module_path
${
hub_module_path
}
--lr
${
learning_rate
}
--num_epochs
=
${
num_epochs
}
--model_save_dir
=
${
model_save_dir
}
# nohup python retrain.py --batch_size=${batch_size} --class_dim=${class_dim} --data_dir=${data_dir} --use_gpu=${use_gpu} --hub_module_path ${hub_module_path} --lr ${learning_rate} --num_epochs=${num_epochs} --model_save_dir=${model_save_dir} > ${model_save_dir}/train.log 2>&1 &
demo/image-classification/infer.py
已删除
100644 → 0
浏览文件 @
033d848e
#-*- coding:utf8 -*-
import
paddle
import
paddle.fluid
as
fluid
import
paddle_hub
as
hub
import
paddle_hub.module
as
module
import
paddle_hub.logger
as
log
import
sys
import
numpy
as
np
import
reader
import
argparse
import
functools
from
visualdl
import
LogWriter
from
utility
import
add_arguments
,
print_arguments
reader
=
paddle
.
batch
(
reader
.
test
(
"dataset"
),
batch_size
=
1
)
def
infer
():
model
=
module
.
Module
(
module_dir
=
"hub_module_ResNet50"
)
feed_list
,
fetch_list
,
program
=
model
(
sign_name
=
"feature_map"
,
trainable
=
True
)
with
fluid
.
program_guard
(
main_program
=
program
):
img
=
feed_list
[
0
]
feature_map
=
fetch_list
[
0
]
fc
=
fluid
.
layers
.
fc
(
input
=
feature_map
,
size
=
2
,
act
=
"softmax"
)
place
=
fluid
.
CPUPlace
()
exe
=
fluid
.
Executor
(
place
)
feeder
=
fluid
.
DataFeeder
(
feed_list
=
[
img
],
place
=
place
)
exe
.
run
(
fluid
.
default_startup_program
())
for
batch
in
reader
():
print
(
batch
[
0
][
0
].
shape
)
eval_val
=
exe
.
run
(
fetch_list
=
[
fc
.
name
],
feed
=
feeder
.
feed
(
batch
))
log
.
logger
.
info
(
eval_val
)
input
()
infer
()
demo/image-classification/infer.sh
0 → 100644
浏览文件 @
0ae76282
python ../../paddle_hub/commands/hub.py run hub_module_ResNet50/
--signature
classification
--config
resources/test/test.yml
--dataset
resources/test/test.csv
demo/image-classification/nets/resnet.py
浏览文件 @
0ae76282
...
...
@@ -4,6 +4,7 @@ from __future__ import print_function
import
paddle
import
paddle.fluid
as
fluid
import
math
from
paddle.fluid.param_attr
import
ParamAttr
__all__
=
[
"ResNet"
,
"ResNet50"
,
"ResNet101"
,
"ResNet152"
]
...
...
@@ -40,7 +41,12 @@ class ResNet():
num_filters
=
[
64
,
128
,
256
,
512
]
conv
=
self
.
conv_bn_layer
(
input
=
input
,
num_filters
=
64
,
filter_size
=
7
,
stride
=
2
,
act
=
'relu'
)
input
=
input
,
num_filters
=
64
,
filter_size
=
7
,
stride
=
2
,
act
=
'relu'
,
name
=
"conv1"
)
conv
=
fluid
.
layers
.
pool2d
(
input
=
conv
,
pool_size
=
3
,
...
...
@@ -50,10 +56,18 @@ class ResNet():
for
block
in
range
(
len
(
depth
)):
for
i
in
range
(
depth
[
block
]):
if
layers
in
[
101
,
152
]
and
block
==
2
:
if
i
==
0
:
conv_name
=
"res"
+
str
(
block
+
2
)
+
"a"
else
:
conv_name
=
"res"
+
str
(
block
+
2
)
+
"b"
+
str
(
i
)
else
:
conv_name
=
"res"
+
str
(
block
+
2
)
+
chr
(
97
+
i
)
conv
=
self
.
bottleneck_block
(
input
=
conv
,
num_filters
=
num_filters
[
block
],
stride
=
2
if
i
==
0
and
block
!=
0
else
1
)
stride
=
2
if
i
==
0
and
block
!=
0
else
1
,
name
=
conv_name
)
pool
=
fluid
.
layers
.
pool2d
(
input
=
conv
,
pool_size
=
7
,
pool_type
=
'avg'
,
global_pooling
=
True
)
...
...
@@ -71,7 +85,8 @@ class ResNet():
filter_size
,
stride
=
1
,
groups
=
1
,
act
=
None
):
act
=
None
,
name
=
None
):
conv
=
fluid
.
layers
.
conv2d
(
input
=
input
,
num_filters
=
num_filters
,
...
...
@@ -80,31 +95,56 @@ class ResNet():
padding
=
(
filter_size
-
1
)
//
2
,
groups
=
groups
,
act
=
None
,
bias_attr
=
False
)
return
fluid
.
layers
.
batch_norm
(
input
=
conv
,
act
=
act
)
def
shortcut
(
self
,
input
,
ch_out
,
stride
):
param_attr
=
ParamAttr
(
name
=
name
+
"_weights"
),
bias_attr
=
False
,
name
=
name
+
'.conv2d.output.1'
)
if
name
==
"conv1"
:
bn_name
=
"bn_"
+
name
else
:
bn_name
=
"bn"
+
name
[
3
:]
return
fluid
.
layers
.
batch_norm
(
input
=
conv
,
act
=
act
,
name
=
bn_name
+
'.output.1'
,
param_attr
=
ParamAttr
(
name
=
bn_name
+
'_scale'
),
bias_attr
=
ParamAttr
(
bn_name
+
'_offset'
),
moving_mean_name
=
bn_name
+
'_mean'
,
moving_variance_name
=
bn_name
+
'_variance'
,
)
def
shortcut
(
self
,
input
,
ch_out
,
stride
,
name
):
ch_in
=
input
.
shape
[
1
]
if
ch_in
!=
ch_out
or
stride
!=
1
:
return
self
.
conv_bn_layer
(
input
,
ch_out
,
1
,
stride
)
return
self
.
conv_bn_layer
(
input
,
ch_out
,
1
,
stride
,
name
=
name
)
else
:
return
input
def
bottleneck_block
(
self
,
input
,
num_filters
,
stride
):
def
bottleneck_block
(
self
,
input
,
num_filters
,
stride
,
name
):
conv0
=
self
.
conv_bn_layer
(
input
=
input
,
num_filters
=
num_filters
,
filter_size
=
1
,
act
=
'relu'
)
input
=
input
,
num_filters
=
num_filters
,
filter_size
=
1
,
act
=
'relu'
,
name
=
name
+
"_branch2a"
)
conv1
=
self
.
conv_bn_layer
(
input
=
conv0
,
num_filters
=
num_filters
,
filter_size
=
3
,
stride
=
stride
,
act
=
'relu'
)
act
=
'relu'
,
name
=
name
+
"_branch2b"
)
conv2
=
self
.
conv_bn_layer
(
input
=
conv1
,
num_filters
=
num_filters
*
4
,
filter_size
=
1
,
act
=
None
)
input
=
conv1
,
num_filters
=
num_filters
*
4
,
filter_size
=
1
,
act
=
None
,
name
=
name
+
"_branch2c"
)
short
=
self
.
shortcut
(
input
,
num_filters
*
4
,
stride
)
short
=
self
.
shortcut
(
input
,
num_filters
*
4
,
stride
,
name
=
name
+
"_branch1"
)
return
fluid
.
layers
.
elementwise_add
(
x
=
short
,
y
=
conv2
,
act
=
'relu'
)
return
fluid
.
layers
.
elementwise_add
(
x
=
short
,
y
=
conv2
,
act
=
'relu'
,
name
=
name
+
".add.output.5"
)
def
ResNet50
():
...
...
demo/image-classification/nohup.out
已删除
100644 → 0
浏览文件 @
033d848e
因为 它太大了无法显示 source diff 。你可以改为
查看blob
。
demo/image-classification/processor.py
0 → 100644
浏览文件 @
0ae76282
import
paddle
import
paddle_hub
as
hub
import
numpy
as
np
import
os
from
paddle_hub
import
BaseProcessor
from
PIL
import
Image
DATA_DIM
=
224
img_mean
=
np
.
array
([
0.485
,
0.456
,
0.406
]).
reshape
((
3
,
1
,
1
))
img_std
=
np
.
array
([
0.229
,
0.224
,
0.225
]).
reshape
((
3
,
1
,
1
))
def
softmax
(
x
):
orig_shape
=
x
.
shape
if
len
(
x
.
shape
)
>
1
:
tmp
=
np
.
max
(
x
,
axis
=
1
)
x
-=
tmp
.
reshape
((
x
.
shape
[
0
],
1
))
x
=
np
.
exp
(
x
)
tmp
=
np
.
sum
(
x
,
axis
=
1
)
x
/=
tmp
.
reshape
((
x
.
shape
[
0
],
1
))
else
:
tmp
=
np
.
max
(
x
)
x
-=
tmp
x
=
np
.
exp
(
x
)
tmp
=
np
.
sum
(
x
)
x
/=
tmp
return
x
def
resize_short
(
img
,
target_size
):
percent
=
float
(
target_size
)
/
min
(
img
.
size
[
0
],
img
.
size
[
1
])
resized_width
=
int
(
round
(
img
.
size
[
0
]
*
percent
))
resized_height
=
int
(
round
(
img
.
size
[
1
]
*
percent
))
img
=
img
.
resize
((
resized_width
,
resized_height
),
Image
.
LANCZOS
)
return
img
def
crop_image
(
img
,
target_size
,
center
):
width
,
height
=
img
.
size
size
=
target_size
if
center
==
True
:
w_start
=
(
width
-
size
)
/
2
h_start
=
(
height
-
size
)
/
2
else
:
w_start
=
np
.
random
.
randint
(
0
,
width
-
size
+
1
)
h_start
=
np
.
random
.
randint
(
0
,
height
-
size
+
1
)
w_end
=
w_start
+
size
h_end
=
h_start
+
size
img
=
img
.
crop
((
w_start
,
h_start
,
w_end
,
h_end
))
return
img
def
process_image
(
img
):
img
=
resize_short
(
img
,
target_size
=
256
)
img
=
crop_image
(
img
,
target_size
=
DATA_DIM
,
center
=
True
)
if
img
.
mode
!=
'RGB'
:
img
=
img
.
convert
(
'RGB'
)
img
=
np
.
array
(
img
).
astype
(
'float32'
).
transpose
((
2
,
0
,
1
))
/
255
img
-=
img_mean
img
/=
img_std
return
img
class
Processor
(
BaseProcessor
):
def
__init__
(
self
,
module
):
self
.
module
=
module
label_list_file
=
os
.
path
.
join
(
self
.
module
.
helper
.
assets_path
(),
"label_list.txt"
)
with
open
(
label_list_file
,
"r"
)
as
file
:
content
=
file
.
read
()
self
.
label_list
=
content
.
split
(
"
\n
"
)
def
build_config
(
self
,
**
kwargs
):
self
.
top_only
=
kwargs
.
get
(
"top_only"
,
None
)
try
:
self
.
top_only
=
bool
(
self
.
top_only
)
except
:
self
.
top_only
=
False
def
preprocess
(
self
,
sign_name
,
data_dict
):
result
=
{
'image'
:
[]}
for
path
in
data_dict
[
'image'
]:
result_i
=
{}
result_i
[
'processed'
]
=
process_image
(
Image
.
open
(
path
))
result
[
'image'
].
append
(
result_i
)
return
result
def
postprocess
(
self
,
sign_name
,
data_out
,
data_info
,
**
kwargs
):
self
.
build_config
(
**
kwargs
)
if
sign_name
==
"classification"
:
results
=
np
.
array
(
data_out
[
0
])
output
=
[]
for
index
,
result
in
enumerate
(
results
):
result_i
=
softmax
(
result
)
if
self
.
top_only
:
index
=
np
.
argsort
(
result_i
)[::
-
1
][:
1
][
0
]
label
=
self
.
label_list
[
index
]
output
.
append
({
label
:
result_i
[
index
]})
else
:
output
.
append
({
self
.
label_list
[
index
]:
value
for
index
,
value
in
enumerate
(
result_i
)
})
return
[
output
]
elif
sign_name
==
"feature_map"
:
return
np
.
array
(
results
)
def
data_format
(
self
,
sign_name
):
if
sign_name
==
"classification"
:
return
{
"image"
:
{
'type'
:
hub
.
DataType
.
IMAGE
,
'feed_key'
:
self
.
module
.
signatures
[
sign_name
].
inputs
[
0
].
name
}
}
elif
sign_name
==
"feature_map"
:
return
{
"image"
:
{
'type'
:
hub
.
DataType
.
IMAGE
,
'feed_key'
:
self
.
module
.
signatures
[
sign_name
].
inputs
[
0
].
name
}
}
demo/image-classification/reader.py
已删除
100644 → 0
浏览文件 @
033d848e
import
os
import
math
import
random
import
functools
import
numpy
as
np
import
paddle
from
PIL
import
Image
,
ImageEnhance
random
.
seed
(
0
)
np
.
random
.
seed
(
0
)
DATA_DIM
=
224
THREAD
=
8
BUF_SIZE
=
102400
DATA_DIR
=
'dataset'
img_mean
=
np
.
array
([
0.485
,
0.456
,
0.406
]).
reshape
((
3
,
1
,
1
))
img_std
=
np
.
array
([
0.229
,
0.224
,
0.225
]).
reshape
((
3
,
1
,
1
))
def
resize_short
(
img
,
target_size
):
percent
=
float
(
target_size
)
/
min
(
img
.
size
[
0
],
img
.
size
[
1
])
resized_width
=
int
(
round
(
img
.
size
[
0
]
*
percent
))
resized_height
=
int
(
round
(
img
.
size
[
1
]
*
percent
))
img
=
img
.
resize
((
resized_width
,
resized_height
),
Image
.
LANCZOS
)
return
img
def
crop_image
(
img
,
target_size
,
center
):
width
,
height
=
img
.
size
size
=
target_size
if
center
==
True
:
w_start
=
(
width
-
size
)
/
2
h_start
=
(
height
-
size
)
/
2
else
:
w_start
=
np
.
random
.
randint
(
0
,
width
-
size
+
1
)
h_start
=
np
.
random
.
randint
(
0
,
height
-
size
+
1
)
w_end
=
w_start
+
size
h_end
=
h_start
+
size
img
=
img
.
crop
((
w_start
,
h_start
,
w_end
,
h_end
))
return
img
def
random_crop
(
img
,
size
,
scale
=
[
0.08
,
1.0
],
ratio
=
[
3.
/
4.
,
4.
/
3.
]):
aspect_ratio
=
math
.
sqrt
(
np
.
random
.
uniform
(
*
ratio
))
w
=
1.
*
aspect_ratio
h
=
1.
/
aspect_ratio
bound
=
min
((
float
(
img
.
size
[
0
])
/
img
.
size
[
1
])
/
(
w
**
2
),
(
float
(
img
.
size
[
1
])
/
img
.
size
[
0
])
/
(
h
**
2
))
scale_max
=
min
(
scale
[
1
],
bound
)
scale_min
=
min
(
scale
[
0
],
bound
)
target_area
=
img
.
size
[
0
]
*
img
.
size
[
1
]
*
np
.
random
.
uniform
(
scale_min
,
scale_max
)
target_size
=
math
.
sqrt
(
target_area
)
w
=
int
(
target_size
*
w
)
h
=
int
(
target_size
*
h
)
i
=
np
.
random
.
randint
(
0
,
img
.
size
[
0
]
-
w
+
1
)
j
=
np
.
random
.
randint
(
0
,
img
.
size
[
1
]
-
h
+
1
)
img
=
img
.
crop
((
i
,
j
,
i
+
w
,
j
+
h
))
img
=
img
.
resize
((
size
,
size
),
Image
.
LANCZOS
)
return
img
def
rotate_image
(
img
):
angle
=
np
.
random
.
randint
(
-
10
,
11
)
img
=
img
.
rotate
(
angle
)
return
img
def
distort_color
(
img
):
def
random_brightness
(
img
,
lower
=
0.5
,
upper
=
1.5
):
e
=
np
.
random
.
uniform
(
lower
,
upper
)
return
ImageEnhance
.
Brightness
(
img
).
enhance
(
e
)
def
random_contrast
(
img
,
lower
=
0.5
,
upper
=
1.5
):
e
=
np
.
random
.
uniform
(
lower
,
upper
)
return
ImageEnhance
.
Contrast
(
img
).
enhance
(
e
)
def
random_color
(
img
,
lower
=
0.5
,
upper
=
1.5
):
e
=
np
.
random
.
uniform
(
lower
,
upper
)
return
ImageEnhance
.
Color
(
img
).
enhance
(
e
)
ops
=
[
random_brightness
,
random_contrast
,
random_color
]
np
.
random
.
shuffle
(
ops
)
img
=
ops
[
0
](
img
)
img
=
ops
[
1
](
img
)
img
=
ops
[
2
](
img
)
return
img
def
process_image
(
sample
,
mode
,
color_jitter
,
rotate
):
img_path
=
sample
[
0
]
img
=
Image
.
open
(
img_path
)
if
mode
==
'train'
:
if
rotate
:
img
=
rotate_image
(
img
)
img
=
random_crop
(
img
,
DATA_DIM
)
else
:
img
=
resize_short
(
img
,
target_size
=
256
)
img
=
crop_image
(
img
,
target_size
=
DATA_DIM
,
center
=
True
)
if
mode
==
'train'
:
if
color_jitter
:
img
=
distort_color
(
img
)
if
np
.
random
.
randint
(
0
,
2
)
==
1
:
img
=
img
.
transpose
(
Image
.
FLIP_LEFT_RIGHT
)
if
img
.
mode
!=
'RGB'
:
img
=
img
.
convert
(
'RGB'
)
img
=
np
.
array
(
img
).
astype
(
'float32'
).
transpose
((
2
,
0
,
1
))
/
255
img
-=
img_mean
img
/=
img_std
if
mode
==
'train'
or
mode
==
'val'
:
return
img
,
sample
[
1
]
elif
mode
==
'test'
:
return
[
img
]
def
_reader_creator
(
file_list
,
mode
,
shuffle
=
False
,
color_jitter
=
False
,
rotate
=
False
,
data_dir
=
DATA_DIR
):
def
reader
():
with
open
(
file_list
)
as
flist
:
full_lines
=
[
line
.
strip
()
for
line
in
flist
]
if
shuffle
:
np
.
random
.
shuffle
(
full_lines
)
if
mode
==
'train'
and
os
.
getenv
(
'PADDLE_TRAINING_ROLE'
):
# distributed mode if the env var `PADDLE_TRAINING_ROLE` exits
trainer_id
=
int
(
os
.
getenv
(
"PADDLE_TRAINER_ID"
,
"0"
))
trainer_count
=
int
(
os
.
getenv
(
"PADDLE_TRAINERS"
,
"1"
))
per_node_lines
=
len
(
full_lines
)
//
trainer_count
lines
=
full_lines
[
trainer_id
*
per_node_lines
:
(
trainer_id
+
1
)
*
per_node_lines
]
print
(
"read images from %d, length: %d, lines length: %d, total: %d"
%
(
trainer_id
*
per_node_lines
,
per_node_lines
,
len
(
lines
),
len
(
full_lines
)))
else
:
lines
=
full_lines
for
line
in
lines
:
if
mode
==
'train'
or
mode
==
'val'
:
img_path
,
label
=
line
.
split
()
# img_path = img_path.replace("JPEG", "jpeg")
img_path
=
os
.
path
.
join
(
data_dir
,
img_path
)
yield
img_path
,
int
(
label
)
elif
mode
==
'test'
:
img_path
=
os
.
path
.
join
(
data_dir
,
line
)
yield
[
img_path
]
mapper
=
functools
.
partial
(
process_image
,
mode
=
mode
,
color_jitter
=
color_jitter
,
rotate
=
rotate
)
return
paddle
.
reader
.
xmap_readers
(
mapper
,
reader
,
THREAD
,
BUF_SIZE
)
def
train
(
data_dir
=
DATA_DIR
):
file_list
=
os
.
path
.
join
(
data_dir
,
'train_list.txt'
)
return
_reader_creator
(
file_list
,
'train'
,
shuffle
=
True
,
color_jitter
=
False
,
rotate
=
False
,
data_dir
=
data_dir
+
"/train"
)
def
val
(
data_dir
=
DATA_DIR
):
file_list
=
os
.
path
.
join
(
data_dir
,
'val_list.txt'
)
return
_reader_creator
(
file_list
,
'val'
,
shuffle
=
False
,
data_dir
=
data_dir
+
"/val"
)
def
test
(
data_dir
=
DATA_DIR
):
file_list
=
os
.
path
.
join
(
data_dir
,
'val_list.txt'
)
return
_reader_creator
(
file_list
,
'test'
,
shuffle
=
False
,
data_dir
=
data_dir
)
demo/image-classification/
pretraind_models/download_model
.sh
→
demo/image-classification/
resources/download
.sh
浏览文件 @
0ae76282
...
...
@@ -31,5 +31,5 @@ then
wget http://paddle-imagenet-models-name.bj.bcebos.com/
${
model
}
fi
unzip
${
model
}
#
rm ${model}
rm
${
model
}
rm
-rf
__MACOSX
demo/image-classification/resources/label_list.txt
0 → 100644
浏览文件 @
0ae76282
tench
goldfish
great white shark
tiger shark
hammerhead
electric ray
stingray
cock
hen
ostrich
brambling
goldfinch
house finch
junco
indigo bunting
robin
bulbul
jay
magpie
chickadee
water ouzel
kite
bald eagle
vulture
great grey owl
European fire salamander
common newt
eft
spotted salamander
axolotl
bullfrog
tree frog
tailed frog
loggerhead
leatherback turtle
mud turtle
terrapin
box turtle
banded gecko
common iguana
American chameleon
whiptail
agama
frilled lizard
alligator lizard
Gila monster
green lizard
African chameleon
Komodo dragon
African crocodile
American alligator
triceratops
thunder snake
ringneck snake
hognose snake
green snake
king snake
garter snake
water snake
vine snake
night snake
boa constrictor
rock python
Indian cobra
green mamba
sea snake
horned viper
diamondback
sidewinder
trilobite
harvestman
scorpion
black and gold garden spider
barn spider
garden spider
black widow
tarantula
wolf spider
tick
centipede
black grouse
ptarmigan
ruffed grouse
prairie chicken
peacock
quail
partridge
African grey
macaw
sulphur-crested cockatoo
lorikeet
coucal
bee eater
hornbill
hummingbird
jacamar
toucan
drake
red-breasted merganser
goose
black swan
tusker
echidna
platypus
wallaby
koala
wombat
jellyfish
sea anemone
brain coral
flatworm
nematode
conch
snail
slug
sea slug
chiton
chambered nautilus
Dungeness crab
rock crab
fiddler crab
king crab
American lobster
spiny lobster
crayfish
hermit crab
isopod
white stork
black stork
spoonbill
flamingo
little blue heron
American egret
bittern
crane
limpkin
European gallinule
American coot
bustard
ruddy turnstone
red-backed sandpiper
redshank
dowitcher
oystercatcher
pelican
king penguin
albatross
grey whale
killer whale
dugong
sea lion
Chihuahua
Japanese spaniel
Maltese dog
Pekinese
Shih-Tzu
Blenheim spaniel
papillon
toy terrier
Rhodesian ridgeback
Afghan hound
basset
beagle
bloodhound
bluetick
black-and-tan coonhound
Walker hound
English foxhound
redbone
borzoi
Irish wolfhound
Italian greyhound
whippet
Ibizan hound
Norwegian elkhound
otterhound
Saluki
Scottish deerhound
Weimaraner
Staffordshire bullterrier
American Staffordshire terrier
Bedlington terrier
Border terrier
Kerry blue terrier
Irish terrier
Norfolk terrier
Norwich terrier
Yorkshire terrier
wire-haired fox terrier
Lakeland terrier
Sealyham terrier
Airedale
cairn
Australian terrier
Dandie Dinmont
Boston bull
miniature schnauzer
giant schnauzer
standard schnauzer
Scotch terrier
Tibetan terrier
silky terrier
soft-coated wheaten terrier
West Highland white terrier
Lhasa
flat-coated retriever
curly-coated retriever
golden retriever
Labrador retriever
Chesapeake Bay retriever
German short-haired pointer
vizsla
English setter
Irish setter
Gordon setter
Brittany spaniel
clumber
English springer
Welsh springer spaniel
cocker spaniel
Sussex spaniel
Irish water spaniel
kuvasz
schipperke
groenendael
malinois
briard
kelpie
komondor
Old English sheepdog
Shetland sheepdog
collie
Border collie
Bouvier des Flandres
Rottweiler
German shepherd
Doberman
miniature pinscher
Greater Swiss Mountain dog
Bernese mountain dog
Appenzeller
EntleBucher
boxer
bull mastiff
Tibetan mastiff
French bulldog
Great Dane
Saint Bernard
Eskimo dog
malamute
Siberian husky
dalmatian
affenpinscher
basenji
pug
Leonberg
Newfoundland
Great Pyrenees
Samoyed
Pomeranian
chow
keeshond
Brabancon griffon
Pembroke
Cardigan
toy poodle
miniature poodle
standard poodle
Mexican hairless
timber wolf
white wolf
red wolf
coyote
dingo
dhole
African hunting dog
hyena
red fox
kit fox
Arctic fox
grey fox
tabby
tiger cat
Persian cat
Siamese cat
Egyptian cat
cougar
lynx
leopard
snow leopard
jaguar
lion
tiger
cheetah
brown bear
American black bear
ice bear
sloth bear
mongoose
meerkat
tiger beetle
ladybug
ground beetle
long-horned beetle
leaf beetle
dung beetle
rhinoceros beetle
weevil
fly
bee
ant
grasshopper
cricket
walking stick
cockroach
mantis
cicada
leafhopper
lacewing
dragonfly
damselfly
admiral
ringlet
monarch
cabbage butterfly
sulphur butterfly
lycaenid
starfish
sea urchin
sea cucumber
wood rabbit
hare
Angora
hamster
porcupine
fox squirrel
marmot
beaver
guinea pig
sorrel
zebra
hog
wild boar
warthog
hippopotamus
ox
water buffalo
bison
ram
bighorn
ibex
hartebeest
impala
gazelle
Arabian camel
llama
weasel
mink
polecat
black-footed ferret
otter
skunk
badger
armadillo
three-toed sloth
orangutan
gorilla
chimpanzee
gibbon
siamang
guenon
patas
baboon
macaque
langur
colobus
proboscis monkey
marmoset
capuchin
howler monkey
titi
spider monkey
squirrel monkey
Madagascar cat
indri
Indian elephant
African elephant
lesser panda
giant panda
barracouta
eel
coho
rock beauty
anemone fish
sturgeon
gar
lionfish
puffer
abacus
abaya
academic gown
accordion
acoustic guitar
aircraft carrier
airliner
airship
altar
ambulance
amphibian
analog clock
apiary
apron
ashcan
assault rifle
backpack
bakery
balance beam
balloon
ballpoint
Band Aid
banjo
bannister
barbell
barber chair
barbershop
barn
barometer
barrel
barrow
baseball
basketball
bassinet
bassoon
bathing cap
bath towel
bathtub
beach wagon
beacon
beaker
bearskin
beer bottle
beer glass
bell cote
bib
bicycle-built-for-two
bikini
binder
binoculars
birdhouse
boathouse
bobsled
bolo tie
bonnet
bookcase
bookshop
bottlecap
bow
bow tie
brass
brassiere
breakwater
breastplate
broom
bucket
buckle
bulletproof vest
bullet train
butcher shop
cab
caldron
candle
cannon
canoe
can opener
cardigan
car mirror
carousel
carpenters kit
carton
car wheel
cash machine
cassette
cassette player
castle
catamaran
CD player
cello
cellular telephone
chain
chainlink fence
chain mail
chain saw
chest
chiffonier
chime
china cabinet
Christmas stocking
church
cinema
cleaver
cliff dwelling
cloak
clog
cocktail shaker
coffee mug
coffeepot
coil
combination lock
computer keyboard
confectionery
container ship
convertible
corkscrew
cornet
cowboy boot
cowboy hat
cradle
crane
crash helmet
crate
crib
Crock Pot
croquet ball
crutch
cuirass
dam
desk
desktop computer
dial telephone
diaper
digital clock
digital watch
dining table
dishrag
dishwasher
disk brake
dock
dogsled
dome
doormat
drilling platform
drum
drumstick
dumbbell
Dutch oven
electric fan
electric guitar
electric locomotive
entertainment center
envelope
espresso maker
face powder
feather boa
file
fireboat
fire engine
fire screen
flagpole
flute
folding chair
football helmet
forklift
fountain
fountain pen
four-poster
freight car
French horn
frying pan
fur coat
garbage truck
gasmask
gas pump
goblet
go-kart
golf ball
golfcart
gondola
gong
gown
grand piano
greenhouse
grille
grocery store
guillotine
hair slide
hair spray
half track
hammer
hamper
hand blower
hand-held computer
handkerchief
hard disc
harmonica
harp
harvester
hatchet
holster
home theater
honeycomb
hook
hoopskirt
horizontal bar
horse cart
hourglass
iPod
iron
jack-o-lantern
jean
jeep
jersey
jigsaw puzzle
jinrikisha
joystick
kimono
knee pad
knot
lab coat
ladle
lampshade
laptop
lawn mower
lens cap
letter opener
library
lifeboat
lighter
limousine
liner
lipstick
Loafer
lotion
loudspeaker
loupe
lumbermill
magnetic compass
mailbag
mailbox
maillot
maillot
manhole cover
maraca
marimba
mask
matchstick
maypole
maze
measuring cup
medicine chest
megalith
microphone
microwave
military uniform
milk can
minibus
miniskirt
minivan
missile
mitten
mixing bowl
mobile home
Model T
modem
monastery
monitor
moped
mortar
mortarboard
mosque
mosquito net
motor scooter
mountain bike
mountain tent
mouse
mousetrap
moving van
muzzle
nail
neck brace
necklace
nipple
notebook
obelisk
oboe
ocarina
odometer
oil filter
organ
oscilloscope
overskirt
oxcart
oxygen mask
packet
paddle
paddlewheel
padlock
paintbrush
pajama
palace
panpipe
paper towel
parachute
parallel bars
park bench
parking meter
passenger car
patio
pay-phone
pedestal
pencil box
pencil sharpener
perfume
Petri dish
photocopier
pick
pickelhaube
picket fence
pickup
pier
piggy bank
pill bottle
pillow
ping-pong ball
pinwheel
pirate
pitcher
plane
planetarium
plastic bag
plate rack
plow
plunger
Polaroid camera
pole
police van
poncho
pool table
pop bottle
pot
potters wheel
power drill
prayer rug
printer
prison
projectile
projector
puck
punching bag
purse
quill
quilt
racer
racket
radiator
radio
radio telescope
rain barrel
recreational vehicle
reel
reflex camera
refrigerator
remote control
restaurant
revolver
rifle
rocking chair
rotisserie
rubber eraser
rugby ball
rule
running shoe
safe
safety pin
saltshaker
sandal
sarong
sax
scabbard
scale
school bus
schooner
scoreboard
screen
screw
screwdriver
seat belt
sewing machine
shield
shoe shop
shoji
shopping basket
shopping cart
shovel
shower cap
shower curtain
ski
ski mask
sleeping bag
slide rule
sliding door
slot
snorkel
snowmobile
snowplow
soap dispenser
soccer ball
sock
solar dish
sombrero
soup bowl
space bar
space heater
space shuttle
spatula
speedboat
spider web
spindle
sports car
spotlight
stage
steam locomotive
steel arch bridge
steel drum
stethoscope
stole
stone wall
stopwatch
stove
strainer
streetcar
stretcher
studio couch
stupa
submarine
suit
sundial
sunglass
sunglasses
sunscreen
suspension bridge
swab
sweatshirt
swimming trunks
swing
switch
syringe
table lamp
tank
tape player
teapot
teddy
television
tennis ball
thatch
theater curtain
thimble
thresher
throne
tile roof
toaster
tobacco shop
toilet seat
torch
totem pole
tow truck
toyshop
tractor
trailer truck
tray
trench coat
tricycle
trimaran
tripod
triumphal arch
trolleybus
trombone
tub
turnstile
typewriter keyboard
umbrella
unicycle
upright
vacuum
vase
vault
velvet
vending machine
vestment
viaduct
violin
volleyball
waffle iron
wall clock
wallet
wardrobe
warplane
washbasin
washer
water bottle
water jug
water tower
whiskey jug
whistle
wig
window screen
window shade
Windsor tie
wine bottle
wing
wok
wooden spoon
wool
worm fence
wreck
yawl
yurt
web site
comic book
crossword puzzle
street sign
traffic light
book jacket
menu
plate
guacamole
consomme
hot pot
trifle
ice cream
ice lolly
French loaf
bagel
pretzel
cheeseburger
hotdog
mashed potato
head cabbage
broccoli
cauliflower
zucchini
spaghetti squash
acorn squash
butternut squash
cucumber
artichoke
bell pepper
cardoon
mushroom
Granny Smith
strawberry
orange
lemon
fig
pineapple
banana
jackfruit
custard apple
pomegranate
hay
carbonara
chocolate sauce
dough
meat loaf
pizza
potpie
burrito
red wine
espresso
cup
eggnog
alp
bubble
cliff
coral reef
geyser
lakeside
promontory
sandbar
seashore
valley
volcano
ballplayer
groom
scuba diver
rapeseed
daisy
yellow ladys slipper
corn
acorn
hip
buckeye
coral fungus
agaric
gyromitra
stinkhorn
earthstar
hen-of-the-woods
bolete
ear
toilet tissue
demo/image-classification/resources/module_info.yml
0 → 100644
浏览文件 @
0ae76282
name
:
Resnet50
type
:
CV/classification
author
:
paddlepaddle
author-email
:
paddle-dev@baidu.com
version
:
1.0.0
demo/image-classification/resources/test/test.csv
0 → 100644
浏览文件 @
0ae76282
IMAGE_PATH
./resources/test/test_img_bird.jpg
demo/image-classification/resources/test/test.yml
0 → 100644
浏览文件 @
0ae76282
input_data
:
image
:
type
:
IMAGE
key
:
IMAGE_PATH
config
:
top_only
:
True
demo/image-classification/resources/test/test_img_bird.jpg
0 → 100644
浏览文件 @
0ae76282
13.1 KB
demo/image-classification/resources/test/test_img_cat.jpg
0 → 100644
浏览文件 @
0ae76282
421.9 KB
demo/image-classification/resources/test/test_img_sheep.jpg
0 → 100644
浏览文件 @
0ae76282
32.2 KB
demo/image-classification/retrain.py
已删除
100644 → 0
浏览文件 @
033d848e
#-*- coding:utf8 -*-
import
paddle
import
paddle.fluid
as
fluid
import
paddle_hub
as
hub
import
paddle_hub.module
as
module
import
sys
import
os
import
reader
import
argparse
import
functools
from
visualdl
import
LogWriter
from
utility
import
add_arguments
,
print_arguments
parser
=
argparse
.
ArgumentParser
(
description
=
__doc__
)
add_arg
=
functools
.
partial
(
add_arguments
,
argparser
=
parser
)
# yapf: disable
add_arg
(
'hub_module_path'
,
str
,
"hub_module_ResNet50"
,
"the hub module path"
)
add_arg
(
'batch_size'
,
int
,
32
,
"Minibatch size."
)
add_arg
(
'use_gpu'
,
bool
,
True
,
"Whether to use GPU or not."
)
add_arg
(
'num_epochs'
,
int
,
20
,
"number of epochs."
)
add_arg
(
'class_dim'
,
int
,
2
,
"Class number."
)
add_arg
(
'image_shape'
,
str
,
"3,224,224"
,
"input image size"
)
add_arg
(
'lr'
,
float
,
0.1
,
"set learning rate."
)
add_arg
(
'data_dir'
,
str
,
"./dataset"
,
"The ImageNet dataset root dir."
)
add_arg
(
'model_save_dir'
,
str
,
"./model_save"
,
"model save dir"
)
# yapf: enable
def
retrain
(
modelpath
):
module
=
hub
.
Module
(
module_dir
=
args
.
hub_module_path
)
feed_list
,
fetch_list
,
program
=
module
.
context
(
sign_name
=
"feature_map"
,
trainable
=
True
)
# get the dog cat dataset
train_reader
=
paddle
.
batch
(
reader
.
train
(
args
.
data_dir
),
batch_size
=
32
)
val_reader
=
paddle
.
batch
(
reader
.
val
(
args
.
data_dir
),
batch_size
=
32
)
logger
=
LogWriter
(
"vdl_log"
,
sync_cycle
=
5
)
with
logger
.
mode
(
"train"
)
as
logw
:
train_acc_scalar
=
logw
.
scalar
(
"acc"
)
train_cost_scalar
=
logw
.
scalar
(
"cost"
)
with
logger
.
mode
(
"val"
)
as
logw
:
val_acc_scalar
=
logw
.
scalar
(
"acc"
)
val_cost_scalar
=
logw
.
scalar
(
"cost"
)
with
fluid
.
program_guard
(
main_program
=
program
):
img
=
feed_list
[
0
]
label
=
fluid
.
layers
.
data
(
name
=
"label"
,
shape
=
[
1
],
dtype
=
"int64"
)
feature_map
=
fetch_list
[
0
]
fc
=
fluid
.
layers
.
fc
(
input
=
feature_map
,
size
=
2
,
act
=
"softmax"
)
cost
=
fluid
.
layers
.
cross_entropy
(
input
=
fc
,
label
=
label
)
avg_cost
=
fluid
.
layers
.
mean
(
cost
)
acc
=
fluid
.
layers
.
accuracy
(
input
=
fc
,
label
=
label
)
inference_program
=
fluid
.
default_main_program
().
clone
(
for_test
=
True
)
optimizer
=
fluid
.
optimizer
.
Adam
(
learning_rate
=
0.001
)
optimizer
.
minimize
(
avg_cost
)
# running on gpu
place
=
fluid
.
CUDAPlace
(
0
)
feeder
=
fluid
.
DataFeeder
(
feed_list
=
[
img
,
label
],
place
=
place
)
exe
=
fluid
.
Executor
(
place
)
train_exe
=
fluid
.
ParallelExecutor
(
use_cuda
=
True
,
loss_name
=
avg_cost
.
name
,
main_program
=
fluid
.
default_main_program
())
# init all param
exe
.
run
(
fluid
.
default_startup_program
())
step
=
0
sample_num
=
0
epochs
=
50
# start to train
for
i
in
range
(
epochs
):
train_size
=
0
train_acc
=
0
train_cost
=
0
for
batch
in
train_reader
():
cost
,
accuracy
=
train_exe
.
run
(
feed
=
feeder
.
feed
(
batch
),
fetch_list
=
[
avg_cost
.
name
,
acc
.
name
])
step
+=
1
#####################
train_size
+=
1
train_acc
+=
len
(
batch
)
*
accuracy
train_cost
+=
cost
#####################
print
(
"epoch %d and step %d: train cost is %.2f, train acc is %.2f%%"
%
(
i
,
step
,
cost
,
accuracy
*
100
))
train_acc
=
100
*
train_acc
/
(
train_size
*
32
)
print
(
"epoch %d: train acc is %.2f%%"
%
(
i
,
train_acc
))
#####################
train_acc_scalar
.
add_record
(
i
,
train_acc
)
train_cost_scalar
.
add_record
(
i
,
train_cost
/
train_size
)
#####################
val_size
=
0
val_acc
=
0
val_cost
=
0
with
fluid
.
program_guard
(
inference_program
):
for
iter
,
batch
in
enumerate
(
val_reader
()):
cost
,
accuracy
=
train_exe
.
run
(
feed
=
feeder
.
feed
(
batch
),
fetch_list
=
[
avg_cost
.
name
,
acc
.
name
])
val_size
+=
1
val_acc
+=
len
(
batch
)
*
accuracy
val_cost
+=
cost
print
(
"batch %d: val cost is %.2f, val acc is %.2f%%"
%
(
iter
,
cost
,
accuracy
*
100
))
val_acc
=
100
*
val_acc
/
(
val_size
*
32
)
print
(
"epoch %d: val acc is %.2f%%"
%
(
i
,
val_acc
))
val_acc_scalar
.
add_record
(
i
,
val_acc
)
val_cost_scalar
.
add_record
(
i
,
val_cost
/
val_size
)
fluid
.
io
.
save_inference_model
(
dirname
=
os
.
path
.
join
(
args
.
model_save_dir
,
"iter%d"
%
i
),
feeded_var_names
=
[
img
.
name
],
target_vars
=
[
fc
],
executor
=
exe
)
if
__name__
==
"__main__"
:
args
=
parser
.
parse_args
()
print_arguments
(
args
)
retrain
(
sys
.
argv
[
1
])
demo/image-classification/test.py
已删除
100644 → 0
浏览文件 @
033d848e
#-*- coding:utf8 -*-
import
paddle
import
paddle.fluid
as
fluid
import
paddle_hub.module
as
module
import
reader
import
sys
def
retrain
(
modelpath
):
model
=
module
.
Module
(
module_dir
=
modelpath
)
feed_list
,
fetch_list
,
program
=
model
(
sign_name
=
"feature_map"
,
trainable
=
True
)
# get the dog cat dataset
train_reader
=
paddle
.
batch
(
reader
.
train
(
"./dataset"
),
batch_size
=
32
)
val_reader
=
paddle
.
batch
(
reader
.
val
(
"./dataset"
),
batch_size
=
32
)
with
fluid
.
program_guard
(
main_program
=
program
):
img
=
feed_list
[
0
]
label
=
fluid
.
layers
.
data
(
name
=
"label"
,
shape
=
[
1
],
dtype
=
"int64"
)
feature_map
=
fetch_list
[
0
]
fc
=
fluid
.
layers
.
fc
(
input
=
feature_map
,
size
=
2
,
act
=
"softmax"
)
cost
=
fluid
.
layers
.
cross_entropy
(
input
=
fc
,
label
=
label
)
avg_cost
=
fluid
.
layers
.
mean
(
cost
)
acc
=
fluid
.
layers
.
accuracy
(
input
=
fc
,
label
=
label
)
inference_program
=
fluid
.
default_main_program
().
clone
(
for_test
=
True
)
optimizer
=
fluid
.
optimizer
.
Adam
(
learning_rate
=
0.001
)
optimizer
.
minimize
(
avg_cost
)
# running on gpu
place
=
fluid
.
CUDAPlace
(
0
)
feeder
=
fluid
.
DataFeeder
(
feed_list
=
[
img
,
label
],
place
=
place
)
exe
=
fluid
.
Executor
(
place
)
train_exe
=
fluid
.
ParallelExecutor
(
use_cuda
=
True
,
loss_name
=
avg_cost
.
name
,
main_program
=
fluid
.
default_main_program
())
# init all param
exe
.
run
(
fluid
.
default_startup_program
())
step
=
0
epochs
=
50
# start to train
for
i
in
range
(
epochs
):
for
batch
in
train_reader
():
cost
,
accuracy
=
train_exe
.
run
(
feed
=
feeder
.
feed
(
batch
),
fetch_list
=
[
avg_cost
.
name
,
acc
.
name
])
step
+=
1
print
(
"epoch %d and step %d: train cost is %.2f, train acc is %.2f%%"
%
(
i
,
step
,
cost
,
accuracy
*
100
))
if
__name__
==
"__main__"
:
retrain
(
sys
.
argv
[
1
])
demo/image-classification/train.py
已删除
100644 → 0
浏览文件 @
033d848e
from
__future__
import
absolute_import
from
__future__
import
division
from
__future__
import
print_function
import
os
import
numpy
as
np
import
time
import
sys
import
functools
import
math
import
paddle
import
paddle.fluid
as
fluid
import
paddle.dataset.flowers
as
flowers
import
reader
import
argparse
import
functools
import
subprocess
import
utils
import
nets
import
paddle_hub
as
hub
from
utils.learning_rate
import
cosine_decay
from
utils.fp16_utils
import
create_master_params_grads
,
master_param_to_train_param
from
utility
import
add_arguments
,
print_arguments
parser
=
argparse
.
ArgumentParser
(
description
=
__doc__
)
add_arg
=
functools
.
partial
(
add_arguments
,
argparser
=
parser
)
# yapf: disable
add_arg
(
'create_module'
,
bool
,
False
,
"create a hub module or not"
)
add_arg
(
'batch_size'
,
int
,
32
,
"Minibatch size."
)
add_arg
(
'use_gpu'
,
bool
,
True
,
"Whether to use GPU or not."
)
add_arg
(
'total_images'
,
int
,
12000
,
"Training image number."
)
add_arg
(
'num_epochs'
,
int
,
120
,
"number of epochs."
)
add_arg
(
'class_dim'
,
int
,
2
,
"Class number."
)
add_arg
(
'image_shape'
,
str
,
"3,224,224"
,
"input image size"
)
add_arg
(
'model_save_dir'
,
str
,
"output"
,
"model save directory"
)
add_arg
(
'pretrained_model'
,
str
,
None
,
"Whether to use pretrained model."
)
add_arg
(
'lr'
,
float
,
0.1
,
"set learning rate."
)
add_arg
(
'lr_strategy'
,
str
,
"piecewise_decay"
,
"Set the learning rate decay strategy."
)
add_arg
(
'model'
,
str
,
"ResNet50"
,
"Set the network to use."
)
add_arg
(
'data_dir'
,
str
,
"./dataset"
,
"The ImageNet dataset root dir."
)
add_arg
(
'fp16'
,
bool
,
False
,
"Enable half precision training with fp16."
)
add_arg
(
'scale_loss'
,
float
,
1.0
,
"Scale loss for fp16."
)
# yapf: enable
def
optimizer_setting
(
params
):
ls
=
params
[
"learning_strategy"
]
if
ls
[
"name"
]
==
"piecewise_decay"
:
if
"total_images"
not
in
params
:
total_images
=
12000
else
:
total_images
=
params
[
"total_images"
]
batch_size
=
ls
[
"batch_size"
]
step
=
int
(
total_images
/
batch_size
+
1
)
bd
=
[
step
*
e
for
e
in
ls
[
"epochs"
]]
base_lr
=
params
[
"lr"
]
lr
=
[]
lr
=
[
base_lr
*
(
0.1
**
i
)
for
i
in
range
(
len
(
bd
)
+
1
)]
optimizer
=
fluid
.
optimizer
.
Momentum
(
learning_rate
=
fluid
.
layers
.
piecewise_decay
(
boundaries
=
bd
,
values
=
lr
),
momentum
=
0.9
,
regularization
=
fluid
.
regularizer
.
L2Decay
(
1e-4
))
elif
ls
[
"name"
]
==
"cosine_decay"
:
if
"total_images"
not
in
params
:
total_images
=
12000
else
:
total_images
=
params
[
"total_images"
]
batch_size
=
ls
[
"batch_size"
]
step
=
int
(
total_images
/
batch_size
+
1
)
lr
=
params
[
"lr"
]
num_epochs
=
params
[
"num_epochs"
]
optimizer
=
fluid
.
optimizer
.
Momentum
(
learning_rate
=
cosine_decay
(
learning_rate
=
lr
,
step_each_epoch
=
step
,
epochs
=
num_epochs
),
momentum
=
0.9
,
regularization
=
fluid
.
regularizer
.
L2Decay
(
4e-5
))
elif
ls
[
"name"
]
==
"exponential_decay"
:
if
"total_images"
not
in
params
:
total_images
=
12000
else
:
total_images
=
params
[
"total_images"
]
batch_size
=
ls
[
"batch_size"
]
step
=
int
(
total_images
/
batch_size
+
1
)
lr
=
params
[
"lr"
]
num_epochs
=
params
[
"num_epochs"
]
learning_decay_rate_factor
=
ls
[
"learning_decay_rate_factor"
]
num_epochs_per_decay
=
ls
[
"num_epochs_per_decay"
]
NUM_GPUS
=
1
optimizer
=
fluid
.
optimizer
.
Momentum
(
learning_rate
=
fluid
.
layers
.
exponential_decay
(
learning_rate
=
lr
*
NUM_GPUS
,
decay_steps
=
step
*
num_epochs_per_decay
/
NUM_GPUS
,
decay_rate
=
learning_decay_rate_factor
),
momentum
=
0.9
,
regularization
=
fluid
.
regularizer
.
L2Decay
(
4e-5
))
else
:
lr
=
params
[
"lr"
]
optimizer
=
fluid
.
optimizer
.
Momentum
(
learning_rate
=
lr
,
momentum
=
0.9
,
regularization
=
fluid
.
regularizer
.
L2Decay
(
1e-4
))
return
optimizer
def
net_config
(
image
,
label
,
model
,
args
):
class_dim
=
args
.
class_dim
model_name
=
args
.
model
out
,
feature_map
=
model
.
net
(
input
=
image
,
class_dim
=
class_dim
)
cost
,
pred
=
fluid
.
layers
.
softmax_with_cross_entropy
(
out
,
label
,
return_softmax
=
True
)
if
args
.
scale_loss
>
1
:
avg_cost
=
fluid
.
layers
.
mean
(
x
=
cost
)
*
float
(
args
.
scale_loss
)
else
:
avg_cost
=
fluid
.
layers
.
mean
(
x
=
cost
)
acc_top1
=
fluid
.
layers
.
accuracy
(
input
=
pred
,
label
=
label
,
k
=
1
)
return
avg_cost
,
acc_top1
,
out
,
feature_map
def
build_program
(
is_train
,
main_prog
,
startup_prog
,
args
):
image_shape
=
[
int
(
m
)
for
m
in
args
.
image_shape
.
split
(
","
)]
model_name
=
args
.
model
model
=
nets
.
__dict__
[
model_name
]()
with
fluid
.
program_guard
(
main_prog
,
startup_prog
):
py_reader
=
fluid
.
layers
.
py_reader
(
capacity
=
16
,
shapes
=
[[
-
1
]
+
image_shape
,
[
-
1
,
1
]],
lod_levels
=
[
0
,
0
],
dtypes
=
[
"float32"
,
"int64"
],
use_double_buffer
=
True
)
with
fluid
.
unique_name
.
guard
():
image
,
label
=
fluid
.
layers
.
read_file
(
py_reader
)
if
args
.
fp16
:
image
=
fluid
.
layers
.
cast
(
image
,
"float16"
)
avg_cost
,
acc_top1
,
predition
,
feature_map
=
net_config
(
image
,
label
,
model
,
args
)
avg_cost
.
persistable
=
True
acc_top1
.
persistable
=
True
if
is_train
:
params
=
model
.
params
params
[
"total_images"
]
=
args
.
total_images
params
[
"lr"
]
=
args
.
lr
params
[
"num_epochs"
]
=
args
.
num_epochs
params
[
"learning_strategy"
][
"batch_size"
]
=
args
.
batch_size
params
[
"learning_strategy"
][
"name"
]
=
args
.
lr_strategy
optimizer
=
optimizer_setting
(
params
)
if
args
.
fp16
:
params_grads
=
optimizer
.
backward
(
avg_cost
)
master_params_grads
=
create_master_params_grads
(
params_grads
,
main_prog
,
startup_prog
,
args
.
scale_loss
)
optimizer
.
apply_gradients
(
master_params_grads
)
master_param_to_train_param
(
master_params_grads
,
params_grads
,
main_prog
)
else
:
optimizer
.
minimize
(
avg_cost
)
return
py_reader
,
avg_cost
,
acc_top1
,
image
,
predition
,
feature_map
def
train
(
args
):
# parameters from arguments
model_name
=
args
.
model
pretrained_model
=
args
.
pretrained_model
model_save_dir
=
args
.
model_save_dir
startup_prog
=
fluid
.
Program
()
train_prog
=
fluid
.
Program
()
test_prog
=
fluid
.
Program
()
train_py_reader
,
train_cost
,
train_acc
,
image
,
predition
,
feature_map
=
build_program
(
is_train
=
True
,
main_prog
=
train_prog
,
startup_prog
=
startup_prog
,
args
=
args
)
test_py_reader
,
test_cost
,
test_acc
,
image
,
predition
,
feature_map
=
build_program
(
is_train
=
False
,
main_prog
=
test_prog
,
startup_prog
=
startup_prog
,
args
=
args
)
test_prog
=
test_prog
.
clone
(
for_test
=
True
)
place
=
fluid
.
CUDAPlace
(
0
)
if
args
.
use_gpu
else
fluid
.
CPUPlace
()
exe
=
fluid
.
Executor
(
place
)
exe
.
run
(
startup_prog
)
if
pretrained_model
:
def
if_exist
(
var
):
return
os
.
path
.
exists
(
os
.
path
.
join
(
pretrained_model
,
var
.
name
))
fluid
.
io
.
load_vars
(
exe
,
pretrained_model
,
main_program
=
train_prog
,
predicate
=
if_exist
)
if
args
.
create_module
:
assert
pretrained_model
,
"need a pretrained module to create a hub module"
sign1
=
hub
.
create_signature
(
"classification"
,
inputs
=
[
image
],
outputs
=
[
predition
])
sign2
=
hub
.
create_signature
(
"feature_map"
,
inputs
=
[
image
],
outputs
=
[
feature_map
])
sign3
=
hub
.
create_signature
(
inputs
=
[
image
],
outputs
=
[
predition
])
hub
.
create_module
(
sign_arr
=
[
sign1
,
sign2
,
sign3
],
module_dir
=
"hub_module_"
+
args
.
model
)
exit
()
visible_device
=
os
.
getenv
(
'CUDA_VISIBLE_DEVICES'
)
if
visible_device
:
device_num
=
len
(
visible_device
.
split
(
','
))
else
:
device_num
=
subprocess
.
check_output
([
'nvidia-smi'
,
'-L'
]).
decode
().
count
(
'
\n
'
)
train_batch_size
=
args
.
batch_size
/
device_num
test_batch_size
=
16
train_reader
=
paddle
.
batch
(
reader
.
train
(),
batch_size
=
train_batch_size
,
drop_last
=
True
)
test_reader
=
paddle
.
batch
(
reader
.
val
(),
batch_size
=
test_batch_size
)
train_py_reader
.
decorate_paddle_reader
(
train_reader
)
test_py_reader
.
decorate_paddle_reader
(
test_reader
)
train_exe
=
fluid
.
ParallelExecutor
(
main_program
=
train_prog
,
use_cuda
=
bool
(
args
.
use_gpu
),
loss_name
=
train_cost
.
name
)
train_fetch_list
=
[
train_cost
.
name
,
train_acc
.
name
]
test_fetch_list
=
[
test_cost
.
name
,
test_acc
.
name
]
params
=
nets
.
__dict__
[
args
.
model
]().
params
for
pass_id
in
range
(
params
[
"num_epochs"
]):
train_py_reader
.
start
()
train_info
=
[[],
[],
[]]
test_info
=
[[],
[],
[]]
train_time
=
[]
batch_id
=
0
try
:
while
True
:
t1
=
time
.
time
()
loss
,
acc
=
train_exe
.
run
(
fetch_list
=
train_fetch_list
)
t2
=
time
.
time
()
period
=
t2
-
t1
loss
=
np
.
mean
(
np
.
array
(
loss
))
acc
=
np
.
mean
(
np
.
array
(
acc
))
train_info
[
0
].
append
(
loss
)
train_info
[
1
].
append
(
acc
)
train_time
.
append
(
period
)
if
batch_id
%
10
==
0
:
print
(
"Pass {0}, trainbatch {1}, loss {2},
\
acc {3}, time {4}"
.
format
(
pass_id
,
batch_id
,
loss
,
acc
,
"%2.2f sec"
%
period
))
sys
.
stdout
.
flush
()
batch_id
+=
1
except
fluid
.
core
.
EOFException
:
train_py_reader
.
reset
()
train_loss
=
np
.
array
(
train_info
[
0
]).
mean
()
train_acc
=
np
.
array
(
train_info
[
1
]).
mean
()
train_speed
=
np
.
array
(
train_time
).
mean
()
/
(
train_batch_size
*
device_num
)
test_py_reader
.
start
()
test_batch_id
=
0
try
:
while
True
:
t1
=
time
.
time
()
loss
,
acc
=
exe
.
run
(
program
=
test_prog
,
fetch_list
=
test_fetch_list
)
t2
=
time
.
time
()
period
=
t2
-
t1
loss
=
np
.
mean
(
loss
)
acc
=
np
.
mean
(
acc
)
test_info
[
0
].
append
(
loss
)
test_info
[
1
].
append
(
acc
)
if
test_batch_id
%
10
==
0
:
print
(
"Pass {0},testbatch {1},loss {2},
\
acc {3},time {4}"
.
format
(
pass_id
,
test_batch_id
,
loss
,
acc
,
"%2.2f sec"
%
period
))
sys
.
stdout
.
flush
()
test_batch_id
+=
1
except
fluid
.
core
.
EOFException
:
test_py_reader
.
reset
()
test_loss
=
np
.
array
(
test_info
[
0
]).
mean
()
test_acc
=
np
.
array
(
test_info
[
1
]).
mean
()
print
(
"End pass {0}, train_loss {1}, train_acc {2}, "
"test_loss {3}, test_acc {4}"
.
format
(
pass_id
,
train_loss
,
train_acc
,
test_loss
,
test_acc
))
sys
.
stdout
.
flush
()
model_path
=
os
.
path
.
join
(
model_save_dir
+
'/'
+
model_name
,
str
(
pass_id
))
if
not
os
.
path
.
isdir
(
model_path
):
os
.
makedirs
(
model_path
)
fluid
.
io
.
save_persistables
(
exe
,
model_path
,
main_program
=
train_prog
)
def
main
():
args
=
parser
.
parse_args
()
assert
args
.
model
in
nets
.
__all__
,
"model is not in list %s"
%
nets
.
__all__
print_arguments
(
args
)
train
(
args
)
if
__name__
==
'__main__'
:
main
()
demo/image-classification/train.sh
已删除
100644 → 0
浏览文件 @
033d848e
#!/bin/bash
set
-o
nounset
set
-o
errexit
script_path
=
$(
cd
`
dirname
$0
`
;
pwd
)
cd
$script_path
model_name
=
ResNet50
batch_size
=
32
data_dir
=
./dataset
class_dim
=
2
use_gpu
=
False
while
getopts
"m:b:c:d:g"
options
do
case
"
$options
"
in
b
)
batch_size
=
$OPTARG
;;
c
)
class_dim
=
$OPTARG
;;
d
)
data_dir
=
$OPTARG
;;
m
)
model_name
=
$OPTARG
;;
g
)
use_gpu
=
True
;;
?
)
echo
"unknown options"
exit
1
;;
esac
done
python train.py
--data_dir
=
${
data_dir
}
--batch_size
=
${
batch_size
}
--class_dim
=
${
class_dim
}
--image_shape
=
3,224,224
--model_save_dir
=
output/
--lr_strategy
=
piecewise_decay
--lr
=
0.1
--model
=
${
model_name
}
--use_gpu
=
${
use_gpu
}
demo/image-classification/utils/__init__.py
已删除
100644 → 0
浏览文件 @
033d848e
from
.learning_rate
import
cosine_decay
,
lr_warmup
from
.fp16_utils
import
create_master_params_grads
,
master_param_to_train_param
demo/image-classification/utils/fp16_utils.py
已删除
100644 → 0
浏览文件 @
033d848e
from
__future__
import
print_function
import
paddle
import
paddle.fluid
as
fluid
def
cast_fp16_to_fp32
(
i
,
o
,
prog
):
prog
.
global_block
().
append_op
(
type
=
"cast"
,
inputs
=
{
"X"
:
i
},
outputs
=
{
"Out"
:
o
},
attrs
=
{
"in_dtype"
:
fluid
.
core
.
VarDesc
.
VarType
.
FP16
,
"out_dtype"
:
fluid
.
core
.
VarDesc
.
VarType
.
FP32
})
def
cast_fp32_to_fp16
(
i
,
o
,
prog
):
prog
.
global_block
().
append_op
(
type
=
"cast"
,
inputs
=
{
"X"
:
i
},
outputs
=
{
"Out"
:
o
},
attrs
=
{
"in_dtype"
:
fluid
.
core
.
VarDesc
.
VarType
.
FP32
,
"out_dtype"
:
fluid
.
core
.
VarDesc
.
VarType
.
FP16
})
def
copy_to_master_param
(
p
,
block
):
v
=
block
.
vars
.
get
(
p
.
name
,
None
)
if
v
is
None
:
raise
ValueError
(
"no param name %s found!"
%
p
.
name
)
new_p
=
fluid
.
framework
.
Parameter
(
block
=
block
,
shape
=
v
.
shape
,
dtype
=
fluid
.
core
.
VarDesc
.
VarType
.
FP32
,
type
=
v
.
type
,
lod_level
=
v
.
lod_level
,
stop_gradient
=
p
.
stop_gradient
,
trainable
=
p
.
trainable
,
optimize_attr
=
p
.
optimize_attr
,
regularizer
=
p
.
regularizer
,
gradient_clip_attr
=
p
.
gradient_clip_attr
,
error_clip
=
p
.
error_clip
,
name
=
v
.
name
+
".master"
)
return
new_p
def
create_master_params_grads
(
params_grads
,
main_prog
,
startup_prog
,
scale_loss
):
master_params_grads
=
[]
tmp_role
=
main_prog
.
_current_role
OpRole
=
fluid
.
core
.
op_proto_and_checker_maker
.
OpRole
main_prog
.
_current_role
=
OpRole
.
Backward
for
p
,
g
in
params_grads
:
# create master parameters
master_param
=
copy_to_master_param
(
p
,
main_prog
.
global_block
())
startup_master_param
=
startup_prog
.
global_block
().
_clone_variable
(
master_param
)
startup_p
=
startup_prog
.
global_block
().
var
(
p
.
name
)
cast_fp16_to_fp32
(
startup_p
,
startup_master_param
,
startup_prog
)
# cast fp16 gradients to fp32 before apply gradients
if
g
.
name
.
startswith
(
"batch_norm"
):
if
scale_loss
>
1
:
scaled_g
=
g
/
float
(
scale_loss
)
else
:
scaled_g
=
g
master_params_grads
.
append
([
p
,
scaled_g
])
continue
master_grad
=
fluid
.
layers
.
cast
(
g
,
"float32"
)
if
scale_loss
>
1
:
master_grad
=
master_grad
/
float
(
scale_loss
)
master_params_grads
.
append
([
master_param
,
master_grad
])
main_prog
.
_current_role
=
tmp_role
return
master_params_grads
def
master_param_to_train_param
(
master_params_grads
,
params_grads
,
main_prog
):
for
idx
,
m_p_g
in
enumerate
(
master_params_grads
):
train_p
,
_
=
params_grads
[
idx
]
if
train_p
.
name
.
startswith
(
"batch_norm"
):
continue
with
main_prog
.
_optimized_guard
([
m_p_g
[
0
],
m_p_g
[
1
]]):
cast_fp32_to_fp16
(
m_p_g
[
0
],
train_p
,
main_prog
)
demo/image-classification/utils/learning_rate.py
已删除
100644 → 0
浏览文件 @
033d848e
from
__future__
import
absolute_import
from
__future__
import
division
from
__future__
import
print_function
import
paddle
import
paddle.fluid
as
fluid
import
paddle.fluid.layers.ops
as
ops
from
paddle.fluid.initializer
import
init_on_cpu
from
paddle.fluid.layers.learning_rate_scheduler
import
_decay_step_counter
import
math
def
cosine_decay
(
learning_rate
,
step_each_epoch
,
epochs
=
120
):
"""Applies cosine decay to the learning rate.
lr = 0.05 * (math.cos(epoch * (math.pi / 120)) + 1)
"""
global_step
=
_decay_step_counter
()
with
init_on_cpu
():
epoch
=
ops
.
floor
(
global_step
/
step_each_epoch
)
decayed_lr
=
learning_rate
*
\
(
ops
.
cos
(
epoch
*
(
math
.
pi
/
epochs
))
+
1
)
/
2
return
decayed_lr
def
lr_warmup
(
learning_rate
,
warmup_steps
,
start_lr
,
end_lr
):
""" Applies linear learning rate warmup for distributed training
Argument learning_rate can be float or a Variable
lr = lr + (warmup_rate * step / warmup_steps)
"""
assert
(
isinstance
(
end_lr
,
float
))
assert
(
isinstance
(
start_lr
,
float
))
linear_step
=
end_lr
-
start_lr
with
fluid
.
default_main_program
().
_lr_schedule_guard
():
lr
=
fluid
.
layers
.
tensor
.
create_global_var
(
shape
=
[
1
],
value
=
0.0
,
dtype
=
'float32'
,
persistable
=
True
,
name
=
"learning_rate_warmup"
)
global_step
=
fluid
.
layers
.
learning_rate_scheduler
.
_decay_step_counter
()
with
fluid
.
layers
.
control_flow
.
Switch
()
as
switch
:
with
switch
.
case
(
global_step
<
warmup_steps
):
decayed_lr
=
start_lr
+
linear_step
*
(
global_step
/
warmup_steps
)
fluid
.
layers
.
tensor
.
assign
(
decayed_lr
,
lr
)
with
switch
.
default
():
fluid
.
layers
.
tensor
.
assign
(
learning_rate
,
lr
)
return
lr
编辑
预览
Markdown
is supported
0%
请重试
或
添加新附件
.
添加附件
取消
You are about to add
0
people
to the discussion. Proceed with caution.
先完成此消息的编辑!
取消
想要评论请
注册
或
登录