我在python中有这段代码
data = np.empty(temp.shape)
maxlat = temp.shape[0]
maxlon = temp.shape[1]
print(maxlat,maxlon)
for i in range(0,maxlat) :
for j in range(0,maxlon):
data[i][j] = p_temperature(pr,temp[i][j])
当我在Python 3.5中运行此代码时,我收到此错误
ValueError : setting an array element with a sequence
maxlat
的值为181
,maxlon
的值为360
。
temp
数组的形状为(181,360)
我也在评论中尝试了这个建议:
for i in range(0,maxlat) :
for j in range(0,maxlon):
data[i][j] = temp[i][j]
但我得到同样的错误。
答案 0 :(得分:4)
根据您获得的异常,temp
似乎可能是包含序列的object
数组。您只需使用numpy.empty_like
:
data = np.empty_like(temp) # instead of "data = np.empty(temp.shape)"
这将创建一个具有相同形状和dtype的新空数组 - 类似原始数组。
例如:
import numpy as np
temp = np.empty((181, 360), dtype=object)
for i in range(maxlat) :
for j in range(maxlon):
temp[i][j] = [1, 2, 3]
采用新方法可行:
data = np.empty_like(temp)
maxlat = temp.shape[0]
maxlon = temp.shape[1]
print(maxlat, maxlon)
for i in range(maxlat) :
for j in range(maxlon):
data[i][j] = temp[i][j]
此temp
数组还会在原始代码示例上重现异常:
data = np.empty(temp.shape) # your approach
maxlat = temp.shape[0]
maxlon = temp.shape[1]
print(maxlat, maxlon)
for i in range(maxlat) :
for j in range(maxlon):
data[i][j] = temp[i][j]
抛出异常:
ValueError:使用序列设置数组元素。