Search code examples
pythonrscalescikit-learn

Difference between R.scale() and sklearn.preprocessing.scale()


I am currently moving my data analysis from R to Python. When scaling a dataset in R i would use R.scale(), which in my understanding would do the following: (x-mean(x))/sd(x)

To replace that function I tried to use sklearn.preprocessing.scale(). From my understanding of the description it does the same thing. Nonetheless I ran a little test-file and found out, that both of these methods have different return-values. Obviously the standard deviations are not the same... Is someone able to explain why the standard deviations "deviate" from one another?

MWE:

# import packages
from sklearn import preprocessing
import numpy
import rpy2.robjects.numpy2ri
from rpy2.robjects.packages import importr
rpy2.robjects.numpy2ri.activate()
# Set up R namespaces
R = rpy2.robjects.r


np1 = numpy.array([[1.0,2.0],[3.0,1.0]])
print "Numpy-array:"
print np1

print "Scaled numpy array through R.scale()"
print R.scale(np1)
print "-------"
print "Scaled numpy array through preprocessing.scale()"
print preprocessing.scale(np1, axis = 0, with_mean = True, with_std = True)
scaler = preprocessing.StandardScaler()
scaler.fit(np1)
print "Mean of preprocessing.scale():"
print scaler.mean_
print "Std of preprocessing.scale():"
print scaler.std_

Output: Output generated by the MWE


Solution

  • It seems to have to do with how standard deviation is calculated.

    >>> import numpy as np
    >>> a = np.array([[1, 2],[3, 1]])
    >>> np.std(a, axis=0)
    array([ 1. ,  0.5])
    >>> np.std(a, axis=0, ddof=1)
    array([ 1.41421356,  0.70710678])
    

    From numpy.std documentation,

    ddof : int, optional

    Means Delta Degrees of Freedom. The divisor used in calculations is N - ddof, where N represents the number of elements. By default ddof is zero.

    Apparently, R.scale() uses ddof=1, but sklearn.preprocessing.StandardScaler() uses ddof=0.

    EDIT: (To explain how to use alternate ddof)

    There doesn't seem to be a straightforward way to calculate std with alternate ddof, without accessing the variables of the StandardScaler() object itself.

    sc = StandardScaler()
    sc.fit(data)
    # Now, sc.mean_ and sc.std_ are the mean and standard deviation of the data
    # Replace the sc.std_ value using std calculated using numpy
    sc.std_ = numpy.std(data, axis=0, ddof=1)