serve.py 13.4 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
M
MRXLT 已提交
26
from flask import Flask, request
W
wangjiawei04 已提交
27
import sys
T
TeslaZhao 已提交
28 29 30 31
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 已提交
32

Z
update  
zhangjun 已提交
33

Z
zhangjun 已提交
34
def serve_args():
G
guru4elephant 已提交
35
    parser = argparse.ArgumentParser("serve")
B
barrierye 已提交
36
    parser.add_argument(
Z
zhangjun 已提交
37
        "--thread", type=int, default=2, help="Concurrency of server")
B
barrierye 已提交
38
    parser.add_argument(
Z
zhangjun 已提交
39
        "--port", type=int, default=9292, help="Port of the starting gpu")
B
barrierye 已提交
40
    parser.add_argument(
Z
zhangjun 已提交
41
        "--device", type=str, default="gpu", help="Type of device")
42 43 44 45 46 47 48 49 50 51
    parser.add_argument(
        "--gpu_ids", type=str, default="", nargs="+", help="gpu ids")
    parser.add_argument(
        "--op_num", type=int, default=0, nargs="+", help="Number of each op")
    parser.add_argument(
        "--op_max_batch",
        type=int,
        default=32,
        nargs="+",
        help="Max batch of each op")
G
guru4elephant 已提交
52
    parser.add_argument(
53
        "--model", type=str, default="", nargs="+", help="Model for serving")
B
barrierye 已提交
54 55 56 57 58 59
    parser.add_argument(
        "--workdir",
        type=str,
        default="workdir",
        help="Working dir of current service")
    parser.add_argument(
Z
zhangjun 已提交
60 61 62
        "--name", type=str, default="None", help="Default service name")
    parser.add_argument(
        "--use_mkl", default=False, action="store_true", help="Use MKL")
63 64 65 66 67 68 69 70 71 72
    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 已提交
73
    parser.add_argument(
M
MRXLT 已提交
74
        "--mem_optim_off",
M
MRXLT 已提交
75 76 77
        default=False,
        action="store_true",
        help="Memory optimize")
M
MRXLT 已提交
78
    parser.add_argument(
M
MRXLT 已提交
79
        "--ir_optim", default=False, action="store_true", help="Graph optimize")
M
MRXLT 已提交
80 81 82
    parser.add_argument(
        "--max_body_size",
        type=int,
M
bug fix  
MRXLT 已提交
83
        default=512 * 1024 * 1024,
M
MRXLT 已提交
84
        help="Limit sizes of messages")
H
HexToString 已提交
85 86 87 88 89
    parser.add_argument(
        "--use_encryption_model",
        default=False,
        action="store_true",
        help="Use encryption model")
B
barrierye 已提交
90 91 92 93 94
    parser.add_argument(
        "--use_multilang",
        default=False,
        action="store_true",
        help="Use Multi-language-service")
Z
zhangjun 已提交
95 96 97 98 99 100
    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")
T
TeslaZhao 已提交
101 102 103 104 105 106 107 108 109 110
    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")
111 112 113 114 115
    parser.add_argument(
        "--gpu_multi_stream",
        default=False,
        action="store_true",
        help="Use gpu_multi_stream")
G
guru4elephant 已提交
116 117
    return parser.parse_args()

Z
update  
zhangjun 已提交
118

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

Z
zhangjun 已提交
121
    device = "gpu"
122
    if gpu_mode == False:
Z
zhangjun 已提交
123
        device = "cpu"
124

G
guru4elephant 已提交
125 126
    thread_num = args.thread
    model = args.model
M
MRXLT 已提交
127
    mem_optim = args.mem_optim_off is False
M
MRXLT 已提交
128
    ir_optim = args.ir_optim
M
MRXLT 已提交
129
    use_mkl = args.use_mkl
Z
zhangjun 已提交
130
    max_body_size = args.max_body_size
B
barrierye 已提交
131
    use_multilang = args.use_multilang
132
    workdir = "{}_{}".format(args.workdir, port)
G
guru4elephant 已提交
133 134 135 136

    if model == "":
        print("You must specify your serving model")
        exit(-1)
G
guru4elephant 已提交
137

138 139 140 141 142
    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.")
Z
zhangjun 已提交
143
    import paddle_serving_server as serving
G
guru4elephant 已提交
144 145
    op_maker = serving.OpMaker()
    op_seq_maker = serving.OpSeqMaker()
146
    read_op = op_maker.create('general_reader')
G
guru4elephant 已提交
147
    op_seq_maker.add_op(read_op)
148 149
    for idx, single_model in enumerate(model):
        infer_op_name = "general_infer"
