serve.py 24.9 KB
Newer Older
G
guru4elephant 已提交
1
# Copyright (c) 2020 PaddlePaddle Authors. All Rights Reserved.
G
guru4elephant 已提交
2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
#
# 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.
"""
Usage:
    Host a trained paddle model with one line command
    Example:
G
guru4elephant 已提交
18
        python -m paddle_serving_server.serve --model ./serving_server_model --port 9292
G
guru4elephant 已提交
19
"""
G
guru4elephant 已提交
20
import argparse
Z
zhangjun 已提交
21
import os
H
HexToString 已提交
22 23 24 25
import json
import base64
import time
from multiprocessing import Process
W
wangjiawei04 已提交
26
import sys
T
TeslaZhao 已提交
27 28 29 30
if sys.version_info.major == 2:
    from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer
elif sys.version_info.major == 3:
    from http.server import BaseHTTPRequestHandler, HTTPServer
G
guru4elephant 已提交
31

H
HexToString 已提交
32 33
from contextlib import closing
import socket
34 35 36
from paddle_serving_server.env import CONF_HOME
import signal
from paddle_serving_server.util import *
F
felixhjh 已提交
37
from paddle_serving_server.env_check.run import check_env
F
felixhjh 已提交
38
import cmd
H
HexToString 已提交
39

40

41 42 43 44
def signal_handler(signal, frame):
    print('Process stopped')
    sys.exit(0)

45

46
signal.signal(signal.SIGINT, signal_handler)
H
HexToString 已提交
47

48

H
HexToString 已提交
49 50 51 52
# web_service.py is still used by Pipeline.
def port_is_available(port):
    with closing(socket.socket(socket.AF_INET, socket.SOCK_STREAM)) as sock:
        sock.settimeout(2)
H
HexToString 已提交
53
        result = sock.connect_ex(('127.0.0.1', port))
H
HexToString 已提交
54 55 56 57 58
    if result != 0:
        return True
    else:
        return False

Z
update  
zhangjun 已提交
59

H
HexToString 已提交
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
def format_gpu_to_strlist(unformatted_gpus):
    gpus_strlist = []
    if isinstance(unformatted_gpus, int):
        gpus_strlist = [str(unformatted_gpus)]
    elif isinstance(unformatted_gpus, list):
        if unformatted_gpus == [""]:
            gpus_strlist = ["-1"]
        elif len(unformatted_gpus) == 0:
            gpus_strlist = ["-1"]
        else:
            gpus_strlist = [str(x) for x in unformatted_gpus]
    elif isinstance(unformatted_gpus, str):
        if unformatted_gpus == "":
            gpus_strlist = ["-1"]
        else:
            gpus_strlist = [unformatted_gpus]
    elif unformatted_gpus == None:
        gpus_strlist = ["-1"]
    else:
        raise ValueError("error input of set_gpus")

    # check cuda visible
    if "CUDA_VISIBLE_DEVICES" in os.environ:
        env_gpus = os.environ["CUDA_VISIBLE_DEVICES"].split(",")
        for op_gpus_str in gpus_strlist:
            op_gpu_list = op_gpus_str.split(",")
            # op_gpu_list == ["-1"] means this op use CPU
            # so don`t check cudavisible.
            if op_gpu_list == ["-1"]:
                continue
            for ids in op_gpu_list:
                if ids not in env_gpus:
                    print("gpu_ids is not in CUDA_VISIBLE_DEVICES.")
                    exit(-1)

    # check gpuid is valid
    for op_gpus_str in gpus_strlist:
        op_gpu_list = op_gpus_str.split(",")
        use_gpu = False
        for ids in op_gpu_list:
            if int(ids) < -1:
                raise ValueError("The input of gpuid error.")
            if int(ids) >= 0:
                use_gpu = True
            if int(ids) == -1 and use_gpu:
                raise ValueError("You can not use CPU and GPU in one model.")

    return gpus_strlist


