2016-12-08 103 views
0

我是新来的机器学习和TensorFlow。我试图训练一个简单的模型来识别性别。我使用身高,体重和鞋号的小数据集。但是,我在评估模型的准确性时遇到了一个问题。 这里是整个代码:TFLearn模型评估

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计算测试数据集的真实精度?

回答

3

你想在这种情况下进行二元分类。您的网络设置为执行线性回归。

首先,变换标签(性别),以明确的功能:

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) 

网络的输出层需要两个输出单位要预测两班。此外,激活需要softmax进行分类。 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,而测试集的准确度会很差。

+0

谢谢,我已经意识到:) – Bolein95