H
HexToString 已提交
150 151 152
        # 目前由于ocr的节点Det模型依赖于opencv的第三方库
        # 只有使用ocr的时候,才会加入opencv的第三方库并编译GeneralDetectionOp
        # 故此处做特殊处理,当不满足下述情况时,所添加的op默认为GeneralInferOp
H
HexToString 已提交
153
        # 以后可能考虑不用python脚本来生成配置
H
HexToString 已提交
154
        if len(model) == 2 and idx == 0 and single_model == "ocr_det_model":
155 156 157 158 159
            infer_op_name = "general_detection"
        else:
            infer_op_name = "general_infer"
        general_infer_op = op_maker.create(infer_op_name)
        op_seq_maker.add_op(general_infer_op)
H
HexToString 已提交
160

161
    general_response_op = op_maker.create('general_response')
G
guru4elephant 已提交
162 163
    op_seq_maker.add_op(general_response_op)

B
barrierye 已提交
164 165 166 167
    if use_multilang:
        server = serving.MultiLangServer()
    else:
        server = serving.Server()
G
guru4elephant 已提交
168
    server.set_op_sequence(op_seq_maker.get_op_sequence())
G
guru4elephant 已提交
169
    server.set_num_threads(thread_num)
Z
zhangjun 已提交
170
    server.use_mkl(use_mkl)
171 172
    server.set_precision(args.precision)
    server.set_use_calib(args.use_calib)
M
MRXLT 已提交
173
    server.set_memory_optimize(mem_optim)
M
MRXLT 已提交
174
    server.set_ir_optimize(ir_optim)
M
MRXLT 已提交
175
    server.set_max_body_size(max_body_size)
176 177

    if args.use_trt and device == "gpu":
Z
zhangjun 已提交
178
        server.set_trt()
179 180 181 182 183 184 185 186 187 188
        server.set_ir_optimize(True)

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

    if args.op_num:
        server.set_op_num(args.op_num)

    if args.op_max_batch:
        server.set_op_max_batch(args.op_max_batch)
Z
zhangjun 已提交
189 190 191 192 193 194 195 196

    if args.use_lite:
        server.set_lite()

    server.set_device(device)
    if args.use_xpu:
        server.set_xpu()

197 198 199 200
    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 已提交
201

H
HexToString 已提交
202 203
    if gpu_mode == True:
        server.set_gpuid(args.gpu_ids)
G
guru4elephant 已提交
204
    server.load_model_config(model)
Z
zhangjun 已提交
205 206 207 208 209
    server.prepare_server(
        workdir=workdir,
        port=port,
        device=device,
        use_encryption_model=args.use_encryption_model)
G
guru4elephant 已提交
210 211
    server.run_server()

W
wangjiawei04 已提交
212

Z
zhangjun 已提交
213
def start_multi_card(args, serving_port=None):  # pylint: disable=doc-string-missing
214
    gpus = []
Z
zhangjun 已提交
215 216
    if serving_port == None:
        serving_port = args.port
217

Z
zhangjun 已提交
218 219 220
    if args.gpu_ids == "":
        gpus = []
    else:
221 222 223 224
        #check the gpu_id is valid or not.
        gpus = args.gpu_ids
        if isinstance(gpus, str):
            gpus = [gpus]
Z
zhangjun 已提交
225 226
        if "CUDA_VISIBLE_DEVICES" in os.environ:
            env_gpus = os.environ["CUDA_VISIBLE_DEVICES"].split(",")
227 228 229 230 231 232 233
            for op_gpus_str in gpus:
                op_gpu_list = op_gpus_str.split(",")
                for ids in op_gpu_list:
                    if ids not in env_gpus:
                        print("gpu_ids is not in CUDA_VISIBLE_DEVICES.")
                        exit(-1)

Z
zhangjun 已提交
234
    if args.use_lite:
Z
update  
zhangjun 已提交
235
        print("run using paddle-lite.")
236
        start_gpu_card_model(False, serving_port, args)
Z
zhangjun 已提交
237 238
    elif len(gpus) <= 0:
        print("gpu_ids not set, going to run cpu service.")
239
        start_gpu_card_model(False, serving_port, args)
Z
zhangjun 已提交
240
    else:
241
        start_gpu_card_model(True, serving_port, args)
Z
zhangjun 已提交
242 243


H
HexToString 已提交
244 245 246 247 248 249 250 251
class MainService(BaseHTTPRequestHandler):
    def get_available_port(self):
        default_port = 12000
        for i in range(1000):
            if port_is_available(default_port + i):
                return default_port + i

    def start_serving(self):
Z
zhangjun 已提交
252
        start_multi_card(args, serving_port)
H
HexToString 已提交
253 254 255 256 257

    def get_key(self, post_data):
        if "key" not in post_data:
            return False
        else:
