main.py 5.3 KB
Newer Older
L
leiyuning 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
# Copyright 2020 Huawei Technologies Co., Ltd
#
# 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.
# ============================================================================
"""
AlexNet example tutorial
Usage:
     python alexnet.py
with --device_target=GPU: After 20 epoch training, the accuracy is up to 80%
W
wukesong 已提交
20
with --device_target=Ascend: After 30 epoch training, the accuracy is up to 88%
L
leiyuning 已提交
21 22 23 24 25
"""

import argparse
from config import alexnet_cfg as cfg
from alexnet import AlexNet
W
wukesong 已提交
26
from generator_lr import get_lr
L
leiyuning 已提交
27 28
import mindspore.dataset as ds
import mindspore.nn as nn
W
wukesong 已提交
29
from mindspore import Tensor
L
leiyuning 已提交
30 31 32 33 34 35 36 37 38 39
from mindspore import context
from mindspore.train.serialization import load_checkpoint, load_param_into_net
from mindspore.train.callback import ModelCheckpoint, CheckpointConfig, LossMonitor
from mindspore.train import Model
import mindspore.dataset.transforms.c_transforms as C
import mindspore.dataset.transforms.vision.c_transforms as CV
from mindspore.nn.metrics import Accuracy
from mindspore.common import dtype as mstype


W
wukesong 已提交
40
def create_dataset(data_path, batch_size=32, repeat_size=1, mode="train"):
L
leiyuning 已提交
41 42 43 44 45 46 47 48 49 50
    """
    create dataset for train or test
    """
    cifar_ds = ds.Cifar10Dataset(data_path)
    rescale = 1.0 / 255.0
    shift = 0.0

    resize_op = CV.Resize((cfg.image_height, cfg.image_width))
    rescale_op = CV.Rescale(rescale, shift)
    normalize_op = CV.Normalize((0.4914, 0.4822, 0.4465), (0.2023, 0.1994, 0.2010))
W
wukesong 已提交
51 52 53
    if mode == "train":
        random_crop_op = CV.RandomCrop([32, 32], [4, 4, 4, 4])
        random_horizontal_op = CV.RandomHorizontalFlip()
L
leiyuning 已提交
54 55 56
    channel_swap_op = CV.HWC2CHW()
    typecast_op = C.TypeCast(mstype.int32)
    cifar_ds = cifar_ds.map(input_columns="label", operations=typecast_op)
W
wukesong 已提交
57 58 59
    if mode == "train":
        cifar_ds = cifar_ds.map(input_columns="image", operations=random_crop_op)
        cifar_ds = cifar_ds.map(input_columns="image", operations=random_horizontal_op)
L
leiyuning 已提交
60 61 62 63 64 65 66
    cifar_ds = cifar_ds.map(input_columns="image", operations=resize_op)
    cifar_ds = cifar_ds.map(input_columns="image", operations=rescale_op)
    cifar_ds = cifar_ds.map(input_columns="image", operations=normalize_op)
    cifar_ds = cifar_ds.map(input_columns="image", operations=channel_swap_op)

    cifar_ds = cifar_ds.shuffle(buffer_size=cfg.buffer_size)
    cifar_ds = cifar_ds.batch(batch_size, drop_remainder=True)
W
wukesong 已提交
67
    cifar_ds = cifar_ds.repeat(repeat_size)
L
leiyuning 已提交
68 69 70 71 72 73 74 75 76 77 78 79
    return cifar_ds


if __name__ == "__main__":
    parser = argparse.ArgumentParser(description='MindSpore AlexNet Example')
    parser.add_argument('--mode', type=str, default="train", choices=['train', 'test'],
                        help='implement phase, set to train or test')
    parser.add_argument('--device_target', type=str, default="Ascend", choices=['Ascend', 'GPU'],
                        help='device where the code will be implemented (default: Ascend)')
    parser.add_argument('--data_path', type=str, default="./", help='path where the dataset is saved')
    parser.add_argument('--ckpt_path', type=str, default="./ckpt", help='if mode is test, must provide\
                        path where the trained ckpt file')
W
wukesong 已提交
80
    parser.add_argument('--dataset_sink_mode', type=bool, default=True, help='dataset_sink_mode is False or True')
L
leiyuning 已提交
81 82
    args = parser.parse_args()

J
jinyaohui 已提交
83
    context.set_context(mode=context.GRAPH_MODE, device_target=args.device_target)
L
leiyuning 已提交
84 85

    network = AlexNet(cfg.num_classes)
W
wanyiming 已提交
86
    loss = nn.SoftmaxCrossEntropyWithLogits(sparse=True, reduction="mean")
P
panfengfeng 已提交
87
    repeat_size = 1
W
wukesong 已提交
88 89 90
    # when batch_size=32, steps is 1562
    lr = Tensor(get_lr(0, cfg.learning_rate, cfg.epoch_size, 1562))
    opt = nn.Momentum(network.trainable_params(), lr, cfg.momentum)
L
leiyuning 已提交
91 92 93 94 95 96
    model = Model(network, loss, opt, metrics={"Accuracy": Accuracy()})  # test

    if args.mode == 'train':
        print("============== Starting Training ==============")
        ds_train = create_dataset(args.data_path,
                                  cfg.batch_size,
W
wukesong 已提交
97 98
                                  repeat_size,
                                  args.mode)
L
leiyuning 已提交
99 100 101 102 103 104 105 106 107
        config_ck = CheckpointConfig(save_checkpoint_steps=cfg.save_checkpoint_steps,
                                     keep_checkpoint_max=cfg.keep_checkpoint_max)
        ckpoint_cb = ModelCheckpoint(prefix="checkpoint_alexnet",  directory=args.ckpt_path, config=config_ck)
        model.train(cfg.epoch_size, ds_train, callbacks=[ckpoint_cb, LossMonitor()],
                    dataset_sink_mode=args.dataset_sink_mode)
    elif args.mode == 'test':
        print("============== Starting Testing ==============")
        param_dict = load_checkpoint(args.ckpt_path)
        load_param_into_net(network, param_dict)
W
wukesong 已提交
108
        ds_eval = create_dataset(args.data_path, mode=args.mode)
L
leiyuning 已提交
109 110 111 112
        acc = model.eval(ds_eval, dataset_sink_mode=args.dataset_sink_mode)
        print("============== Accuracy:{} ==============".format(acc))
    else:
        raise RuntimeError('mode should be train or test, rather than {}'.format(args.mode))