def is_gpu_mode(unformatted_gpus):
    gpus_strlist = format_gpu_to_strlist(unformatted_gpus)
    for op_gpus_str in gpus_strlist:
        op_gpu_list = op_gpus_str.split(",")
        for ids in op_gpu_list:
            if int(ids) >= 0:
                return True
    return False


Z
zhangjun 已提交
120
def serve_args():
G
guru4elephant 已提交
121
    parser = argparse.ArgumentParser("serve")
H
HexToString 已提交
122 123 124 125 126
    parser.add_argument(
        "server",
        type=str,
        default="start",
        nargs="?",
F
felixhjh 已提交
127
        help="stop or start PaddleServing, check running environemnt")
B
barrierye 已提交
128
    parser.add_argument(
H
HexToString 已提交
129 130 131 132 133
        "--thread",
        type=int,
        default=4,
        help="Concurrency of server,[4,1024]",
        choices=range(4, 1025))
B
barrierye 已提交
134
    parser.add_argument(
H
HexToString 已提交
135
        "--port", type=int, default=9393, help="Port of the starting gpu")
B
barrierye 已提交
136
    parser.add_argument(
H
HexToString 已提交
137
        "--device", type=str, default="cpu", help="Type of device")
138 139 140
    parser.add_argument(
        "--gpu_ids", type=str, default="", nargs="+", help="gpu ids")
    parser.add_argument(
H
HexToString 已提交
141 142 143 144 145
        "--runtime_thread_num",
        type=int,
        default=0,
        nargs="+",
        help="Number of each op")
146
    parser.add_argument(
H
HexToString 已提交
147
        "--batch_infer_size",
148 149 150 151
        type=int,
        default=32,
        nargs="+",
        help="Max batch of each op")
G
guru4elephant 已提交
152
    parser.add_argument(
153
        "--model", type=str, default="", nargs="+", help="Model for serving")
H
HexToString 已提交
154 155
    parser.add_argument(
        "--op", type=str, default="", nargs="+", help="Model for serving")
B
barrierye 已提交
156 157 158 159 160
    parser.add_argument(
        "--workdir",
        type=str,
        default="workdir",
        help="Working dir of current service")
Z
zhangjun 已提交
161 162
    parser.add_argument(
        "--use_mkl", default=False, action="store_true", help="Use MKL")
163 164 165 166 167 168 169 170 171 172
    parser.add_argument(
        "--precision",
        type=str,
        default="fp32",
        help="precision mode(fp32, int8, fp16, bf16)")
    parser.add_argument(
        "--use_calib",
        default=False,
        action="store_true",
        help="Use TensorRT Calibration")
M
MRXLT 已提交
173
    parser.add_argument(
M
MRXLT 已提交
174
        "--mem_optim_off",
M
MRXLT 已提交
175 176 177
        default=False,
        action="store_true",
        help="Memory optimize")
M
MRXLT 已提交
178
    parser.add_argument(
M
MRXLT 已提交
179
        "--ir_optim", default=False, action="store_true", help="Graph optimize")
M
MRXLT 已提交
180 181 182
    parser.add_argument(
        "--max_body_size",
        type=int,
M
bug fix  
MRXLT 已提交
183
        default=512 * 1024 * 1024,
M
MRXLT 已提交
184
        help="Limit sizes of messages")
H
HexToString 已提交
185 186 187 188 189
    parser.add_argument(
        "--use_encryption_model",
        default=False,
        action="store_true",
        help="Use encryption model")
F
felixhjh 已提交
190
    parser.add_argument(
191 192 193 194
        "--encryption_rpc_port",
        type=int,
        required=False,
        default=12000,
F
felixhjh 已提交
195
        help="Port of encryption model, only valid for arg.use_encryption_model")
Z
zhangjun 已提交
196 197 198 199 200 201
    parser.add_argument(
        "--use_trt", default=False, action="store_true", help="Use TensorRT")
    parser.add_argument(
        "--use_lite", default=False, action="store_true", help="Use PaddleLite")
    parser.add_argument(
        "--use_xpu", default=False, action="store_true", help="Use XPU")