H
HexToString 已提交
258
            key = base64.b64decode(post_data["key"].encode())
H
HexToString 已提交
259 260
            for single_model_config in args.model:
                if os.path.isfile(single_model_config):
H
HexToString 已提交
261 262
                    raise ValueError(
                        "The input of --model should be a dir not file.")
H
HexToString 已提交
263 264
                with open(single_model_config + "/key", "wb") as f:
                    f.write(key)
H
HexToString 已提交
265 266 267 268 269 270
            return True

    def check_key(self, post_data):
        if "key" not in post_data:
            return False
        else:
H
HexToString 已提交
271
            key = base64.b64decode(post_data["key"].encode())
H
HexToString 已提交
272 273
            for single_model_config in args.model:
                if os.path.isfile(single_model_config):
H
HexToString 已提交
274 275
                    raise ValueError(
                        "The input of --model should be a dir not file.")
H
HexToString 已提交
276 277 278 279 280
                with open(single_model_config + "/key", "rb") as f:
                    cur_key = f.read()
                if key != cur_key:
                    return False
            return True
H
HexToString 已提交
281 282

    def start(self, post_data):
H
HexToString 已提交
283
        post_data = json.loads(post_data.decode('utf-8'))
H
HexToString 已提交
284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318
        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 已提交
319
        self.wfile.write(json.dumps(response).encode())
B
barrierye 已提交
320

W
wangjiawei04 已提交
321

M
MRXLT 已提交
322
if __name__ == "__main__":
323

324
    args = serve_args()
H
HexToString 已提交
325 326 327 328 329 330
    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.")

G
guru4elephant 已提交
331
    if args.name == "None":
Z
zhangjun 已提交
332
        from .web_service import port_is_available
H
HexToString 已提交
333 334 335 336 337 338 339 340 341 342
        if args.use_encryption_model:
            p_flag = False
            p = None
            serving_port = 0
            server = HTTPServer(('localhost', int(args.port)), MainService)
            print(
                'Starting encryption server, waiting for key from client, use <Ctrl-C> to stop'
            )
            server.serve_forever()
        else:
Z
zhangjun 已提交
343
            start_multi_card(args)
G
guru4elephant 已提交
344
    else:
Z
zhangjun 已提交
345 346 347
        from .web_service import WebService
        web_service = WebService(name=args.name)
        web_service.load_model_config(args.model)
348 349 350 351 352 353 354 355

        if args.gpu_ids == "":
            gpus = []
        else:
            #check the gpu_id is valid or not.
            gpus = args.gpu_ids
            if isinstance(gpus, str):
                gpus = [gpus]
Z
zhangjun 已提交
356
            if "CUDA_VISIBLE_DEVICES" in os.environ:
357 358 359 360 361 362 363 364 365 366 367
                env_gpus = os.environ["CUDA_VISIBLE_DEVICES"].split(",")
                for op_gpus_str in gpus:
                    op_gpu_list = op_gpus_str.split(",")
                    for ids in op_gpu_list:
                        if ids not in env_gpus:
                            print("gpu_ids is not in CUDA_VISIBLE_DEVICES.")
                            exit(-1)

        if len(gpus) > 0:
            web_service.set_gpus(gpus)
        workdir = "{}_{}".format(args.workdir, args.port)
Z
zhangjun 已提交
368
        web_service.prepare_server(
369
            workdir=workdir,
Z
zhangjun 已提交
370 371 372 373
            port=args.port,
            device=args.device,
            use_lite=args.use_lite,
            use_xpu=args.use_xpu,
H
HexToString 已提交
374
            ir_optim=args.ir_optim,
375
            thread_num=args.thread,
376
            precision=args.precision,
377 378 379 380 381
            use_calib=args.use_calib,
            use_trt=args.use_trt,
            gpu_multi_stream=args.gpu_multi_stream,
            op_num=args.op_num,
            op_max_batch=args.op_max_batch)
Z
zhangjun 已提交
382
        web_service.run_rpc_service()
M
MRXLT 已提交
383 384 385 386 387

        app_instance = Flask(__name__)

        @app_instance.before_first_request
        def init():
Z
zhangjun 已提交
388
            web_service._launch_web_service()
M
MRXLT 已提交
389

Z
zhangjun 已提交
390
        service_name = "/" + web_service.name + "/prediction"
M
MRXLT 已提交
391 392 393

        @app_instance.route(service_name, methods=["POST"])
        def run():
Z
zhangjun 已提交
394
            return web_service.get_prediction(request)
M
MRXLT 已提交
395 396

        app_instance.run(host="0.0.0.0",
Z
zhangjun 已提交
397
                         port=web_service.port,
M
MRXLT 已提交
398 399
                         threaded=False,
                         processes=4)