2

在我的功能中,我有:

        """
        Iterates 300 times as attempts, each having an inner-loop
        to calculate the z of a neighboring point and returns the optimal                 
        """

        pointList = []
        max_p = None

        for attempts in range(300):

            neighborList = ( (x - d, y), (x + d, y), (x, y - d), (x, y + d) )

            for neighbor in neighborList:
                z = evaluate( neighbor[0], neighbor[1] )
                point = None
                point = Point3D( neighbor[0], neighbor[1], z)
                pointList += point
            max_p = maxPoint( pointList )
            x = max_p.x_val
            y = max_p.y_val
        return max_p

我没有迭代我的类实例,点,但我仍然得到:

    pointList += newPoint
TypeError: 'Point3D' object is not iterable
4

2 回答 2

7

问题是这一行:

pointList += point

pointList是一个list并且point是一个Point3D实例。您只能向可迭代对象添加另一个可迭代对象。

你可以用这个来修复它:

pointList += [point]

或者

pointList.append(point)

在您的情况下,您不需要分配Nonepoint. 您也不需要将变量绑定到新点。您可以像这样直接将其添加到列表中:

pointList.append(Point3D( neighbor[0], neighbor[1], z))
于 2015-10-08T02:06:28.083 回答
3

当您执行以下操作时list-

pointList += newPoint

它类似于 call pointList.extend(newPoint),在这种情况下newPoint需要是一个可迭代的,其元素将被添加到pointList.

如果你想要的只是简单地将元素添加到列表中,你应该使用list.append()方法 -

pointList.append(newPoint)
于 2015-10-08T02:06:41.480 回答