Ejemplo Optimizadores#
import numpy as np
import matplotlib.pyplot as plt
from sklearn.datasets import make_moons
X, y = make_moons(n_samples=1000, noise=0.07, random_state=0)
plt.scatter(X[:, 0], X[:, 1], c=y)
plt.xlabel("X1")
plt.ylabel("X2");
data:image/s3,"s3://crabby-images/b5c19/b5c196067ff58101062f982d1a68c127a3ee0620" alt="../../../_images/output_3_02.png"
Conjunto de train y test:#
from sklearn.model_selection import train_test_split
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=0)
Estandarización de las variables:#
from sklearn.preprocessing import StandardScaler
sc = StandardScaler()
sc.fit(X_train)
X_train = sc.transform(X_train)
X_test = sc.transform(X_test)
Ajuste red neuronal:#
Ajuste inicial:
from keras.models import Sequential
from keras.layers import Dense
model = Sequential()
model.add(Dense(30, activation = "relu", input_shape=(X.shape[1],)))
model.add(Dense(1, activation = "sigmoid"))
model.compile(loss='binary_crossentropy', optimizer="sgd", metrics=['accuracy'])
history = model.fit(X_train, y_train, validation_data=(X_test, y_test),
epochs=200,
batch_size=5,
verbose=0)
from matplotlib.colors import ListedColormap
X_Set, y_Set = X_test, y_test
X1, X2 = np.meshgrid(
np.arange(start=X_Set[:, 0].min() - 1, stop=X_Set[:, 0].max() + 1, step=0.01),
np.arange(start=X_Set[:, 1].min() - 1, stop=X_Set[:, 1].max() + 1, step=0.01),
)
plt.contourf(
X1,
X2,
model.predict(np.array([X1.ravel(), X2.ravel()]).T).reshape(X1.shape),
alpha=0.75,
cmap=ListedColormap(("skyblue", "#F3B3A9")),
)
plt.xlim(X1.min(), X1.max())
plt.ylim(X2.min(), X2.max())
for i, j in enumerate(np.unique(y_Set)):
plt.scatter(
X_Set[y_Set == j, 0],
X_Set[y_Set == j, 1],
c=ListedColormap(("#195E7A", "#BA1818"))(i),
label=j,
)
plt.title("RNA")
plt.xlabel("X1")
plt.ylabel("X2")
plt.legend()
plt.show()
9954/9954 [==============================] - 6s 629us/step
c argument looks like a single numeric RGB or RGBA sequence, which should be avoided as value-mapping will have precedence in case its length matches with x & y. Please use the color keyword-argument or provide a 2D array with a single row if you intend to specify the same RGB or RGBA value for all points. c argument looks like a single numeric RGB or RGBA sequence, which should be avoided as value-mapping will have precedence in case its length matches with x & y. Please use the color keyword-argument or provide a 2D array with a single row if you intend to specify the same RGB or RGBA value for all points.
data:image/s3,"s3://crabby-images/f43aa/f43aadf911d526bb98d73325329b3e765f87537c" alt="../../../_images/output_14_21.png"
Optimizadores:#
import keras
def fit_model(X_train, y_train, X_test, y_test, optimizer):
model = Sequential()
model.add(Dense(30, activation = "relu", input_shape=(X.shape[1],)))
model.add(Dense(1, activation = "sigmoid"))
model.compile(loss='binary_crossentropy', optimizer=optimizer, metrics=['accuracy'])
history = model.fit(X_train, y_train, validation_data=(X_test, y_test),
epochs=200,
batch_size=5,
verbose=0)
plt.plot(history.history['loss'])
plt.plot(history.history['val_loss'])
plt.title('optimizer: '+optimizer)
plt.show()
plt.plot(history.history['accuracy'])
plt.plot(history.history['val_accuracy'])
plt.title('optimizer: '+optimizer)
plt.show()
optimizers = ['sgd', 'rmsprop', 'adagrad', 'adam']
for i in range(len(optimizers)):
fit_model(X_train, y_train, X_test, y_test, optimizers[i])
data:image/s3,"s3://crabby-images/d31ea/d31ea6542e513723404ae0269e757c61ee515614" alt="../../../_images/output_18_05.png"
data:image/s3,"s3://crabby-images/c3928/c3928fe602697103a4193e83ac9bea1ea7d4f7f7" alt="../../../_images/output_18_12.png"
data:image/s3,"s3://crabby-images/efac7/efac7405de41d9176da95c7d2492008a51306829" alt="../../../_images/output_18_21.png"
data:image/s3,"s3://crabby-images/026fc/026fc4c2fb982937242eb000cb490b5d2997daec" alt="../../../_images/output_18_3.png"
data:image/s3,"s3://crabby-images/f70cb/f70cbd6b7df8cb9b5535f9680ce04c69a1dedc5f" alt="../../../_images/output_18_4.png"
data:image/s3,"s3://crabby-images/2ce86/2ce86f9f2e70fcffbf45166564ff9e6e329ceedb" alt="../../../_images/output_18_5.png"
data:image/s3,"s3://crabby-images/09857/09857f3b903e319066d7a083dc10fba39c663a9c" alt="../../../_images/output_18_6.png"
data:image/s3,"s3://crabby-images/39469/39469f5f4038820cfcaa9397ea24e9a0c95eb29e" alt="../../../_images/output_18_7.png"
Momentum:#
def fit_model(X_train, y_train, X_test, y_test, momentum):
model = Sequential()
model.add(Dense(30, activation = "relu", input_shape=(X.shape[1],)))
model.add(Dense(1, activation = "sigmoid"))
opt = keras.optimizers.SGD(momentum=momentum)
model.compile(loss='binary_crossentropy', optimizer=opt, metrics=['accuracy'])
history = model.fit(X_train, y_train, validation_data=(X_test, y_test),
epochs=200,
batch_size=5,
verbose=0)
plt.plot(history.history['loss'])
plt.plot(history.history['val_loss'])
plt.title('Momentum: '+str(momentum))
plt.show()
plt.plot(history.history['accuracy'])
plt.plot(history.history['val_accuracy'])
plt.title('Momentum: '+str(momentum))
plt.show()
momentums = [0.0, 0.5, 0.9, 0.99]
for i in range(len(optimizers)):
fit_model(X_train, y_train, X_test, y_test, momentums[i])
data:image/s3,"s3://crabby-images/f5f61/f5f616931cac86e8c2662c8db601f59288fcb776" alt="../../../_images/output_21_03.png"
data:image/s3,"s3://crabby-images/3992e/3992e7141f6673d5e36cccf72692ec6d7b054943" alt="../../../_images/output_21_11.png"
data:image/s3,"s3://crabby-images/b4a35/b4a35ff55cd3802b8f1a3fa0abd092265ec2ec37" alt="../../../_images/output_21_2.png"
data:image/s3,"s3://crabby-images/ccce1/ccce12e1dc067aaca7eb7fb05c25f117add9dcdc" alt="../../../_images/output_21_3.png"
data:image/s3,"s3://crabby-images/0fe21/0fe218304e731f1642cbf2fbcf29a16f33eadb0d" alt="../../../_images/output_21_4.png"
data:image/s3,"s3://crabby-images/eb1d2/eb1d210cb434213637a0759436121a7d01d667d9" alt="../../../_images/output_21_5.png"
data:image/s3,"s3://crabby-images/0b38e/0b38e56c4dc04f722232997b1ece04d651db6c29" alt="../../../_images/output_21_6.png"
data:image/s3,"s3://crabby-images/d06bc/d06bc4c32c7d6d6bec9a1e411f42a7fa4b9a2439" alt="../../../_images/output_21_7.png"