202
    parser.add_argument(
203 204 205 206
        "--use_ascend_cl",
        default=False,
        action="store_true",
        help="Use Ascend CL")
T
TeslaZhao 已提交
207 208 209 210 211 212 213 214 215 216
    parser.add_argument(
        "--product_name",
        type=str,
        default=None,
        help="product_name for authentication")
    parser.add_argument(
        "--container_id",
        type=str,
        default=None,
        help="container_id for authentication")
217 218 219 220 221
    parser.add_argument(
        "--gpu_multi_stream",
        default=False,
        action="store_true",
        help="Use gpu_multi_stream")
S
ShiningZhang 已提交
222
    parser.add_argument(
223 224 225 226 227 228 229 230 231 232 233 234 235
        "--enable_prometheus",
        default=False,
        action="store_true",
        help="Use Prometheus")
    parser.add_argument(
        "--prometheus_port",
        type=int,
        default=19393,
        help="Port of the Prometheus")
    parser.add_argument(
        "--request_cache_size",
        type=int,
        default=0,
T
TeslaZhao 已提交
236
        help="Max request cache size")
237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266
    parser.add_argument(
        "--use_dist_model",
        default=False,
        action="store_true",
        help="Use distributed model")
    parser.add_argument(
        "--dist_carrier_id",
        type=str,
        default="",
        help="carrier id of distributed model")
    parser.add_argument(
        "--dist_cfg_file",
        type=str,
        default="",
        help="config file of distributed model")
    parser.add_argument(
        "--dist_endpoints",
        type=str,
        default="+",
        help="endpoints of distributed model. splited by comma")
    parser.add_argument(
        "--dist_nranks",
        type=int,
        default=0,
        help="nranks of distributed model")
    parser.add_argument(
        "--dist_subgraph_index",
        type=int,
        default=-1,
        help="index of distributed model")
S
ShiningZhang 已提交
267
    parser.add_argument(
268 269 270 271
        "--dist_worker_serving_endpoints",
        type=str,
        default=None,
        help="endpoints of worker serving endpoints")
S
ShiningZhang 已提交
272
    parser.add_argument(
273 274 275 276
        "--dist_master_serving",
        default=False,
        action="store_true",
        help="The master serving of distributed inference")
T
TeslaZhao 已提交
277 278 279 280 281 282
    parser.add_argument(
        "--min_subgraph_size",
        type=str,
        default="",
        nargs="+",
        help="min_subgraph_size")
T
TeslaZhao 已提交
283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303
    parser.add_argument(
        "--gpu_memory_mb",
        type=int,
        default=50,
        help="Initially allocate GPU storage size")
    parser.add_argument(
        "--cpu_math_thread_num",
        type=int,
        default=1,
        help="Initialize the number of CPU computing threads")
    parser.add_argument(
        "--trt_workspace_size",
        type=int,
        default=33554432,
        help="Initialize allocation 1 << 25 GPU storage size")
    parser.add_argument(
        "--trt_use_static",
        default=False,
        action="store_true",
        help="Initialize TRT with static data")

G
guru4elephant 已提交
304 305
    return parser.parse_args()

Z
update  
zhangjun 已提交
306

307
def start_gpu_card_model(gpu_mode, port, args):  # pylint: disable=doc-string-missing
H
HexToString 已提交
308

H
HexToString 已提交
309 310 311
    device = "cpu"
    if gpu_mode == True:
        device = "gpu"
312

H
HexToString 已提交
313 314 315 316 317
    import paddle_serving_server as serving
    op_maker = serving.OpMaker()
    op_seq_maker = serving.OpSeqMaker()
    server = serving.Server()

G
guru4elephant 已提交
318 319
    thread_num = args.thread
    model = args.model
