Source code for libpyhat.transform.dim_reductions.jade

#######################################################################
# jade.py -- Blind source separation of real signals
#
# Version 1.8
#
# Copyright 2005, Jean-Francois Cardoso (Original MATLAB code)
# Copyright 2007, Gabriel J.L. Beckers (NumPy translation)
# http://gbeckers.nl/pages/numpy_scripts/jadeR.py
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.
#######################################################################

import numpy as np


# JADE class created for compatibility with PyHAT
[docs] class JADE: def __init__(self, n_components=4): self.n_components = n_components
[docs] def fit(self, X, corrdata=None): X = np.array(X) scores = jadeR(X, m=self.n_components) loadings = np.dot(scores, X) for i in list(range(1, len(scores[:, 0]) + 1)): if np.abs(np.max(loadings[i - 1, :])) < np.abs( np.min(loadings[i - 1, :]) ): # flip the sign if necessary to look nicer loadings[i - 1, :] = loadings[i - 1, :] * -1 scores[i - 1, :] = scores[i - 1, :] * -1 self.ica_jade_loadings = loadings return scores.T
[docs] def transform(self, X): return np.dot(self.ica_jade_loadings, X.T).T
# TODO: Implement this functionality. Build a test. Disabled for now. # this is a function that finds the correlation between loadings and a set of columns # The idea is to somewhat automate identifying which element the loading corresponds to. """def correlate_loadings(self, df, corrcols): # TODO: Define icacols corrdf = self.df.corr().drop(icacols, 1).drop(corrcols, 0) ica_jade_ids = [] for i in corrdf.loc["ICA-JADE"].index: tmp = corrdf.loc[("ICA-JADE", i)] match = tmp.values == np.max(tmp) ica_jade_ids.append( corrcols[np.where(match)[0]][1] + " (r=" + str(np.round(np.max(tmp), 1)) + ")" ) self.ica_jade_corr = corrdf self.ica_jade_ids = ica_jade_ids"""
[docs] def jadeR(X, m=None, verbose=True): """ Blind separation of real signals with JADE. jadeR implements JADE, an Independent Component Analysis (ICA) algorithm developed by Jean-Francois Cardoso. See http://www.tsi.enst.fr/~cardoso/guidesepsou.html , and papers cited at the end of the source file. Translated into NumPy from the original Matlab Version 1.8 (May 2005) by Gabriel Beckers, http://gbeckers.nl/pages/numpy_scripts/jadeR.py Parameters: X -- an nxT data matrix (n sensors, T samples). May be a numpy array or matrix. m -- output matrix B has size mxn so that only m sources are extracted. This is done by restricting the operation of jadeR to the m first principal components. Defaults to None, in which case m=n. verbose -- print info on progress. Default is True. Returns: An m*n matrix B (NumPy matrix type), such that Y=B*X are separated sources extracted from the n*T data matrix X. If m is omitted, B is a square n*n matrix (as many sources as sensors). The rows of B are ordered such that the columns of pinv(B) are in order of decreasing norm; this has the effect that the `most energetically significant` components appear first in the rows of Y=B*X. Quick notes (more at the end of this file): o This code is for REAL-valued signals. A MATLAB implementation of JADE for both real and complex signals is also available from http://sig.enst.fr/~cardoso/stuff.html o This algorithm differs from the first released implementations of JADE in that it has been optimized to deal more efficiently 1) with real signals (as opposed to complex) 2) with the case when the ICA model does not necessarily hold. o There is a practical limit to the number of independent components that can be extracted with this implementation. Note that the first step of JADE amounts to a PCA with dimensionality reduction from n to m (which defaults to n). In practice m cannot be `very large` (more than 40, 50, 60... depending on available memory) o See more notes, references and revision history at the end of this file and more stuff on the WEB http://sig.enst.fr/~cardoso/stuff.html o For more info on NumPy translation, see the end of this file. o This code is supposed to do a good job! Please report any problem relating to the NumPY code gabriel@gbeckers.nl Copyright original Matlab code : Jean-Francois Cardoso <cardoso@sig.enst.fr> Copyright Numpy translation : Gabriel Beckers <gabriel@gbeckers.nl> """ # GB: we do some checking of the input arguments and copy data to new # variables to avoid messing with the original input. We also require double # precision (float64) and a numpy matrix type for X. assert isinstance( X, np.ndarray ), "X (input data matrix) is of the wrong type (%s)" % type(X) origtype = X.dtype # remember to return matrix B of the same type X = np.matrix(X.astype(np.float64)) assert X.ndim == 2, "X has %d dimensions, should be 2" % X.ndim assert (verbose == True) or ( verbose == False ), "verbose parameter should be either True or False" [n, T] = X.shape # GB: n is number of input signals, T is number of samples if m == None: m = n # Number of sources defaults to # of sensors assert m <= n, "jade -> Do not ask more sources (%d) than sensors (%d )here!!!" % ( m, n, ) if verbose: print("jade -> Looking for " + str(m) + " sources") print("jade -> Removing the mean value") X -= X.mean(1) # whitening & projection onto signal subspace # =========================================== if verbose: print("jade -> Whitening the data") [D, U] = np.linalg.eig( (X * X.T) / float(T) ) # An eigen basis for the sample covariance matrix k = D.argsort() Ds = D[k] # Sort by increasing variances PCs = np.arange( n - 1, n - m - 1, -1 ) # The m most significant princip. comp. by decreasing variance # --- PCA ---------------------------------------------------------- B = U[:, k[PCs]].T # % At this stage, B does the PCA on m components # --- Scaling ------------------------------------------------------ scales = np.sqrt(Ds[PCs]) # The scales of the principal components . B = np.diag(1.0 / scales) * B # Now, B does PCA followed by a rescaling = sphering # B[-1,:] = -B[-1,:] # GB: to make it compatible with octave # --- Sphering ------------------------------------------------------ X = B * X # %% We have done the easy part: B is a whitening matrix and X is white. del U, D, Ds, k, PCs, scales # NOTE: At this stage, X is a PCA analysis in m components of the real data, except that # all its entries now have unit variance. Any further rotation of X will preserve the # property that X is a vector of uncorrelated components. It remains to find the # rotation matrix such that the entries of X are not only uncorrelated but also `as # independent as possible". This independence is measured by correlations of order # higher than 2. We have defined such a measure of independence which # 1) is a reasonable approximation of the mutual information # 2) can be optimized by a `fast algorithm" # This measure of independence also corresponds to the `diagonality" of a set of # cumulant matrices. The code below finds the `missing rotation " as the matrix which # best diagonalizes a particular set of cumulant matrices. # Estimation of the cumulant matrices. # ==================================== if verbose: print("jade -> Estimating cumulant matrices") # Reshaping of the data, hoping to speed up things a little bit... X = X.T dimsymm = (m * (m + 1)) / 2 # Dim. of the space of real symm matrices nbcm = dimsymm # number of cumulant matrices CM = np.matrix( np.zeros([m, int(m * nbcm)], dtype=np.float64) ) # Storage for cumulant matrices R = np.matrix(np.eye(m, dtype=np.float64)) Qij = np.matrix(np.zeros([m, m], dtype=np.float64)) # Temp for a cum. matrix Xim = np.zeros(m, dtype=np.float64) # Temp Xijm = np.zeros(m, dtype=np.float64) # Temp # Uns = numpy.ones([1,m], dtype=numpy.uint32) # for convenience # GB: we don't translate that one because NumPy doesn't need Tony's rule # I am using a symmetry trick to save storage. I should write a short note one of these # days explaining what is going on here. Range = np.arange(m) # will index the columns of CM where to store the cum. mats. for im in range(m): Xim = X[:, im] Xijm = np.multiply(Xim, Xim) # Note to myself: the -R on next line can be removed: it does not affect # the joint diagonalization criterion Qij = ( np.multiply(Xijm, X).T * X / float(T) - R - 2 * np.dot(R[:, im], R[:, im].T) ) CM[:, Range] = Qij Range = Range + m for jm in range(im): Xijm = np.multiply(Xim, X[:, jm]) Qij = ( np.sqrt(2) * np.multiply(Xijm, X).T * X / float(T) - R[:, im] * R[:, jm].T - R[:, jm] * R[:, im].T ) CM[:, Range] = Qij Range = Range + m # Now we have nbcm = m(m+1)/2 cumulants matrices stored in a big m x m*nbcm array. V = np.matrix(np.eye(m, dtype=np.float64)) Diag = np.zeros(m, dtype=np.float64) On = 0.0 Range = np.arange(m) for im in list(range(int(nbcm))): Diag = np.diag(CM[:, Range]) On = On + (Diag * Diag).sum(axis=0) Range = Range + m Off = (np.multiply(CM, CM).sum(axis=0)).sum(axis=0) - On seuil = 1.0e-6 / np.sqrt(T) # % A statistically scaled threshold on `small" angles encore = True sweep = 0 # % sweep number updates = 0 # % Total number of rotations upds = 0 # % Number of rotations in a given seep g = np.zeros([2, int(nbcm)], dtype=np.float64) gg = np.zeros([2, 2], dtype=np.float64) G = np.zeros([2, 2], dtype=np.float64) c = 0 s = 0 ton = 0 toff = 0 theta = 0 Gain = 0 # Joint diagonalization proper if verbose: print("jade -> Contrast optimization by joint diagonalization") while encore: encore = False if verbose: pass sweep = sweep + 1 upds = 0 Vkeep = V for p in range(m - 1): for q in range(p + 1, m): Ip = np.array(np.arange(p, m * nbcm, m), dtype="int") Iq = np.array(np.arange(q, m * nbcm, m), dtype="int") # computation of Givens angle g = np.concatenate([CM[p, Ip] - CM[q, Iq], CM[p, Iq] + CM[q, Ip]]) gg = np.dot(g, g.T) ton = gg[0, 0] - gg[1, 1] toff = gg[0, 1] + gg[1, 0] theta = 0.5 * np.arctan2(toff, ton + np.sqrt(ton * ton + toff * toff)) Gain = (np.sqrt(ton * ton + toff * toff) - ton) / 4.0 # Givens update if abs(theta) > seuil: encore = True upds = upds + 1 c = np.cos(theta) s = np.sin(theta) G = np.matrix([[c, -s], [s, c]]) pair = np.array([p, q]) V[:, pair] = V[:, pair] * G CM[pair, :] = G.T * CM[pair, :] CM[:, np.concatenate([Ip, Iq])] = np.append( c * CM[:, Ip] + s * CM[:, Iq], -s * CM[:, Ip] + c * CM[:, Iq], axis=1, ) On = On + Gain Off = Off - Gain if verbose: pass print("completed in %d rotations" % upds) updates = updates + upds if verbose: print("jade -> Total of %d Givens rotations" % updates) # A separating matrix # =================== B = V.T * B # Permute the rows of the separating matrix B to get the most energetic components first. # Here the **signals** are normalized to unit variance. Therefore, the sort is # according to the norm of the columns of A = pinv(B) if verbose: print("jade -> Sorting the components") A = np.linalg.pinv(B) keys = np.array(np.argsort(np.multiply(A, A).sum(axis=0)[0]))[0] B = B[keys, :] B = B[::-1, :] # % Is this smart ? if verbose: print("jade -> Fixing the signs") b = B[:, 0] signs = np.array(np.sign(np.sign(b) + 0.1).T)[0] # just a trick to deal with sign=0 B = np.diag(signs) * B return B.astype(origtype)
# Revision history of MATLAB code: # # - V1.8, May 2005 # - Added some commented code to explain the cumulant computation tricks. # - Added reference to the Neural Comp. paper. # # - V1.7, Nov. 16, 2002 # - Reverted the mean removal code to an earlier version (not using # repmat) to keep the code octave-compatible. Now less efficient, # but does not make any significant difference wrt the total # computing cost. # - Remove some cruft (some debugging figures were created. What # was this stuff doing there???) # # # - V1.6, Feb. 24, 1997 # - Mean removal is better implemented. # - Transposing X before computing the cumulants: small speed-up # - Still more comments to emphasize the relationship to PCA # # - V1.5, Dec. 24 1997 # - The sign of each row of B is determined by letting the first element be positive. # # - V1.4, Dec. 23 1997 # - Minor clean up. # - Added a verbose switch # - Added the sorting of the rows of B in order to fix in some reasonable way the # permutation indetermination. See note 2) below. # # - V1.3, Nov. 2 1997 # - Some clean up. Released in the public domain. # # - V1.2, Oct. 5 1997 # - Changed random picking of the cumulant matrix used for initialization to a # deterministic choice. This is not because of a better rationale but to make the # ouput (almost surely) deterministic. # - Rewrote the joint diag. to take more advantage of Matlab"s tricks. # - Created more dummy variables to combat Matlab"s loose memory management. # # - V1.1, Oct. 29 1997. # Made the estimation of the cumulant matrices more regular. This also corrects a # buglet... # # - V1.0, Sept. 9 1997. Created. # # Main references: # @article{CS-iee-94, # title = "Blind beamforming for non {G}aussian signals", # author = "Jean-Fran\c{c}ois Cardoso and Antoine Souloumiac", # HTML = "ftp://sig.enst.fr/pub/jfc/Papers/iee.ps.gz", # journal = "IEE Proceedings-F", # month = dec, number = 6, pages = {362-370}, volume = 140, year = 1993} # # # @article{JADE:NC, # author = "Jean-Fran\c{c}ois Cardoso", # journal = "Neural Computation", # title = "High-order contrasts for independent component analysis", # HTML = "http://www.tsi.enst.fr/~cardoso/Papers.PS/neuralcomp_2ppf.ps", # year = 1999, month = jan, volume = 11, number = 1, pages = "157-192"} # # # Notes: # ====== # # Note 1) The original Jade algorithm/code deals with complex signals in Gaussian noise # white and exploits an underlying assumption that the model of independent components # actually holds. This is a reasonable assumption when dealing with some narrowband # signals. In this context, one may i) seriously consider dealing precisely with the # noise in the whitening process and ii) expect to use the small number of significant # eigenmatrices to efficiently summarize all the 4th-order information. All this is done # in the JADE algorithm. # # In *this* implementation, we deal with real-valued signals and we do NOT expect the ICA # model to hold exactly. Therefore, it is pointless to try to deal precisely with the # additive noise and it is very unlikely that the cumulant tensor can be accurately # summarized by its first n eigen-matrices. Therefore, we consider the joint # diagonalization of the *whole* set of eigen-matrices. However, in such a case, it is # not necessary to compute the eigenmatrices at all because one may equivalently use # `parallel slices" of the cumulant tensor. This part (computing the eigen-matrices) of # the computation can be saved: it suffices to jointly diagonalize a set of cumulant # matrices. Also, since we are dealing with reals signals, it becomes easier to exploit # the symmetries of the cumulants to further reduce the number of matrices to be # diagonalized. These considerations, together with other cheap tricks lead to this # version of JADE which is optimized (again) to deal with real mixtures and to work # `outside the model'. As the original JADE algorithm, it works by minimizing a `good # set' of cumulants. # # Note 2) The rows of the separating matrix B are resorted in such a way that the columns # of the corresponding mixing matrix A=pinv(B) are in decreasing order of (Euclidian) # norm. This is a simple, `almost canonical" way of fixing the indetermination of # permutation. It has the effect that the first rows of the recovered signals (ie the # first rows of B*X) correspond to the most energetic *components*. Recall however that # the source signals in S=B*X have unit variance. Therefore, when we say that the # observations are unmixed in order of decreasing energy, this energetic signature is to # be found as the norm of the columns of A=pinv(B) and not as the variances of the # separated source signals. # # Note 3) In experiments where JADE is run as B=jadeR(X,m) with m varying in range of # values, it is nice to be able to test the stability of the decomposition. In order to # help in such a test, the rows of B can be sorted as described above. We have also # decided to fix the sign of each row in some arbitrary but fixed way. The convention is # that the first element of each row of B is positive. # # Note 4) Contrary to many other ICA algorithms, JADE (or least this version) does not # operate on the data themselves but on a statistic (the full set of 4th order cumulant). # This is represented by the matrix CM below, whose size grows as m^2 x m^2 where m is # the number of sources to be extracted (m could be much smaller than n). As a # consequence, (this version of) JADE will probably choke on a `large' number of sources. # Here `large' depends mainly on the available memory and could be something like 40 or # so. One of these days, I will prepare a version of JADE taking the `data' option # rather than the `statistic' option. # Notes on translation (GB): # ========================= # # Note 1) The function jadeR is a relatively literal translation from the original MATLAB # code. I haven't really looked into optimizing it for NumPy. If you have any time to look # at this and good ideas, let me know. # # Note 2) A test module that compares NumPy output with Octave (MATLAB # clone) output of the original MATLAB script is available