11

在 python 中编写一些代码来评估基本功能。我有一个包含一些值的二维数组,我想将该函数应用于每个值并获得一个新的二维数组:

import numpy as N
def makeGrid(dim):
    ''' Function to return a grid of distances from the centre of an array.
    This version uses loops to fill the array and is thus slow.'''
    tabx = N.arange(dim) - float(dim/2.0) + 0.5
    taby = N.arange(dim) - float(dim/2.0) + 0.5
    grid = N.zeros((dim,dim), dtype='float')
    for y in range(dim):
        for x in range(dim):
            grid[y,x] = N.sqrt(tabx[x]**2 + taby[y]**2)
    return grid

import math

def BigGrid(dim):
    l= float(raw_input('Enter a value for lambda: '))
    p= float(raw_input('Enter a value for phi: '))
    a = makeGrid 
    b= N.zeros ((10,10),dtype=float) #Create an array to take the returned values
    for i in range(10):
        for j in range (10):
            b[i][j] = a[i][j]*l*p
    return b


if __name__ == "__main__":
    ''' Module test code '''
    size = 10 #Dimension of the array
    newGrid = BigGrid(size)
    newGrid = N.round(newGrid, decimals=2)
    print newGrid

但我得到的只是错误信息

Traceback (most recent call last):
  File "sim.py", line 31, in <module>
    newGrid = BigGrid(size)
  File "sim.py", line 24, in BigGrid
    b[i][j] = a[i][j]*l*p
TypeError: 'function' object has no attribute '__getitem__'

请帮忙。

4

3 回答 3

26

您似乎忘记了一对括号:

a = makeGrid(dim)

你现在拥有的:

a = makeGrid

只是给函数起别名makeGrid而不是调用它。然后,当您尝试对 进行索引时a,如下所示:

a[i]

它试图索引到一个函数,该函数没有使用括号表示法进行索引所需的神奇方法。__getitem__

于 2012-12-10T17:53:41.913 回答
5

正如其他人所说,您需要正确调用 makeGrid .... 仅供参考,这是在 Python 中看到的一个相当常见的错误,它通常意味着您的变量不是您认为的类型(在此案例,你期待一个矩阵,但得到了一个函数)

TypeError: 'function' object has no attribute '__getitem__'
于 2012-12-10T17:57:17.100 回答
3

您不是在调用makeGrid(),而是将函数对象本身分配给a

    a = makeGrid(dim) 
于 2012-12-10T17:54:40.523 回答