-
Notifications
You must be signed in to change notification settings - Fork 4
/
Arrow.py
158 lines (115 loc) · 4.19 KB
/
Arrow.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
from string import punctuation
import numpy as np
from sklearn.datasets import fetch_20newsgroups
from collections import Counter
from sklearn.utils import shuffle
from nltk.corpus import stopwords
import matplotlib as mplt
mplt.use('agg') # Must be before importing matplotlib.pyplot or pylab!
import matplotlib.pyplot as plt
import nltk
nltk.download('stopwords')
"""
References
[1] AROW - http://www.alexkulesza.com/pubs/arow_nips09.pdf
[2] MOA - http://www.jmlr.org/papers/volume11/bifet10a/bifet10a.pdf
"""
seed = 42
np.random.seed(seed)
class AROW:
def __init__(self, nb_class, d):
self.w = np.zeros((nb_class, d))
self.sigma = np.identity(d)
self.r = 1
self.nb_class = nb_class
def fit(self, X, y):
w = np.copy(self.w)
sigma = np.copy(self.sigma)
# y = ((y - y.min()) * (1/(y.max() - y.min()) * (nb_class-1))).astype('uint8')
F_t = np.dot(self.w, X.T)
# compute hinge loss and support vector
F_s = np.copy(F_t)
F_s[y] = -np.inf
s_t = np.argmax(F_s)
m_t = F_t[y] - F_t[s_t]
v_t = np.dot(X, np.dot(sigma, X.T))
l_t = np.maximum(0, 1 - m_t) # hinge loss
# update weights
if l_t > 0:
beta_t = 1 / (v_t + self.r)
alpha_t = l_t * beta_t
self.w[y] = w[y] + (alpha_t * np.dot(sigma, X.T).T)
self.w[s_t] = w[s_t] - (alpha_t * np.dot(sigma, X.T).T)
self.sigma = sigma - beta_t * np.dot(np.dot(sigma, X.T), np.dot(X, sigma))
def predict(self, X):
return np.argmax(np.dot(self.w, X.T), axis=0)
def preProcess():
newsgroups_data = fetch_20newsgroups(subset='all', remove=('headers', 'footers', 'quotes'))
words = []
temp_post_text = []
for post in newsgroups_data.data:
all_text = ''.join([text for text in post if text not in punctuation])
all_text = all_text.split('\n')
all_text = ''.join(all_text)
temp_text = all_text.split(" ")
for word in temp_text:
if word.isalpha():
temp_text[temp_text.index(word)] = word.lower()
# temp_text = [word for word in temp_text if word not in stopwords.words('english')]
temp_text = list(filter(None, temp_text))
temp_text = ' '.join([i for i in temp_text if not i.isdigit()])
words += temp_text.split(" ")
temp_post_text.append(temp_text)
dictionary = Counter(words)
dictionary = dictionary.most_common(3000)
print(dictionary)
feature_set = []
for post in temp_post_text:
data = []
words = post.split(' ')
for entry in dictionary:
data.append(words.count(entry[0]))
print(entry[0])
print(words.count(entry[0]))
feature_set.append(data)
labels = newsgroups_data.target
return feature_set, labels
def plot(noOfWrongPred, dataPoints, name):
font_size = 14
fig = plt.figure(dpi=100,figsize=(10, 6))
mplt.rcParams.update({'font.size': font_size})
plt.title("Distribution of wrong predictions", fontsize=font_size)
plt.ylabel('Error rate', fontsize=font_size)
plt.xlabel('Number of data points', fontsize=font_size)
plt.plot(dataPoints, noOfWrongPred, label='Prediction', color='blue', linewidth=1.8)
# plt.legend(loc='upper right', fontsize=14)
plt.savefig(name+'.png')
# plt.show()
if __name__ == '__main__':
features, labels = preProcess()
features= np.asarray(features)
print(type(features))
print(type(labels))
X_train, y_train = shuffle(features, labels, random_state=seed)
n, d = X_train.shape
nb_class = 20
arow = AROW(nb_class, d)
error = 0
noOfWrongPreds = []
dataPoints = []
for i in range(n):
X, y = X_train[i:i + 1], y_train[i:i + 1]
print()
p_y = arow.predict(X)
arow.fit(X, y)
if y-p_y != 0:
error += 1
if i % 50 == 0:
print(error)
print(i)
print(i+1)
noOfWrongPreds.append(error / (i+1))
dataPoints.append(i+1)
print(error)
print(np.divide(error, n, dtype=np.float))
plot(noOfWrongPreds, dataPoints, "distribution of wrong predictions Arrow")