我是机器学习和TensorFlow的新手。我试着训练一个简单的模式来识别性别。我用的是一些小的数据--身高、体重和鞋码。然而,我在评估模型的准确性方面遇到了一个问题。以下是整个代码:
import tflearn
import tensorflow as tf
import numpy as np
# [height, weight, shoe_size]
X = [[181, 80, 44], [177, 70, 43], [160, 60, 38], [154, 54, 37], [166, 65, 40],
[190, 90, 47], [175, 64, 39], [177, 70, 40], [159, 55, 37], [171, 75, 42],
[181, 85, 43], [170, 52, 39]]
# 0 - for female, 1 - for male
Y = [1, 1, 0, 0, 1, 1, 0, 0, 0, 1, 1, 0]
data = np.column_stack((X, Y))
np.random.shuffle(data)
# Split into train and test set
X_train, Y_train = data[:8, :3], data[:8, 3:]
X_test, Y_test = data[8:, :3], data[8:, 3:]
# Build neural network
net = tflearn.input_data(shape=[None, 3])
net = tflearn.fully_connected(net, 32)
net = tflearn.fully_connected(net, 32)
net = tflearn.fully_connected(net, 1, activation='linear')
net = tflearn.regression(net, loss='mean_square')
# fix for tflearn with TensorFlow 12:
col = tf.get_collection(tf.GraphKeys.TRAINABLE_VARIABLES)
for x in col:
tf.add_to_collection(tf.GraphKeys.VARIABLES, x)
# Define model
model = tflearn.DNN(net)
# Start training (apply gradient descent algorithm)
model.fit(X_train, Y_train, n_epoch=100, show_metric=True)
score = model.evaluate(X_test, Y_test)
print('Training test score', score)
test_male = [176, 78, 42]
test_female = [170, 52, 38]
print('Test male: ', model.predict([test_male])[0])
print('Test female:', model.predict([test_female])[0])即使模型的预测不是很准确
Test male: [0.7158362865447998]
Test female: [0.4076206684112549]model.evaluate(X_test, Y_test)总是返回1.0。如何使用TFLearn计算测试数据集的实际准确性?
发布于 2016-12-13 15:16:19
在这种情况下,您想要进行二进制分类。您的网络被设置为执行线性回归。
首先,将标签(性别)转换为分类特征:
from tflearn.data_utils import to_categorical
Y_train = to_categorical(Y_train, nb_classes=2)
Y_test = to_categorical(Y_test, nb_classes=2)网络的输出层需要为您要预测的两个类提供两个输出单元。此外,激活需要是软最大的分类。tf.learn默认损失是交叉熵,默认度量是精确的,因此这已经是正确的。
# Build neural network
net = tflearn.input_data(shape=[None, 3])
net = tflearn.fully_connected(net, 32)
net = tflearn.fully_connected(net, 32)
net = tflearn.fully_connected(net, 2, activation='softmax')
net = tflearn.regression(net)现在的输出将是一个向量,包含每个性别的概率。例如:
[0.991, 0.009] #female请记住,您将无可救药地将网络与您的小数据集。这意味着,在培训期间,准确度将接近1,而您的测试集的准确性将相当差。
https://stackoverflow.com/questions/41049437
复制相似问题