Skip to content

Instantly share code, notes, and snippets.

@entron
Last active September 16, 2023 16:23
Show Gist options
  • Star 25 You must be signed in to star a gist
  • Fork 6 You must be signed in to fork a gist
  • Save entron/b9bc61a74e7cadeb1fec to your computer and use it in GitHub Desktop.
Save entron/b9bc61a74e7cadeb1fec to your computer and use it in GitHub Desktop.
Keras implementation of Kim's paper "Convolutional Neural Networks for Sentence Classification" with a very small embedding size. The test accuracy is 0.853.
'''This scripts implements Kim's paper "Convolutional Neural Networks for Sentence Classification"
with a very small embedding size (20) than the commonly used values (100 - 300) as it gives better
result with much less parameters.
Run on GPU: THEANO_FLAGS=mode=FAST_RUN,device=gpu,floatX=float32 python imdb_cnn.py
Get to 0.853 test accuracy after 5 epochs. 13s/epoch on Nvidia GTX980 GPU.
'''
from __future__ import print_function
import numpy as np
np.random.seed(1337) # for reproducibility
from keras.preprocessing import sequence
from keras.models import Graph
from keras.layers.core import Dense, Dropout, Activation, Flatten
from keras.layers.embeddings import Embedding
from keras.layers.convolutional import Convolution1D, MaxPooling1D
from keras.datasets import imdb
from keras.utils.np_utils import accuracy
# set parameters:
max_features = 5000 # vocabulary size
maxlen = 100 # maximum length of the review
batch_size = 32
embedding_dims = 20
ngram_filters = [3, 5, 7]
nb_filter = 1200 # number of filters for each ngram_filter
nb_epoch = 5
# prepare data
print('Loading data...')
(X_train, y_train), (X_test, y_test) = imdb.load_data(nb_words=max_features,
test_split=0.2)
print(len(X_train), 'train sequences')
print(len(X_test), 'test sequences')
print('Pad sequences (samples x time)')
X_train = sequence.pad_sequences(X_train, maxlen=maxlen)
X_test = sequence.pad_sequences(X_test, maxlen=maxlen)
print('X_train shape:', X_train.shape)
print('X_test shape:', X_test.shape)
# define model
model = Graph()
model.add_input(name='input', input_shape=(maxlen,), dtype=int)
model.add_node(Embedding(max_features, embedding_dims, input_length=maxlen), name='embedding', input='input')
model.add_node(Dropout(0.), name='dropout_embedding', input='embedding')
for n_gram in ngram_filters:
model.add_node(Convolution1D(nb_filter=nb_filter,
filter_length=n_gram,
border_mode='valid',
activation='relu',
subsample_length=1,
input_dim=embedding_dims,
input_length=maxlen),
name='conv_' + str(n_gram),
input='dropout_embedding')
model.add_node(MaxPooling1D(pool_length=maxlen - n_gram + 1),
name='maxpool_' + str(n_gram),
input='conv_' + str(n_gram))
model.add_node(Flatten(),
name='flat_' + str(n_gram),
input='maxpool_' + str(n_gram))
model.add_node(Dropout(0.), name='dropout', inputs=['flat_' + str(n) for n in ngram_filters])
model.add_node(Dense(1, input_dim=nb_filter * len(ngram_filters)), name='dense', input='dropout')
model.add_node(Activation('sigmoid'), name='sigmoid', input='dense')
model.add_output(name='output', input='sigmoid')
print(model.summary())
# train model
model.compile(loss={'output': 'binary_crossentropy'}, optimizer='rmsprop')
model.fit({'input': X_train, 'output': y_train},
batch_size=batch_size,
nb_epoch=nb_epoch,
validation_data={'input': X_test, 'output': y_test})
acc = accuracy(y_test,
np.round(np.array(model.predict({'input': X_test},
batch_size=batch_size)['output'])))
print('Test accuracy:', acc)
@DeepInEvil
Copy link

Hi,

Great code, but the paper implements a 2D convolution layer with width = embedding length and height is variable between 2,3,5 are you sure you implementing the same thing?
have you got same results?

@MarkWuNLP
Copy link

Hi,
I have a question about your code. In your implementation, the embedding of OOV words are updated during the training process. How can I only update the embedding of a word in the vocabulary? I remember MaskLayer is incompatible to the CNN layer.

@entron
Copy link
Author

entron commented May 12, 2016

hi, sorry I just saw your question. There seems to be no notification for a comment on gist to me...

My implementation is mostly the same with Kim's method except a few parameters tuning as it gives very good result (0.853).

I am not so familiar with the problem related to updating off vocabulary words. Could you tell me in more details?

@trideeprath
Copy link

There is no l2 loss implemented. In the Kim's version l2 normalized loss is implemented. Also, there are differences with the hyperparameter "nb_filter = 1200" in kim's its 100

@chck
Copy link

chck commented Mar 20, 2018

My Keras is not worked...
What's a workable Keras version?

@rjurney
Copy link

rjurney commented Aug 2, 2019

@entron What does Dropout 0. do? Drop nothing?

@entron
Copy link
Author

entron commented Aug 3, 2019

It has been so long and I can't remember now. Maybe it was as a legacy code when I used to test different dropout values and it turned out it's better not using dropout at all.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment