Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Use of numpy fromfunction

im trying to use fromfunction to create a 5x5 matrix with gaussian values of mu=3 and sig=2, this is my attempt :

from random import gauss
import numpy as np
np.fromfunction(lambda i,j: gauss(3,2), (5, 5))

this is the result : 5.365244570434782

as i understand from the docs this should have worked, but i am getting a scalar instead of 5x5 matrix... why? and how to fix this?

like image 507
Ofek Ron Avatar asked Dec 07 '22 20:12

Ofek Ron


2 Answers

The numpy.fromfunction docs are extremely misleading. Instead of calling your function repeatedly and building an array from the results, fromfunction actually only makes one call to the function you pass it. In that one call, it passes a number of index arrays to your function, instead of individual indices.

Stripping out the docstring, the implementation is as follows:

def fromfunction(function, shape, **kwargs):
    dtype = kwargs.pop('dtype', float)
    args = indices(shape, dtype=dtype)
    return function(*args,**kwargs)

That means unless your function broadcasts, numpy.fromfunction doesn't do anything like what the docs say it does.

like image 131
user2357112 supports Monica Avatar answered Jan 10 '23 15:01

user2357112 supports Monica


I know this is an old post, but for anyone stumbling upon this, the reason why it didn't work is, the expression inside lambda is not making use of the i, j variables

what you need could you achieved like this:

np.zeros((5, 5)) + gauss(3, 2)
like image 37
nshathish Avatar answered Jan 10 '23 13:01

nshathish