Tensorflow Python 转 Java(一)
一、背景描述
最近python的tensorflow项目要弄到线上去。网络用的Tensorflow现成的包。数据用kaggle中的数据为例子。
数据地址:
https://www.kaggle.com/johnfarrell/gpu-example-from-prepared-data-try-deepfm
二、Python代码
1、Python Code
# author: adrian.wu
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function import tensorflow as tf tf.logging.set_verbosity(tf.logging.INFO)
# Set to INFO for tracking training, default is WARN print("Using TensorFlow version %s" % (tf.__version__)) CATEGORICAL_COLUMNS = ["workclass", "education",
"marital.status", "occupation",
"relationship", "race",
"sex", "native.country"] # Columns of the input csv file
COLUMNS = ["age", "workclass", "fnlwgt", "education",
"education.num", "marital.status",
"occupation", "relationship", "race",
"sex", "capital.gain", "capital.loss",
"hours.per.week", "native.country", "income"] FEATURE_COLUMNS = ["age", "workclass", "education",
"education.num", "marital.status",
"occupation", "relationship", "race",
"sex", "capital.gain", "capital.loss",
"hours.per.week", "native.country"] import pandas as pd df = pd.read_csv("/Users/adrian.wu/Desktop/learn/kaggle/adult-census-income/adult.csv") from sklearn.model_selection import train_test_split BATCH_SIZE = 40 num_epochs = 1
shuffle = True y = df["income"].apply(lambda x: ">50K" in x).astype(int)
del df["fnlwgt"] # Unused column
del df["income"] # Labels column, already saved to labels variable
X = df print(X.describe()) X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.20) train_input_fn = tf.estimator.inputs.pandas_input_fn(
x=X_train,
y=y_train,
batch_size=BATCH_SIZE,
num_epochs=num_epochs,
shuffle=shuffle) eval_input_fn = tf.estimator.inputs.pandas_input_fn(
x=X_test,
y=y_test,
batch_size=BATCH_SIZE,
num_epochs=num_epochs,
shuffle=shuffle) def generate_input_fn(filename, num_epochs=None, shuffle=True, batch_size=BATCH_SIZE):
df = pd.read_csv(filename) # , header=None, names=COLUMNS)
labels = df["income"].apply(lambda x: ">50K" in x).astype(int)
del df["fnlwgt"] # Unused column
del df["income"] # Labels column, already saved to labels variable type(df['age'].iloc[3]) return tf.estimator.inputs.pandas_input_fn(
x=df,
y=labels,
batch_size=batch_size,
num_epochs=num_epochs,
shuffle=shuffle) sex = tf.feature_column.categorical_column_with_vocabulary_list(
key="sex",
vocabulary_list=["female", "male"])
race = tf.feature_column.categorical_column_with_vocabulary_list(
key="race",
vocabulary_list=["Amer-Indian-Eskimo",
"Asian-Pac-Islander",
"Black", "Other", "White"]) # 先对categorical的列做hash
education = tf.feature_column.categorical_column_with_hash_bucket(
"education", hash_bucket_size=1000)
marital_status = tf.feature_column.categorical_column_with_hash_bucket(
"marital.status", hash_bucket_size=100)
relationship = tf.feature_column.categorical_column_with_hash_bucket(
"relationship", hash_bucket_size=100)
workclass = tf.feature_column.categorical_column_with_hash_bucket(
"workclass", hash_bucket_size=100)
occupation = tf.feature_column.categorical_column_with_hash_bucket(
"occupation", hash_bucket_size=1000)
native_country = tf.feature_column.categorical_column_with_hash_bucket(
"native.country", hash_bucket_size=1000) print('Categorical columns configured') age = tf.feature_column.numeric_column("age")
deep_columns = [
# Multi-hot indicator columns for columns with fewer possibilities
tf.feature_column.indicator_column(workclass),
tf.feature_column.indicator_column(marital_status),
tf.feature_column.indicator_column(sex),
tf.feature_column.indicator_column(relationship),
tf.feature_column.indicator_column(race),
# Embeddings for categories with more possibilities. Should have at least (possibilties)**(0.25) dims
tf.feature_column.embedding_column(education, dimension=8),
tf.feature_column.embedding_column(native_country, dimension=8),
tf.feature_column.embedding_column(occupation, dimension=8),
age
] m2 = tf.estimator.DNNClassifier(
model_dir="model/dir",
feature_columns=deep_columns,
hidden_units=[100, 50]) m2.train(input_fn=train_input_fn) start, end = 0, 5
data_predict = df.iloc[start:end]
predict_labels = y.iloc[start:end]
print(predict_labels)
print(data_predict.head(12)) # show this before deleting, so we know what the labels
predict_input_fn = tf.estimator.inputs.pandas_input_fn(
x=data_predict,
batch_size=1,
num_epochs=1,
shuffle=False) predictions = m2.predict(input_fn=predict_input_fn) for prediction in predictions:
print("Predictions: {} with probabilities {}\n".format(prediction["classes"], prediction["probabilities"])) def column_to_dtype(column):
if column in CATEGORICAL_COLUMNS:
return tf.string
else:
return tf.float32 # 什么数据要喂给输入
FEATURE_COLUMNS_FOR_SERVE = ["workclass", "education",
"marital.status", "occupation",
"relationship", "race",
"sex", "native.country", "age"] serving_features = {column: tf.placeholder(shape=[1], dtype=column_to_dtype(column), name=column) for column in
FEATURE_COLUMNS_FOR_SERVE}
# serving_input_receiver_fn有很多种方式
export_dir = m2.export_savedmodel(export_dir_base="models/export",
serving_input_receiver_fn=tf.estimator.export.build_raw_serving_input_receiver_fn(
serving_features), as_text=True)
export_dir = export_dir.decode("utf8")
2、通过 export_savedmodel这个函数生成了variables变量和pbtxt文件。如图所示:

3、先打开saved_model.pbtxt文件浏览一下,会发现这是对tensorflow 的一个个描述。包含了node name, operation name,dtype等信息。在套用java时需要明确node的name。
node {
name: "dnn/head/predictions/probabilities"
op: "Softmax"
input: "dnn/head/predictions/two_class_logits"
attr {
key: "T"
value {
type: DT_FLOAT
}
}
attr {
key: "_output_shapes"
value {
list {
shape {
dim {
size: -1
}
dim {
size: 2
}
}
}
}
三、Java代码
1、先将variable和pbtxt文件放到resources下面。

2、Java代码
import org.tensorflow.SavedModelBundle;
import org.tensorflow.Session;
import org.tensorflow.Tensor; /**
* Created by adrian.wu on 2019/3/14.
*/
public class TestAdultIncome { public static void main(String[] args) throws Exception { SavedModelBundle model = SavedModelBundle.load("/Users/adrian.wu/Desktop/sc/adrian_test/src/main/resources/adultincomemodel", "serve");
Session sess = model.session(); String sex = "Female";
String workclass = "?";
String education = "HS-grad";
String ms = "Widowed";
String occupation = "?";
String relationship = "Not-in-family";
String race = "White";
String nc = "United-States"; //不能将string直接喂给create()接口
Tensor sexTensor = Tensor.create(new byte[][]{sex.getBytes()});
Tensor workclassTensor = Tensor.create(new byte[][]{workclass.getBytes()});
Tensor eduTensor = Tensor.create(new byte[][]{education.getBytes()});
Tensor msTensor = Tensor.create(new byte[][]{ms.getBytes()});
Tensor occuTensor = Tensor.create(new byte[][]{occupation.getBytes()});
Tensor ralaTensor = Tensor.create(new byte[][]{relationship.getBytes()});
Tensor raceTensor = Tensor.create(new byte[][]{race.getBytes()});
Tensor ncTesnsor = Tensor.create(new byte[][]{nc.getBytes()}); float[][] age = {{90f}}; Tensor ageTensor = Tensor.create(age); //根据pbtxt文件,查看operation name。
Tensor result = sess.runner()
.feed("workclass", workclassTensor)
.feed("education", eduTensor)
.feed("marital.status", msTensor)
.feed("relationship", ralaTensor)
.feed("race", raceTensor)
.feed("sex", sexTensor)
.feed("native.country", ncTesnsor)
.feed("occupation",occuTensor)
.feed("age", ageTensor)
.fetch("dnn/head/predictions/probabilities")
.run()
.get(0); float[][] buffer = new float[1][2];
result.copyTo(buffer);
System.out.println("" + String.valueOf(buffer[0][0]));
} }
四、结果对比
python和java结果:
java: 0.9432887
python: 0.9432887
Tensorflow Python 转 Java(一)的更多相关文章
- 谈谈Python、Java与AI
Python好像天生是为AI而生的,随着AI的火热,特别是用Python写的TensorFlow越来越火,Python的热度越来越高,就像当年Java就是随着互联网火起来的感觉.在我的工作中,Pyth ...
- 将来会是Python、Java、Golang三足鼎立的局面吗?
甲:听说最近java跌落神坛,python称霸武林了,你知道吗? 乙:不是吧,我前几天看python怎么还是第三? 丙:你们都在扯蛋,python在2018年就已经是最好的语言了! 乙:不可能吧? 甲 ...
- Golang、Php、Python、Java基于Thrift0.9.1实现跨语言调用
目录: 一.什么是Thrift? 1) Thrift内部框架一瞥 2) 支持的数据传输格式.数据传输方式和服务模型 3) Thrift IDL 二.Thrift的官方网站在哪里? 三.在哪里下载?需要 ...
- paip.判断文件是否存在uapi python php java c#
paip.判断文件是否存在uapi python php java c# ==========uapi file_exists exists() 面向对象风格: File.Exists 作者: 老哇 ...
- paip.web数据绑定 下拉框的api设计 选择框 uapi python .net java swing jsf总结
paip.web数据绑定 下拉框的api设计 选择框 uapi python .net java swing jsf总结 ====总结: 数据绑定下拉框,Uapi 1.最好的是默认绑定..Map(k ...
- MongoDB的账户与权限管理及在Python与Java中的登陆
本文主要介绍了MongoDB的账户新建,权限管理(简单的),以及在Python,Java和默认客户端中的登陆. 默认的MongoDB是没有账户权限管理的,也就是说,不需要密码即可登陆,即可拥有读写的权 ...
- tensorflow.python.framework.errors_impl.OutOfRangeError: FIFOQueue
tensorflow.python.framework.errors_impl.OutOfRangeError: FIFOQueue 原创文章,请勿转载哦~!! 觉得有用的话,欢迎一起讨论相互学习~F ...
- [翻译] 比较 Node.js,Python,Java,C# 和 Go 的 AWS Lambda 性能
[翻译] 比较 Node.js,Python,Java,C# 和 Go 的 AWS Lambda 性能 原文: Comparing AWS Lambda performance of Node.js, ...
- Python和Java的硬盘夜话
这是一个程序员的电脑硬盘,在一个叫做"学习"的目录下曾经生活着两个小程序,一个叫做Hello.java,即Java小子:另外一个叫做hello.c ,也就是C老头儿. C老头儿的命 ...
随机推荐
- (三)flask中的请求钩子函数
请求勾子 在客户端和服务器交互的过程中,有些准备工作或扫尾工作需要处理,比如: 在请求开始时,建立数据库连接: 在请求开始时,根据需求进行权限校验: 在请求结束时,指定数据的交互格式: 为了让每个视图 ...
- 微服务下 Spring Boot Maven 工程依赖关系管理
单体 Spring Boot Maven 工程 最基本的 pom.xml 包含工程信息.Spring Boot 父工程.属性配置.依赖包.构建插件 <?xml version="1.0 ...
- 【CF263D】Cycle in Graph
题目大意:给定一个 N 个点,M 条边的无向图,保证图中每个节点的度数大于等于 K,求图中一条长度至少大于 K 的简单路径,输出长度和路径包含的点. 题解:依旧采用记录父节点的方式进行找环,不过需要记 ...
- Django session相关操作
Django session 是存储在数据库中的所以要先跟数据库建立连接 本连接有Django跟数据库建立连接的操作:https://www.cnblogs.com/Niuxingyu/p/10296 ...
- 扩展方法、委托和Lambda
举例演化Lambda string[] names ={"Burke", "Connor", "Frank", "Everett& ...
- PHP开发APP接口之返回数据
首先说明一下客户端APP通信的格式 1.xml:扩展标记语言(1.用来标记数据,定义数据类型,是一种允许用户对自己的标记语言进行定义的源语言,xml格式统一,跨平台和语言,非常适合数据传输和通信,早已 ...
- decorator 装饰页面,根据不同设备自动切换移动和pc站
package com.thinkgem.jeesite.modules.sys.interceptor; import javax.servlet.http.HttpServletRequest; ...
- php小项目踩坑以及其中的注意点(第二篇)
用户登录页面 1.通过数据库验证用户名和密码(可以将里面要用到的数据库信息,放入到一个config文件中) <?php define('DB_HOST','localhost'); define ...
- Java 引用数据类型
引用数据类型 * A: 数据类型 * a: java中的数据类型分为:基本类型和引用类型 * B: 引用类型的分类 * a: Java为我们提供好的类,比如说:Scanner,Random等. * C ...
- ps: 图层样式;
图层样式是ps的一项图层处理能力,功能强大,能够简单快捷的制作处立体投影,各种质感以及光影效果. 10种图层样式: (1)投影:将为图层上的对象.文本或形状后面添加阴影效果.投影参数由“混合模式”.“ ...