M
MRXLT 已提交
320
    mem_optim = args.mem_optim_off is False
M
MRXLT 已提交
321
    ir_optim = args.ir_optim
M
MRXLT 已提交
322
    use_mkl = args.use_mkl
Z
zhangjun 已提交
323
    max_body_size = args.max_body_size
324
    workdir = "{}_{}".format(args.workdir, port)
H
HexToString 已提交
325
    dag_list_op = []
G
guru4elephant 已提交
326

327
    if model == "" and not args.dist_master_serving:
G
guru4elephant 已提交
328 329
        print("You must specify your serving model")
        exit(-1)
330 331 332 333 334
    for single_model_config in args.model:
        if os.path.isdir(single_model_config):
            pass
        elif os.path.isfile(single_model_config):
            raise ValueError("The input of --model should be a dir not file.")
H
HexToString 已提交
335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351

    # 如果通过--op GeneralDetectionOp GeneralRecOp
    # 将不存在的自定义OP加入到DAG图和模型的列表中
    # 并将传入顺序记录在dag_list_op中。
    if args.op != "":
        for single_op in args.op:
            temp_str_list = single_op.split(':')
            if len(temp_str_list) >= 1 and temp_str_list[0] != '':
                if temp_str_list[0] not in op_maker.op_list:
                    op_maker.op_list.append(temp_str_list[0])
                if len(temp_str_list) >= 2 and temp_str_list[1] == '0':
                    pass
                else:
                    server.default_engine_types.append(temp_str_list[0])

                dag_list_op.append(temp_str_list[0])

352 353 354 355 356 357 358
    # The workflows of master serving in distributed model is different from
    # worker servings. The workflow of worker servings is same to non-distributed
    # model, but workerflow of master serving needs to add IP address of other
    # worker serving in the machine.
    if not args.dist_master_serving:
        read_op = op_maker.create('GeneralReaderOp')
        op_seq_maker.add_op(read_op)
T
TeslaZhao 已提交
359
        is_ocr = False
360 361 362 363 364
        #如果dag_list_op不是空,那么证明通过--op 传入了自定义OP或自定义的DAG串联关系。
        #此时,根据--op 传入的顺序去组DAG串联关系
        if len(dag_list_op) > 0:
            for single_op in dag_list_op:
                op_seq_maker.add_op(op_maker.create(single_op))
T
TeslaZhao 已提交
365 366
                if single_op == "GeneralDetectionOp":
                    is_ocr = True
367 368 369
        #否则,仍然按照原有方式根虎--model去串联。
        else:
            for idx, single_model in enumerate(model):
H
HexToString 已提交
370
                infer_op_name = "GeneralInferOp"
371 372 373 374 375 376 377
                # 目前由于ocr的节点Det模型依赖于opencv的第三方库
                # 只有使用ocr的时候,才会加入opencv的第三方库并编译GeneralDetectionOp
                # 故此处做特殊处理,当不满足下述情况时,所添加的op默认为GeneralInferOp
                # 以后可能考虑不用python脚本来生成配置
                if len(model
                       ) == 2 and idx == 0 and single_model == "ocr_det_model":
                    infer_op_name = "GeneralDetectionOp"
T
TeslaZhao 已提交
378
                    is_ocr = True
379 380 381 382
                else:
                    infer_op_name = "GeneralInferOp"
                general_infer_op = op_maker.create(infer_op_name)
                op_seq_maker.add_op(general_infer_op)
H
HexToString 已提交
383

384 385
        general_response_op = op_maker.create('GeneralResponseOp')
        op_seq_maker.add_op(general_response_op)
