if name == 'main': # 实例化问题对象 problem = MyProblem() # 生成问题对象 # 快速构建算法 algorithm = ea.soea_DE_currentToBest_1_bin_templet( problem, ea.Population(Encoding='RI', NIND=20), MAXGEN=400, # 最大进化代数。 logTras=0) # 表示每隔多少代记录一次日志信息,0表示不记录。 algorithm.mutOper.F = 0.7 # 差分进化中的参数F。 algorithm.recOper.XOVR = 0.7 # 交叉概率。 # 先验知识 prophetVars = np.array([[2000, 2000, 2000, 2000, 2000, 2000]]) # 假设已知[0.4, 0.2, 0.4]为一组比较优秀的变量。 # # 求解 res = ea.optimize(algorithm, prophet=prophetVars, verbose=True, drawing=1, outputMsg=True, drawLog=True, saveFlag=True) print(res) data = pd.DataFrame() data['BestFitness'] = [item.FitV for item in res.history] data['MeanFitness'] = [item.FitnV for item in res.history] data['Generation'] = range(1, len(res.history) + 1) data.to_excel('data.xlsx', index=False)这段代码报错,错误是:AttributeError: 'dict' object has no attribute 'history'如何修改
时间: 2024-01-29 18:04:49 浏览: 125
根据错误信息,可以看出是在字典对象上调用了 `history` 属性,而字典没有 `history` 属性,因此报错。推测是 `res` 对象是一个字典类型,而不是一个 `Algorithm` 类型的实例。
要解决这个问题,可以尝试将 `res` 对象改为 `Algorithm` 类型的实例。可以在使用 `ea.optimize()` 函数时,将 `Algorithm` 类型的实例作为返回值。修改的代码如下:
```python
if name == 'main':
# 实例化问题对象
problem = MyProblem()
# 生成问题对象
# 快速构建算法
algorithm = ea.soea_DE_currentToBest_1_bin_templet(
problem, ea.Population(Encoding='RI', NIND=20), MAXGEN=400, # 最大进化代数。
logTras=0) # 表示每隔多少代记录一次日志信息,0表示不记录。
algorithm.mutOper.F = 0.7 # 差分进化中的参数F。
algorithm.recOper.XOVR = 0.7 # 交叉概率。
# 先验知识
prophetVars = np.array([[2000, 2000, 2000, 2000, 2000, 2000]])
# 假设已知[0.4, 0.2, 0.4]为一组比较优秀的变量。
# 求解
res = ea.optimize(algorithm, prophet=prophetVars, verbose=True, drawing=1, outputMsg=True, drawLog=True, saveFlag=True)
# 获取算法的历史记录
history = res.pop(0)
print(res)
data = pd.DataFrame()
data['BestFitness'] = [item.FitV for item in history]
data['MeanFitness'] = [item.FitnV for item in history]
data['Generation'] = range(1, len(history) + 1)
data.to_excel('data.xlsx', index=False)
```
在上面的代码中,我们通过 `res.pop(0)` 来将 `Algorithm` 类型的实例从字典中取出,然后获取到算法的历史记录 `history`,然后就可以使用 `history` 来构建数据框,并输出到 Excel 文件中了。
阅读全文