-
Notifications
You must be signed in to change notification settings - Fork 0
/
Processing.py
249 lines (197 loc) · 8.84 KB
/
Processing.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
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
import numpy as np
import pandas as pd
from scipy import signal
import copy
def matriz_shifteada(features, delays):
features = np.array(features).reshape(len(features), 1)
nt, ndim = features.shape
dstims = []
for di, d in enumerate(delays):
dstim = np.zeros((nt, ndim))
if d < 0: # negative delay
dstim[:d, :] = features[-d:, :] # The last d elements until the end
elif d > 0:
dstim[d:, :] = features[:-d, :] # All but the last d elements
else:
dstim = features.copy()
dstims.append(dstim)
dstims = np.hstack(dstims)
# print("Stimulus matrix is now %d time points by %d features (should be # original features \
# (%d) x # delays (%d))" % (dstims.shape[0], dstims.shape[1], features.shape[1], len(delays)))
return dstims
def labeling(s, trial, canal_hablante, sr):
ubi = "Datos/phrases/S" + str(s) + "/s" + str(s) + ".objects." + "{:02d}".format(trial) + ".channel" + str(
canal_hablante) + ".phrases"
h1t = pd.read_table(ubi, header=None, sep="\t")
# paso los numerales a vacío. Cambio texto por 1 y silencio por 0
h1t.iloc[:, 2] = (h1t.iloc[:, 2].replace("#", "").apply(len) > 0).apply(int)
# tomo la diferencia entre el tiempo en el que empieza a hablar y el tiempo que termina de hablar
# lo multiplico por el sampling rate (128) y lo redondeo. Me va a quedar muy parecido al largo del envelope
# pero con una pequeña diferencia de una o dos samples
veces = np.round((h1t[1] - h1t[0]) * sr).astype("int")
hablante = np.repeat(h1t.iloc[:, 2], veces)
hablante = hablante.ravel()
# hago lo mismo con el oyente
oyente = (canal_hablante - 3) * -1
ubi = "Datos/phrases/S" + str(s) + "/s" + str(s) + ".objects." + "{:02d}".format(trial) + ".channel" + str(
oyente) + ".phrases"
h2t = pd.read_table(ubi, header=None, sep="\t")
# paso los numerales a vacío. Cambio texto por 1 y silencio por 0
h2t.iloc[:, 2] = (h2t.iloc[:, 2].replace("#", "").apply(len) > 0).apply(int)
veces = np.round((h2t[1] - h2t[0]) * sr).astype("int")
oyente = np.repeat(h2t.iloc[:, 2], veces)
oyente = oyente.ravel()
# hay diferencias de largos entre los hablantes? corrijo con 0-padding
diferencia = len(hablante) - len(oyente)
if diferencia > 0:
oyente = np.concatenate([oyente, np.repeat(0, diferencia)])
elif diferencia < 0:
hablante = np.concatenate([hablante, np.repeat(0, np.abs(diferencia))])
# sumo ambos, así tengo un vectorcito de 3(hablan ambos), 2 (solo habla oyente),
# 1 (solo habla interlocutor) y 0 (silencio).
hablantes = hablante + oyente * 2
return hablantes
def butter_filter(data, frecuencias, sampling_freq, btype, order, axis, ftype):
if btype == 'lowpass' or btype == 'highpass':
frecuencia = frecuencias / (sampling_freq / 2)
b, a = signal.butter(order, frecuencia, btype=btype)
elif btype == 'bandpass':
frecuencias = [frecuencia / (sampling_freq / 2) for frecuencia in frecuencias]
b, a = signal.butter(order, frecuencias, btype=btype)
if ftype == 'Causal':
y = signal.lfilter(b, a, data, axis=axis)
elif ftype == 'NonCausal':
y = signal.filtfilt(b, a, data, axis=axis, padlen=None)
return y
def butter_bandpass_filter(data, frecuencia, sampling_freq, order, axis):
frecuencia /= (sampling_freq / 2)
b, a = signal.butter(order, frecuencia, btype='lowpass')
y = signal.filtfilt(b, a, data, axis=axis, padlen=None)
return y
def subsamplear(x, cada_cuanto):
x = np.array(x)
tomar = np.arange(0, len(x), int(cada_cuanto))
return x[tomar]
def band_freq(band):
if type(band) == str:
if band == 'Delta':
l_freq = 1
h_freq = 4
elif band == 'Theta':
l_freq = 4
h_freq = 8
elif band == 'Alpha':
l_freq = 8
h_freq = 13
elif band == 'Beta_1':
l_freq = 13
h_freq = 19
elif band == 'Beta_2':
l_freq = 19
h_freq = 25
elif band == 'All':
l_freq = None
h_freq = 40
elif band == 'Delta_Theta':
l_freq = 1
h_freq = 8
elif band == 'Delta_Theta_Alpha':
l_freq = 1
h_freq = 13
elif type(band) == tuple:
l_freq = band[0]
h_freq = band[1]
elif band == None:
return None, None
return l_freq, h_freq
def preproc_dict(momentos_escucha, delays, situacion):
momentos_escucha_matriz = matriz_shifteada(momentos_escucha, delays).astype(float)
if situacion == 'Todo':
return
elif situacion == 'Silencio':
situacion = 0
elif situacion == 'Escucha':
situacion = 1
elif situacion == 'Habla' or situacion == 'Habla_Propia':
situacion = 2
elif situacion == 'Ambos' or situacion == 'Ambos_Habla':
situacion = 3
momentos_escucha_matriz[momentos_escucha_matriz == situacion] = float("nan")
keep_indexes = pd.isnull(momentos_escucha_matriz).all(1).nonzero()[0]
return keep_indexes
class estandarizar():
def __init__(self, axis=0):
self.axis = axis
def fit_standarize_train_data(self, train_data):
self.mean = np.mean(train_data, axis=self.axis)
self.std = np.std(train_data, axis=self.axis)
train_data -= self.mean
train_data /= self.std
def standarize_test_data(self, data):
data -= self.mean
data /= self.std
def standarize_data(self, data):
data -= np.mean(data, axis=self.axis)
data /= np.std(data, axis=self.axis)
class normalizar():
def __init__(self, axis=0, porcent=5):
self.axis = axis
self.porcent = porcent
def fit_normalize_train_data(self, train_matrix):
self.min = np.min(train_matrix, axis=self.axis)
train_matrix -= self.min
self.max = np.max(train_matrix, axis=self.axis)
train_matrix = np.divide(train_matrix, self.max, out=np.zeros_like(train_matrix), where=self.max != 0)
# train_matrix /= self.max
return train_matrix
def normlize_test_data(self, test_matrix):
test_matrix -= self.min
test_matrix = np.divide(test_matrix, self.max, out=np.zeros_like(test_matrix), where=self.max != 0)
# test_matrix /= self.max
return test_matrix
def fit_normalize_percent(self, matrix):
# Defino el termino a agarrar
self.n = int((self.porcent * len(matrix) - 1) / 100)
# Busco el nesimo minimo y lo resto
sorted_matrix = copy.deepcopy(matrix)
sorted_matrix.sort(self.axis)
self.minn_matrix = sorted_matrix[self.n]
matrix -= self.minn_matrix
# Vuelvo a sortear la matriz porque cambio, y busco el nesimo maximo y lo divido
sorted_matrix = copy.deepcopy(matrix)
sorted_matrix.sort(self.axis)
self.maxn_matrix = sorted_matrix[-self.n]
matrix = np.divide(matrix, self.max, out=np.zeros_like(matrix), where=self.maxn_matrix != 0)
matrix /= self.maxn_matrix
def normalize_01(self, matrix):
# Los estimulos los normalizo todos entre 0 y 1 estricto, la envolvente no tiene picos
matrix -= np.min(matrix, axis=self.axis)
matrix /= np.max(matrix, axis=self.axis)
def normalize_11(self, matrix):
# Los estimulos los normalizo todos entre 0 y 1 estricto, la envolvente no tiene picos
matrix -= np.min(matrix, axis=self.axis)
matrix /= np.max(matrix, axis=self.axis)
matrix *= 2
matrix -= 1
def standarize_normalize(eeg_train_val, eeg_test, dstims_train_val, dstims_test, Stims_preprocess, EEG_preprocess, axis=0, porcent=5):
norm = normalizar(axis, porcent)
estandar = estandarizar(axis)
if Stims_preprocess == 'Standarize':
for i in range(len(dstims_train_val)):
estandar.fit_standarize_train_data(dstims_train_val[i])
estandar.standarize_test_data(dstims_test[i])
dstims_train_val = np.hstack([dstims_train_val[i] for i in range(len(dstims_train_val))])
dstims_test = np.hstack([dstims_test[i] for i in range(len(dstims_test))])
if Stims_preprocess == 'Normalize':
for i in range(len(dstims_train_val)):
dstims_train_val[i] = norm.fit_normalize_train_data(dstims_train_val[i])
dstims_test[i] = norm.normlize_test_data(dstims_test[i])
dstims_train_val = np.hstack([dstims_train_val[i] for i in range(len(dstims_train_val))])
dstims_test = np.hstack([dstims_test[i] for i in range(len(dstims_test))])
if EEG_preprocess == 'Standarize':
estandar.fit_standarize_train_data(eeg_train_val)
estandar.standarize_test_data(eeg_test)
if EEG_preprocess == 'Normalize':
norm.fit_normalize_percent(eeg_train_val)
norm.normlize_test_data(eeg_test)
return eeg_train_val, eeg_test, dstims_train_val, dstims_test