386 387 388 389 390 391 392 393 394 395 396 397 398 399 400
    else:
        # for the master serving of distributed model only add one general_remote op.
        if args.dist_worker_serving_endpoints is None:
            raise ValueError(
                "Params Error!. dist_worker_serving_endpoints is empty when dist_master_serving is set"
            )
        worker_serving_endpoints = args.dist_worker_serving_endpoints.split(",")
        if len(worker_serving_endpoints) == 0:
            raise ValueError(
                "Params Error!. dist_worker_serving_endpoints is empty when dist_master_serving is set"
            )

        general_remote_op = op_maker.create(
            'GeneralRemoteOp', None, [], [], addresses=worker_serving_endpoints)
        op_seq_maker.add_op(general_remote_op, )
G
guru4elephant 已提交
401 402

    server.set_op_sequence(op_seq_maker.get_op_sequence())
G
guru4elephant 已提交
403
    server.set_num_threads(thread_num)
Z
zhangjun 已提交
404
    server.use_mkl(use_mkl)
405 406
    server.set_precision(args.precision)
    server.set_use_calib(args.use_calib)
M
MRXLT 已提交
407
    server.set_memory_optimize(mem_optim)
M
MRXLT 已提交
408
    server.set_ir_optimize(ir_optim)
M
MRXLT 已提交
409
    server.set_max_body_size(max_body_size)
S
ShiningZhang 已提交
410 411
    server.set_enable_prometheus(args.enable_prometheus)
    server.set_prometheus_port(args.prometheus_port)
S
ShiningZhang 已提交
412
    server.set_request_cache_size(args.request_cache_size)
413 414 415 416 417 418
    server.set_enable_dist_model(args.use_dist_model)
    server.set_dist_carrier_id(args.dist_carrier_id)
    server.set_dist_cfg_file(args.dist_cfg_file)
    server.set_dist_nranks(args.dist_nranks)
    server.set_dist_endpoints(args.dist_endpoints.split(","))
    server.set_dist_subgraph_index(args.dist_subgraph_index)
S
ShiningZhang 已提交
419
    server.set_min_subgraph_size(args.min_subgraph_size)
T
TeslaZhao 已提交
420 421
    server.set_gpu_memory_mb(args.gpu_memory_mb)
    server.set_cpu_math_thread_num(args.cpu_math_thread_num)
422 423

    if args.use_trt and device == "gpu":
Z
zhangjun 已提交
424
        server.set_trt()
425
        server.set_ir_optimize(True)
T
TeslaZhao 已提交
426 427
        server.set_trt_workspace_size(args.trt_workspace_size)
        server.set_trt_use_static(args.trt_use_static)
S
ShiningZhang 已提交
428 429 430
        if is_ocr:
            info = set_ocr_dynamic_shape_info()
            server.set_trt_dynamic_shape_info(info)
431 432 433 434

    if args.gpu_multi_stream and device == "gpu":
        server.set_gpu_multi_stream()

H
HexToString 已提交
435 436
    if args.runtime_thread_num:
        server.set_runtime_thread_num(args.runtime_thread_num)
437

H
HexToString 已提交
438 439
    if args.batch_infer_size:
        server.set_batch_infer_size(args.batch_infer_size)
Z
zhangjun 已提交
440 441 442 443 444 445 446

    if args.use_lite:
        server.set_lite()

    server.set_device(device)
    if args.use_xpu:
        server.set_xpu()
447 448
    if args.use_ascend_cl:
        server.set_ascend_cl()
Z
zhangjun 已提交
449

450 451 452 453
    if args.product_name != None:
        server.set_product_name(args.product_name)
    if args.container_id != None:
        server.set_container_id(args.container_id)
G
guru4elephant 已提交
454

455
    if gpu_mode == True or args.use_xpu or args.use_ascend_cl:
H
HexToString 已提交
456
        server.set_gpuid(args.gpu_ids)
G
guru4elephant 已提交
457
    server.load_model_config(model)
Z
zhangjun 已提交
458 459 460 461 462
    server.prepare_server(
        workdir=workdir,
        port=port,
        device=device,
        use_encryption_model=args.use_encryption_model)
G
guru4elephant 已提交
463 464
    server.run_server()

W
wangjiawei04 已提交
465

S
ShiningZhang 已提交
466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498
def set_ocr_dynamic_shape_info():
    info = []
    min_input_shape = {
        "x": [1, 3, 50, 50],
        "conv2d_182.tmp_0": [1, 1, 20, 20],
        "nearest_interp_v2_2.tmp_0": [1, 1, 20, 20],
        "nearest_interp_v2_3.tmp_0": [1, 1, 20, 20],
        "nearest_interp_v2_4.tmp_0": [1, 1, 20, 20],
        "nearest_interp_v2_5.tmp_0": [1, 1, 20, 20]
    }
    max_input_shape = {
        "x": [1, 3, 1536, 1536],
        "conv2d_182.tmp_0": [20, 200, 960, 960],
        "nearest_interp_v2_2.tmp_0": [20, 200, 960, 960],
        "nearest_interp_v2_3.tmp_0": [20, 200, 960, 960],
        "nearest_interp_v2_4.tmp_0": [20, 200, 960, 960],
        "nearest_interp_v2_5.tmp_0": [20, 200, 960, 960],
    }
    opt_input_shape = {
        "x": [1, 3, 960, 960],
        "conv2d_182.tmp_0": [3, 96, 240, 240],
        "nearest_interp_v2_2.tmp_0": [3, 96, 240, 240],
        "nearest_interp_v2_3.tmp_0": [3, 24, 240, 240],
        "nearest_interp_v2_4.tmp_0": [3, 24, 240, 240],
        "nearest_interp_v2_5.tmp_0": [3, 24, 240, 240],
    }
    det_info = {
        "min_input_shape": min_input_shape,
        "max_input_shape": max_input_shape,
        "opt_input_shape": opt_input_shape,
    }
    info.append(det_info)
    min_input_shape = {"x": [1, 3, 32, 10], "lstm_1.tmp_0": [1, 1, 128]}
T
TeslaZhao 已提交
499
    max_input_shape = {"x": [50, 3, 32, 1000], "lstm_1.tmp_0": [500, 50, 128]}
S
ShiningZhang 已提交
500 501 502 503 504 505 506 507
    opt_input_shape = {"x": [6, 3, 32, 100], "lstm_1.tmp_0": [25, 5, 128]}
    rec_info = {
        "min_input_shape": min_input_shape,
        "max_input_shape": max_input_shape,
        "opt_input_shape": opt_input_shape,
    }
    info.append(rec_info)
    return info
W
wangjiawei04 已提交
508

T
TeslaZhao 已提交
509

Z
zhangjun 已提交
510
def start_multi_card(args, serving_port=None):  # pylint: disable=doc-string-missing
H
HexToString 已提交
511

Z
zhangjun 已提交
512 513
    if serving_port == None:
        serving_port = args.port
514

Z
zhangjun 已提交
515
    if args.use_lite:
Z
update  
zhangjun 已提交
516
        print("run using paddle-lite.")
517
        start_gpu_card_model(False, serving_port, args)
Z
zhangjun 已提交
518
    else:
H
HexToString 已提交
519
        start_gpu_card_model(is_gpu_mode(args.gpu_ids), serving_port, args)
Z
zhangjun 已提交
520 521


H
HexToString 已提交
522
class MainService(BaseHTTPRequestHandler):
F
felixhjh 已提交
523 524
    #def __init__(self):
    #    print("MainService ___init________\n")
H
HexToString 已提交
525
    def get_available_port(self):
F
felixhjh 已提交
526 527
        global encryption_rpc_port
        default_port = encryption_rpc_port
H
HexToString 已提交
528 529 530 531 532
        for i in range(1000):
            if port_is_available(default_port + i):
                return default_port + i

    def start_serving(self):
Z
zhangjun 已提交
533
        start_multi_card(args, serving_port)
H
HexToString 已提交
534 535 536 537 538

    def get_key(self, post_data):
        if "key" not in post_data:
            return False
        else:
H
HexToString 已提交
539
            key = base64.b64decode(post_data["key"].encode())
