Forse , ma nota che questo è uno di quei casi in cui l'apprendimento automatico non è la risposta . Vi è la tendenza a provare e l'apprendimento automatico di calzascarpe nei casi in cui le soluzioni basate su regole standard di palude sono più veloci, più semplici e generalmente la scelta giusta: P
Solo perché puoi, non significa che dovresti
Modifica : originariamente ho scritto questo come "Sì, ma nota che ..." ma poi ho iniziato a dubitare di me stesso, non avendo mai visto farlo. L'ho provato oggi pomeriggio ed è certamente fattibile:
import numpy as np
from keras.models import Model
from keras.layers import Input, Dense, Dropout
from keras.utils import to_categorical
from sklearn.model_selection import train_test_split
from keras.callbacks import EarlyStopping
# Create an input array of 50,000 samples of 20 random numbers each
x = np.random.randint(0, 100, size=(50000, 20))
# And a one-hot encoded target denoting the index of the maximum of the inputs
y = to_categorical(np.argmax(x, axis=1), num_classes=20)
# Split into training and testing datasets
x_train, x_test, y_train, y_test = train_test_split(x, y)
# Build a network, probaly needlessly complicated since it needs a lot of dropout to
# perform even reasonably well.
i = Input(shape=(20, ))
a = Dense(1024, activation='relu')(i)
b = Dense(512, activation='relu')(a)
ba = Dropout(0.3)(b)
c = Dense(256, activation='relu')(ba)
d = Dense(128, activation='relu')(c)
o = Dense(20, activation='softmax')(d)
model = Model(inputs=i, outputs=o)
es = EarlyStopping(monitor='val_loss', patience=3)
model.compile(optimizer='adam', loss='categorical_crossentropy')
model.fit(x_train, y_train, epochs=15, batch_size=8, validation_data=[x_test, y_test], callbacks=[es])
print(np.where(np.argmax(model.predict(x_test), axis=1) == np.argmax(y_test, axis=1), 1, 0).mean())
L'output è 0.74576, quindi trova correttamente il massimo 74,5% delle volte. Non ho dubbi sul fatto che ciò potrebbe essere migliorato, ma poiché dico che questo non è un caso d'uso, consiglierei per ML.
EDIT 2 : In realtà stamattina ho ripetuto di nuovo usando RandomForestClassifier di sklearn e ha funzionato significativamente meglio:
# instantiation of the arrays is identical
rfc = RandomForestClassifier(n_estimators=1000, verbose=1)
rfc.fit(x_train, y_train)
yhat_proba = rfc.predict_proba(x_test)
# We have some annoying transformations to do because this .predict_proba() call returns the data in a weird format of shape (20, 12500, 2).
for i in range(len(yhat_proba)):
yhat_proba[i] = yhat_proba[i][:, 1]
pyhat = np.reshape(np.ravel(yhat_proba), (12500,20), order='F')
print(np.where(np.argmax(pyhat, axis=1) == np.argmax(y_test, axis=1), 1, 0).mean())
E il punteggio qui è il 94,4% dei campioni con il massimo identificato correttamente, il che è piuttosto buono.