- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在尝试使用预训练的 Keras 模型对样本进行预测,但出现错误。我详细介绍了模型训练脚本的各个部分,以显示数据准备、矩阵形状和模型规范;
矩阵形状和数据准备:
from __future__ import print_function
#import numpy as np
np.random.seed(1337) # for reproducibility
from keras.datasets import mnist
from keras.models import Sequential
from keras.layers import Dense, Dropout, Activation, Flatten
from keras.layers import Convolution2D, MaxPooling2D
from keras.utils import np_utils
from keras import backend as K
batchsize = 128
nb_classes = 3
nb_epochs = 12
# input image dimensions
img_rows, img_cols = 28, 28
# number of convolutional filters to use
nb_filters = 32
# size of pooling area for max pooling
pool_size = (2, 2)
# convolution kernel size
kernel_size = (3, 3)
# the data, shuffled and split between train and test sets
#(X_train, y_train), (X_test, y_test) = mnist.load_data()
if K.image_dim_ordering() == 'th':
X_train = X_train.reshape(X_train.shape[0], 1, img_rows, img_cols)
X_test = X_test.reshape(X_test.shape[0], 1, img_rows, img_cols)
input_shape = (1, img_rows, img_cols)
else:
X_train = X_train.reshape(X_train.shape[0], img_rows, img_cols, 1)
X_test = X_test.reshape(X_test.shape[0], img_rows, img_cols, 1)
input_shape = (img_rows, img_cols, 1)
X_train = X_train.astype('float32')
X_test = X_test.astype('float32')
X_train /= 255
X_test /= 255
print('X_train shape:', X_train.shape)
print(X_train.shape[0], 'train samples')
print(X_test.shape[0], 'test samples')
# convert class vectors to binary class matrices
Y_train = np_utils.to_categorical(y_train, nb_classes)
Y_test = np_utils.to_categorical(y_test, nb_classes)
模型规范:
model = Sequential()
model.add(Convolution2D(nb_filters, [kernel_size[0], kernel_size[1]],
padding='valid',
input_shape=input_shape,
name='conv2d_1'))
model.add(Activation('relu'))
model.add(Convolution2D(nb_filters, [kernel_size[0], kernel_size[1]], name='conv2d_2'))
model.add(Activation('relu'))
model.add(MaxPooling2D(pool_size=pool_size, name='maxpool2d'))
model.add(Dropout(0.25))
model.add(Flatten())
model.add(Dense(128, name='dense_1'))
model.add(Activation('relu'))
model.add(Dropout(0.5))
model.add(Dense(nb_classes, name='dense_2'))
model.add(Activation('softmax'))
model.compile(loss='categorical_crossentropy',
optimizer='adadelta',
metrics=['accuracy'])
在一个完全独立的程序中,预训练模型被重新加载,输入样本矩阵被 reshape 以匹配模型的预期,并将相同的归一化应用于数据。像这样;
预测方法:
from keras import backend as K
from keras.models import load_model
img_rows, img_cols = 28, 28
#Load the pre-trained classifier model
retrieved_model = load_model('classifier_cnn_saved_model_0.05_30min.hdf5')
#Function to callback
def get_prediction(sample):
print('Received: ' + str(sample.shape))
if K.image_dim_ordering() == 'th':
sample = sample.reshape(sample.shape[0], 1, img_rows, img_cols)
else:
sample = sample.reshape(sample.shape[0], img_rows, img_cols, 1)
print('Reshaped for backend: ' + K.image_dim_ordering() + ' ' + str(sample.shape))
sample = sample.astype('float32')
sample /= 255 #normalize the sample data
prediction = retrieved_model.predict(sample)
print('pyAgent; ' + str(sample.shape) + ' prediction: ' + str(prediction))
调用 get_prediction 时给出此输出;
Received: (1, 784) <====== Yep, as expected.
Reshaped for backend: tf (1, 28, 28, 1) <====== What the model expects, I think. Based on how it was specified at training time.
但在尝试预测时出现此错误;
Exception: ValueError: Tensor Tensor("activation_4/Softmax:0", shape=(?, 3), dtype=float32) is not an element of this graph.
我被难住了。任何人都可以指出这里有什么问题以及如何纠正它吗?非常感谢。
注意所有训练和预测都发生在同一台 Windows 10 机器上,使用 Python 3 以及 Keras 2.1.3 和 Tensorflow 1.5.0
最佳答案
考虑到这个github issue给出了答案。在这种情况下,get_prediction()
将由与加载模型的线程不同的线程调用。进行这些更改清除了错误:
import tensorflow as tf #<======= add this
from keras import backend as K
from keras.models import load_model
img_rows, img_cols = 28, 28
#Load the pre-trained classifier model
retrieved_model = load_model('classifier_cnn_saved_model_0.05_30min.hdf5')
#https://www.tensorflow.org/api_docs/python/tf/Graph
graph = tf.get_default_graph() #<======= do this right after constructing or loading the model
#Function to callback
def get_prediction(sample):
print('Received: ' + str(sample.shape))
if K.image_dim_ordering() == 'th':
sample = sample.reshape(sample.shape[0], 1, img_rows, img_cols)
else:
sample = sample.reshape(sample.shape[0], img_rows, img_cols, 1)
print('Reshaped for backend: ' + K.image_dim_ordering() + ' ' + str(sample.shape))
sample = sample.astype('float32')
sample /= 255 #normalize the sample data
with graph.as_default(): #<======= with this, call predict
prediction = retrieved_model.predict_classes(sample)
print('pyAgent; ' + str(sample.shape) + ' prediction: ' + str(prediction))
关于python - 使用 Keras 模型进行预测时出错,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48785984/
我正在使用 R 预测包拟合模型,如下所示: fit <- auto.arima(df) plot(forecast(fit,h=200)) 打印原始数据框和预测。当 df 相当大时,这
我正在尝试预测自有住房的中位数,这是一个行之有效的例子,给出了很好的结果。 https://heuristically.wordpress.com/2011/11/17/using-neural-ne
type="class"函数中的type="response"和predict有什么区别? 例如: predict(modelName, newdata=testData, type = "class
我有一个名为 Downloaded 的文件夹,其中包含经过训练的 CNN 模型必须对其进行预测的图像。 下面是导入图片的代码: import os images = [] for filename i
关于预测的快速问题。 我尝试预测的值是 0 或 1(它设置为数字,而不是因子),因此当我运行随机森林时: fit , data=trainData, ntree=50) 并预测: pred, data
使用 Python,我尝试使用历史销售数据来预测产品的 future 销售数量。我还试图预测各组产品的这些计数。 例如,我的专栏如下所示: Date Sales_count Department It
我是 R 新手,所以请帮助我了解问题所在。我试图预测一些数据,但预测函数返回的对象(这是奇怪的类(因子))包含低数据。测试集大小为 5886 obs。 160 个变量,当预测对象长度为 110 时..
关闭。这个问题需要更多focused .它目前不接受答案。 想改进这个问题吗? 更新问题,使其只关注一个问题 editing this post . 关闭 6 年前。 Improve this qu
下面是我的神经网络代码,有 3 个输入和 1 个隐藏层和 1 个输出: #Data ds = SupervisedDataSet(3,1) myfile = open('my_file.csv','r
我正在开发一个 Web 应用程序,它具有全文搜索功能,可以正常运行。我想对此进行改进并向其添加预测/更正功能,这意味着如果用户输入错误或结果为 0,则会查询该输入的更正版本,而不是查询结果。基本上类似
我对时间序列还很陌生。 这是我正在处理的数据集: Date Price Location 0 2012-01-01 1771.0
我有许多可变长度的序列。对于这些,我想训练一个隐马尔可夫模型,稍后我想用它来预测(部分)序列的可能延续。到目前为止,我已经找到了两种使用 HMM 预测 future 的方法: 1) 幻觉延续并获得该延
我正在使用 TensorFlow 服务提供初始模型。我在 Azure Kubernetes 上这样做,所以不是通过更标准和有据可查的谷歌云。 无论如何,这一切都在起作用,但是我感到困惑的是预测作为浮点
我正在尝试使用 Amazon Forecast 进行一些测试。我现在尝试了两个不同的数据集,它们看起来像这样: 13,2013-03-31 19:25:00,93.10999 14,2013-03-3
使用 numpy ndarray大多数时候我们不需要担心内存布局的问题,因为结果并不依赖于它。 除非他们这样做。例如,考虑这种设置 3x2 矩阵对角线的稍微过度设计的方法 >>> a = np.zer
我想在同一个地 block 上用不同颜色绘制多个预测,但是,比例尺不对。我对任何其他方法持开放态度。 可重现的例子: require(forecast) # MAKING DATA data
我正在 R 中使用 GLMM,其中混合了连续变量和 calcategories 变量,并具有一些交互作用。我使用 MuMIn 中的 dredge 和 model.avg 函数来获取每个变量的效果估计。
我能够在 GUI 中成功导出分类器错误,但无法在命令行中执行此操作。有什么办法可以在命令行上完成此操作吗? 我使用的是 Weka 3.6.x。在这里,您可以右键单击模型,选择“可视化分类器错误”并从那
我想在同一个地 block 上用不同颜色绘制多个预测,但是,比例尺不对。我对任何其他方法持开放态度。 可重现的例子: require(forecast) # MAKING DATA data
我从 UCI 机器学习数据集库下载了一个巨大的文件。 (~300mb)。 有没有办法在将数据集加载到 R 内存之前预测加载数据集所需的内存? Google 搜索了很多,但我到处都能找到如何使用 R-p
我是一名优秀的程序员,十分优秀!