H
HexToString 已提交
540 541
            for single_model_config in args.model:
                if os.path.isfile(single_model_config):
H
HexToString 已提交
542 543
                    raise ValueError(
                        "The input of --model should be a dir not file.")
H
HexToString 已提交
544 545
                with open(single_model_config + "/key", "wb") as f:
                    f.write(key)
H
HexToString 已提交
546 547 548 549 550 551
            return True

    def check_key(self, post_data):
        if "key" not in post_data:
            return False
        else:
H
HexToString 已提交
552
            key = base64.b64decode(post_data["key"].encode())
H
HexToString 已提交
553 554
            for single_model_config in args.model:
                if os.path.isfile(single_model_config):
H
HexToString 已提交
555 556
                    raise ValueError(
                        "The input of --model should be a dir not file.")
H
HexToString 已提交
557 558 559 560 561
                with open(single_model_config + "/key", "rb") as f:
                    cur_key = f.read()
                if key != cur_key:
                    return False
            return True
H
HexToString 已提交
562 563

    def start(self, post_data):
H
HexToString 已提交
564
        post_data = json.loads(post_data.decode('utf-8'))
H
HexToString 已提交
565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599
        global p_flag
        if not p_flag:
            if args.use_encryption_model:
                print("waiting key for model")
                if not self.get_key(post_data):
                    print("not found key in request")
                    return False
            global serving_port
            global p
            serving_port = self.get_available_port()
            p = Process(target=self.start_serving)
            p.start()
            time.sleep(3)
            if p.is_alive():
                p_flag = True
            else:
                return False
        else:
            if p.is_alive():
                if not self.check_key(post_data):
                    return False
            else:
                return False
        return True

    def do_POST(self):
        content_length = int(self.headers['Content-Length'])
        post_data = self.rfile.read(content_length)
        if self.start(post_data):
            response = {"endpoint_list": [serving_port]}
        else:
            response = {"message": "start serving failed"}
        self.send_response(200)
        self.send_header('Content-type', 'application/json')
        self.end_headers()
H
HexToString 已提交
600
        self.wfile.write(json.dumps(response).encode())
B
barrierye 已提交
601

W
wangjiawei04 已提交
602

H
HexToString 已提交
603
def stop_serving(command: str, port: int=None):
604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632
    '''
    Stop PaddleServing by port.

    Args:
        command(str): stop->SIGINT, kill->SIGKILL
        port(int): Default to None, kill all processes in ProcessInfo.json.
                   Not None, kill the specific process relating to port

    Returns:
         True if stop serving successfully.
         False if error occured

    Examples:
    ..  code-block:: python

        stop_serving("stop", 9494)
    '''
    filepath = os.path.join(CONF_HOME, "ProcessInfo.json")
    infoList = load_pid_file(filepath)
    if infoList is False:
        return False
    lastInfo = infoList[-1]
    for info in infoList:
        storedPort = info["port"]
        pid = info["pid"]
        model = info["model"]
        start_time = info["start_time"]
        if port is not None:
            if port in storedPort:
H
HexToString 已提交
633
                kill_stop_process_by_pid(command, pid)
634 635 636 637 638 639 640 641 642
                infoList.remove(info)
                if len(infoList):
                    with open(filepath, "w") as fp:
                        json.dump(infoList, fp)
                else:
                    os.remove(filepath)
                return True
            else:
                if lastInfo == info:
H
HexToString 已提交
643 644 645
                    raise ValueError(
                        "Please confirm the port [%s] you specified is correct."
                        % port)
646 647 648
                else:
                    pass
        else:
H
HexToString 已提交
649
            kill_stop_process_by_pid(command, pid)
650 651 652 653
            if lastInfo == info:
                os.remove(filepath)
    return True

654

F
felixhjh 已提交
655
class Check_Env_Shell(cmd.Cmd):
F
felixhjh 已提交
656
    intro = "Welcome to the check env shell.Type help to list commands.\n"
