前提・実現したいこと
「Python 機械学習プログラミング 達人データサイエンティストによる理論と実践」という本に沿って、アヤメのデータの決定境界が検出されたかチェックするためのグラフをプロットしたい.
発生している問題・エラーメッセージ
Traceback (most recent call last): File "PythonDeML.py", line 54, in <module> ppn.fit(X, y) File "PythonDeML.py", line 18, in fit update = float(self.eta) * (float(target) - float(self.predict(xi))) File "PythonDeML.py", line 29, in predict return np.where(self.net_input(X) >= 0.0, 1, -1) File "PythonDeML.py", line 26, in net_input return np.dot(X, self.w_[1:]) + self.w_[0] TypeError: can't multiply sequence by non-int of type 'float'
該当のソースコード
Python3
1import numpy as np 2import pandas as pd 3import matplotlib.pyplot as plt 4class Perceptron(object): 5 def __init__(self, eta=0.01, n_iter=50, random_state=1): 6 self.eta = eta 7 self.n_iter = n_iter 8 self.random_state = random_state 9 10 def fit(self, X, y): 11 rgen = np.random.RandomState(self.random_state) 12 self.w_ = rgen.normal(loc=0.0, scale=0.01, size=1 + X.shape[1]) 13 self.errors_ = [] 14 15 for _ in range(self.n_iter): 16 errors = 0 17 for xi, target in zip(X, y): 18 update = float(self.eta) * (float(target) - float(self.predict(xi))) 19 self.w_[1:] += update * xi 20 self.w_[0] += update 21 errors += int(update != 0.0) 22 self.errors_.append(errors) 23 return self 24 25 def net_input(self, X): 26 return np.dot(X, self.w_[1:]) + self.w_[0] 27 28 def predict(self, X): 29 return np.where(self.net_input(X) >= 0.0, 1, -1) 30 31df = pd.read_csv('https://raw.githubusercontent.com/pandas-dev/pandas/master/pandas/tests/data/iris.csv', header=None) 32df.tail() 33# 1~100行目の目的変数の抽出 34y = df.iloc[0:100, 4].values 35# Iris-setosa を-1, Iris-virginica を1に変更 36y = np.where(y == 'Iris-setosa', -1, 1) 37# 1-100行目の1, 3列目の抽出 38X = df.iloc[0:100, [0, 2]].values 39# 品種setosaのplot (赤丸) 40plt.scatter(X[:50, 0], X[:50, 1], color='red', marker='o', label='setosa') 41# 品種versicolorのplot (青罰) 42plt.scatter(X[50:100, 0], X[50:100,1], color='blue', marker='x', label='versicolor') 43# 軸ラベルの設定 44plt.xlabel('sepal length [cm]') 45plt.ylabel('petal length [cm]') 46# 凡例の設定 47plt.legend(loc='upper left') 48# 図の表示 49plt.show() 50 51# パーセプトロンのオブジェクトの作成 52ppn = Perceptron(eta=0.1, n_iter=10) 53# トレーニングデータへのモデルの適合 54ppn.fit(X, y) 55# epoch とご分類誤差の関係の折れ線グラフをplot 56plt.plot(range(1, len(ppn.errors_) + 1), ppn.errors_, marker='o') 57# 軸のラベルの設定 58plt.xlabel('Epochs') 59plt.ylabel('Number of update') 60plt.show()
試したこと
写し間違いがないかどうかの確認
回答1件
あなたの回答
tips
プレビュー
バッドをするには、ログインかつ
こちらの条件を満たす必要があります。
2020/04/24 18:58