Tensorflow serving部署模型總結(jié)

首先安裝tfserving曹铃,此處選擇比較簡單的方式,你也可以選擇Bazel編譯方式安裝捧杉。(注安裝環(huán)境為Ubuntu陕见,安裝部分參考了此篇文章https://blog.csdn.net/koibiki/article/details/84584975)

1.全局安裝grpcio

sudo pip3 install grpcio

2.安裝依賴庫

sudo apt-get update && sudo apt-get install -y automake build-essential curl libcurl3-dev git libtool libfreetype6-dev libpng12-dev libzmq3-dev pkg-config python3-dev python3-numpy python3-pip software-properties-common swig zip zlib1g-dev

3.安裝tensorflow-serving-api

pip3 install tensorflow-serving-api

4.把Serving的發(fā)行URI添加為package源

# 把Serving的發(fā)行URI添加為package源
echo "deb [arch=amd64] http://storage.googleapis.com/tensorflow-serving-apt stable tensorflow-model-server tensorflow-model-server-universal" | sudo tee /etc/apt/sources.list.d/tensorflow-serving.list
curl https://storage.googleapis.com/tensorflow-serving-apt/tensorflow-serving.release.pub.gpg | sudo apt-key add -
# 安裝更新秘血,之后即可通過tensorflow_model_server命令調(diào)用
sudo apt-get update && sudo apt-get install tensorflow-model-server

以后可以通過以下方式把ModelServer升級到指定版本:

sudo apt-get upgrade tensorflow-model-server

5.模型的訓(xùn)練和導(dǎo)出

#編寫train_model.py腳本
# -*- coding: utf-8 -*-
import tensorflow as tf
import numpy as np
import os
tf.app.flags.DEFINE_integer('model_version', 1, 'version number of the model.')
FLAGS = tf.app.flags.FLAGS
N = 200 # 樣本點(diǎn)數(shù)目
x = np.linspace(-1, 1, N)
y = 2.0*x + np.random.standard_normal(x.shape)*0.3+0.5 # 生成線性數(shù)據(jù)
x = x.reshape([N, 1]) # 轉(zhuǎn)換一下格式,準(zhǔn)備feed進(jìn)placeholder
y = y.reshape([N, 1])
# 建圖
graph = tf.Graph()
with graph.as_default():
    inputx = tf.placeholder(dtype=tf.float32, shape=[None, 1], name="inputx")
    inputy = tf.placeholder(dtype=tf.float32, shape=[None, 1],name="inputy")
    W = tf.Variable(tf.random_normal([1, 1], stddev=0.01))
    b = tf.Variable(tf.random_normal([1], stddev=0.01))
    pred = tf.matmul(inputx, W)+b
    loss = tf.reduce_sum(tf.pow(pred-inputy, 2))
    # 優(yōu)化目標(biāo)函數(shù)
    train = tf.train.GradientDescentOptimizer(0.001).minimize(loss)
    # 初始化所有變量
    init = tf.global_variables_initializer()
    saver = tf.train.Saver()
    with tf.Session(graph=graph) as sess:
        sess.run(init)
        for i in range(20):
            sess.run(train,feed_dict={inputx:x, inputy:y})
            predArr, lossArr = sess.run([pred, loss], feed_dict={inputx:x, inputy:y})
            print(lossArr)
        export_path_base = os.path.join('/tmp','test')
        export_path = os.path.join(
          tf.compat.as_bytes(export_path_base),
          tf.compat.as_bytes(str(FLAGS.model_version)))
        print ('Exporting trained model to', export_path)
        builder = tf.saved_model.builder.SavedModelBuilder(export_path)
        tensor_info_x = tf.saved_model.utils.build_tensor_info(inputx) # 輸入
        tensor_info_pre = tf.saved_model.utils.build_tensor_info(pred)
        prediction_signature = (
          tf.saved_model.signature_def_utils.build_signature_def(
              inputs={'inputx': tensor_info_x},
              outputs={'pred': tensor_info_pre},
              method_name=tf.saved_model.signature_constants.PREDICT_METHOD_NAME))
        legacy_init_op = tf.group(tf.tables_initializer(), name='legacy_init_op')
        builder.add_meta_graph_and_variables(
          sess, [tf.saved_model.tag_constants.SERVING],
          signature_def_map={
              'predict_images':
                  prediction_signature,
               tf.saved_model.signature_constants.DEFAULT_SERVING_SIGNATURE_DEF_KEY:
               prediction_signature,
          },
          legacy_init_op=legacy_init_op)
        builder.save()
        print('Done exporting!')

執(zhí)行python3 train_model.py訓(xùn)練并導(dǎo)出模型评甜,導(dǎo)出模型路徑下會生成saved_model.pb variables兩個文件灰粮。

6.開啟Serving服務(wù)

#mode_name是模型的名字,model_base_path為模型導(dǎo)出路徑
tensorflow_model_server --port=9000 --model_name=test2 --model_base_path=/tmp/test

7.客戶端調(diào)用

#編輯客戶端調(diào)用腳本test_client.py
# -*- coding: utf-8 -*-
from grpc.beta import implementations
import numpy as np
import tensorflow as tf
import os
from tensorflow_serving.apis import predict_pb2
from tensorflow_serving.apis import prediction_service_pb2
tf.reset_default_graph()
tf.app.flags.DEFINE_string('server', 'localhost:9000',
                           'PredictionService host:port')
FLAGS = tf.app.flags.FLAGS
N = 200
x = np.linspace(-1, 1, N)
#y = 2.0*x + np.random.standard_normal(x.shape)*0.3+0.5
x = x.reshape([N, 1])
#y = y.reshape([N, 1])
host, port = FLAGS.server.split(':')
channel = implementations.insecure_channel(host, int(port))
stub = prediction_service_pb2.beta_create_PredictionService_stub(channel)
request = predict_pb2.PredictRequest()
request.model_spec.name = 'test2'
request.model_spec.signature_name = 'predict_images' 
request.inputs['inputx'].CopyFrom(tf.contrib.util.make_tensor_proto(x, shape=[200, 1], dtype=tf.float32))
#request.outputs['inputy'].CopyFrom(tf.contrib.util.make_tensor_proto(y, shape=[200, 1], dtype=tf.float32))
#.SerializeToString() 
result = stub.Predict(request, 10.0) # 10 secs timeout 
print (result)

執(zhí)行python3 test_client.py忍坷,得到預(yù)測結(jié)果粘舟。

總結(jié)此篇只是一個簡單的參考教程,真正生產(chǎn)環(huán)境中會有更多考慮佩研,以后有機(jī)會補(bǔ)充一個完整的部署柑肴。懇請大家批評指正,也可評論區(qū)討論更多部署問題旬薯。

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末晰骑,一起剝皮案震驚了整個濱河市,隨后出現(xiàn)的幾起案子绊序,更是在濱河造成了極大的恐慌硕舆,老刑警劉巖,帶你破解...
    沈念sama閱讀 211,123評論 6 490
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件骤公,死亡現(xiàn)場離奇詭異岗宣,居然都是意外死亡,警方通過查閱死者的電腦和手機(jī)淋样,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 90,031評論 2 384
  • 文/潘曉璐 我一進(jìn)店門耗式,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人趁猴,你說我怎么就攤上這事刊咳。” “怎么了儡司?”我有些...
    開封第一講書人閱讀 156,723評論 0 345
  • 文/不壞的土叔 我叫張陵娱挨,是天一觀的道長。 經(jīng)常有香客問我捕犬,道長跷坝,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 56,357評論 1 283
  • 正文 為了忘掉前任碉碉,我火速辦了婚禮柴钻,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘垢粮。我一直安慰自己贴届,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 65,412評論 5 384
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著毫蚓,像睡著了一般占键。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上元潘,一...
    開封第一講書人閱讀 49,760評論 1 289
  • 那天畔乙,我揣著相機(jī)與錄音,去河邊找鬼翩概。 笑死啸澡,一個胖子當(dāng)著我的面吹牛,可吹牛的內(nèi)容都是我干的氮帐。 我是一名探鬼主播嗅虏,決...
    沈念sama閱讀 38,904評論 3 405
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼上沐!你這毒婦竟也來了皮服?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 37,672評論 0 266
  • 序言:老撾萬榮一對情侶失蹤参咙,失蹤者是張志新(化名)和其女友劉穎龄广,沒想到半個月后,有當(dāng)?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體蕴侧,經(jīng)...
    沈念sama閱讀 44,118評論 1 303
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡择同,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,456評論 2 325
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了净宵。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片敲才。...
    茶點(diǎn)故事閱讀 38,599評論 1 340
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖择葡,靈堂內(nèi)的尸體忽然破棺而出紧武,到底是詐尸還是另有隱情,我是刑警寧澤敏储,帶...
    沈念sama閱讀 34,264評論 4 328
  • 正文 年R本政府宣布阻星,位于F島的核電站,受9級特大地震影響已添,放射性物質(zhì)發(fā)生泄漏妥箕。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,857評論 3 312
  • 文/蒙蒙 一畦幢、第九天 我趴在偏房一處隱蔽的房頂上張望禾怠。 院中可真熱鬧芽偏,春花似錦污尉、人聲如沸某宪。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,731評論 0 21
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至汗菜,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間普碎,已是汗流浹背麻车。 一陣腳步聲響...
    開封第一講書人閱讀 31,956評論 1 264
  • 我被黑心中介騙來泰國打工赁咙, 沒想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留崔拥,地道東北人。 一個月前我還...
    沈念sama閱讀 46,286評論 2 360
  • 正文 我出身青樓慈俯,卻偏偏與公主長得像,于是被迫代替她去往敵國和親拥峦。 傳聞我的和親對象是個殘疾皇子贴膘,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 43,465評論 2 348

推薦閱讀更多精彩內(nèi)容