657

F
felixhjh 已提交
658
    # ----- basic  commands -----
F
felixhjh 已提交
659
    def do_help(self, arg):
F
felixhjh 已提交
660
        print("\nCommand list\t\tDescription\n"\
F
felixhjh 已提交
661 662 663 664 665 666 667 668
               "check_all\t\tCheck Environment of Paddle Inference, Pipeline Serving, C++ Serving. "\
               "If failed, using debug command to debug\n"\
               "check_pipeline\t\tCheck Environment of Pipeline Serving. "\
               "If failed, using debug command to debug\n"\
               "check_cpp\t\tCheck Environment of C++ Serving. "\
               "If failed, using debug command to debug\n"\
               "check_inference\t\tCheck Environment of Paddle Inference. "\
               "If failed, using debug command to debug\n"\
F
felixhjh 已提交
669 670
               "debug\t\t\tWhen checking was failed, open log to debug\n"\
               "exit\t\t\tExit Check Env Shell\n")
F
felixhjh 已提交
671

F
felixhjh 已提交
672
    def do_check_all(self, arg):
F
felixhjh 已提交
673
        "Check Environment of Paddle Inference, Pipeline Serving, C++ Serving"
674 675
        check_env("all")

F
felixhjh 已提交
676
    def do_check_pipeline(self, arg):
F
felixhjh 已提交
677
        "Check Environment of Pipeline Serving"
678 679
        check_env("pipeline")

F
felixhjh 已提交
680
    def do_check_cpp(self, arg):
F
felixhjh 已提交
681
        "Check Environment of C++ Serving"
682
        check_env("cpp")
F
felixhjh 已提交
683 684

    def do_check_inference(self, arg):
F
felixhjh 已提交
685
        "Check Environment of Paddle Inference"
686 687
        check_env("inference")

F
felixhjh 已提交
688
    def do_debug(self, arg):
F
felixhjh 已提交
689
        "Open pytest log to debug"
690
        check_env("debug")
F
felixhjh 已提交
691 692

    def do_exit(self, arg):
F
felixhjh 已提交
693
        "Exit Check Env Shell"
F
felixhjh 已提交
694 695 696
        print('Check Environment Shell Exit')
        os._exit(0)
        return True
H
HexToString 已提交
697

698

M
MRXLT 已提交
699
if __name__ == "__main__":
H
HexToString 已提交
700 701 702
    # args.device is not used at all.
    # just keep the interface.
    # so --device should not be recommended at the HomePage.
703
    args = serve_args()
704 705 706 707 708 709 710 711 712 713
    if args.server == "stop" or args.server == "kill":
        result = 0
        if "--port" in sys.argv:
            result = stop_serving(args.server, args.port)
        else:
            result = stop_serving(args.server)
        if result == 0:
            os._exit(0)
        else:
            os._exit(-1)
F
felixhjh 已提交
714
    elif args.server == "check":
715
        Check_Env_Shell().cmdloop()
H
HexToString 已提交
716 717 718 719 720 721
    for single_model_config in args.model:
        if os.path.isdir(single_model_config):
            pass
        elif os.path.isfile(single_model_config):
            raise ValueError("The input of --model should be a dir not file.")

722 723 724 725
    if port_is_available(args.port):
        portList = [args.port]
        dump_pid_file(portList, args.model)

H
HexToString 已提交
726 727 728 729
    if args.use_encryption_model:
        p_flag = False
        p = None
        serving_port = 0
F
felixhjh 已提交
730 731
        encryption_rpc_port = args.encryption_rpc_port
        server = HTTPServer(('localhost', int(args.port)), MainService)
H
HexToString 已提交
732 733 734 735
        print(
            'Starting encryption server, waiting for key from client, use <Ctrl-C> to stop'
        )
        server.serve_forever()
G
guru4elephant 已提交
736
    else:
H
HexToString 已提交
737
        start_multi_card(args)