在某些场景下,我们需要将机器学习或者深度学习模型部署为服务给其它地方调用,本文接下来就讲解使用python的flask部署服务的基本过程。

为了方便起见,这里我们就使用简单的分词模型,相关代码如下:model.py

  1. import jieba
  2. class JiebaModel:
  3. def load_model(self):
  4. self.jieba_model = jieba.lcut
  5. def generate_result(self, text):
  6. return self.jieba_model(text, cut_all=False)

说明:在load_model方法中加载保存好的模型,无论是sklearn、tensorflow还是pytorch的都可以在里面完成。在generate_result方法中定义处理输入后得到输出的逻辑,并返回结果。

代码如下:test_flask.py

  1. # -*-coding:utf-8-*-
  2. from flask import Flask, request, Response, abort
  3. from flask_cors import CORS
  4. # from ast import literal_eval
  5. import time
  6. import sys
  7. import json
  8. import traceback
  9. from model import JiebaModel
  10. app = Flask(__name__)
  11. CORS(app) # 允许所有路由上所有域使用CORS
  12. @app.route("/", methods=['POST', 'GET'])
  13. def inedx():
  14. return '分词程序正在运行中'
  15. @app.route("/split_words", methods=['POST', 'GET'])
  16. def get_result():
  17. if request.method == 'POST':
  18. text = request.data.decode("utf-8")
  19. else:
  20. text = request.args['text']
  21. try:
  22. start = time.time()
  23. print("用户输入",text)
  24. res = jiebaModel.generate_result(text)
  25. end = time.time()
  26. print('分词耗时:', end-start)
  27. print('分词结果:', res)
  28. result = {'code':'200','msg':'响应成功','data':res}
  29. except Exception as e:
  30. print(e)
  31. result_error = {'errcode': -1}
  32. result = json.dumps(result_error, indent=4, ensure_ascii=False)
  33. # 这里用于捕获更详细的异常信息
  34. exc_type, exc_value, exc_traceback = sys.exc_info()
  35. lines = traceback.format_exception(exc_type, exc_value, exc_traceback)
  36. # 提前退出请求
  37. abort(Response("Failed!\n" + '\n\r\n'.join('' + line for line in lines)))
  38. return Response(str(result), mimetype='application/json')
  39. if __name__ == "__main__":
  40. jiebaModel = JiebaModel()
  41. jiebaModel.load_model()
  42. app.run(host='0.0.0.0', port=1314, threaded=False)

说明:我们定义了一个get_result()函数,对应的请求是ip:port/split_words。 首先我们根据请求是get请求还是post请求获取数据,然后使用模型根据输入数据得到输出结果,并返回响应给请求。如果遇到异常,则进行相应的处理后并返回。在__main__中,我们引入了model.py的JiebaModel类,然后加载了模型,并在get_result()中调用。

代码如下:test_request.py

  1. import requests
  2. def get_split_word_result(text):
  3. res = requests.post('http://{}:{}/split_words'.format('本机ip', 1314), data=str(text).encode('utf-8'))
  4. print(res.text)
  5. get_split_word_result("我爱北京天安门")

说明:通过requests发送post请求,请求数据编码成utf-8的格式,最后得到响应,并利用.text得到结果。

(1)运行test_flask.py
image
(2)运行test_request.py
image
并在起服务的位置看到:
image
至此,我们的整个流程就完成了。

版权声明:本文为xiximayou原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://www.cnblogs.com/xiximayou/p/14763635.html