以下是我的Perceptron实现。
FOR循环的最后一次迭代给出结果:
经过如此多的训练样本,这显然是错误的。
最后几行代码给出了
这又是错的,要走的路...
(全部关于构造函数中的随机权重值。)
但是,如果仅对示例值(1,1,1)进行迭代,则每次迭代的结果将接近1,这就是它应该如何工作的。
所以我想知道这可能是什么原因?因为输出是线性可分离的,所以Perceptron应该能够学习AND门。
#include <iostream>
#include <time.h>
#include <stdlib.h>
#include <Windows.h>
#include <math.h>
#define println(x) std::cout<<x<<std::endl;
#define print(x) std::cout<<x;
#define END system("PAUSE"); return 0
#define delay(x) Sleep(x*1000);
typedef unsigned int uint;
class perceptron
{
public:
perceptron() :learningRate(0.15),biasValue(1),outputVal(0)
{
srand((uint)time(0));
weights = new double[2];
weights[0] = rand() / double(RAND_MAX);
weights[1] = rand() / double(RAND_MAX);
}
~perceptron()
{
delete[] weights;
}
void train(double x0, double x1, double target)
{
backProp(x0, x1, target);
}
private:
double biasValue;
double outputVal;
double* weights;
double learningRate;
private:
double activationFunction(double sum)
{
return tanh(sum);
}
void backProp(double x0, double x1, double target)
{
println("");
guess(x0, x1); //Setting outputVal to activationFunction value
//Calculating Error;
auto error = target - outputVal;
//Recalculating weights;
weights[0] = weights[0] + error * x0 * learningRate;
weights[1] = weights[1] + error * x1 * learningRate;
//Printing values;
std::cout << "Input: " << x0 << " Input: " << x1 << std::endl;
std::cout << " Output: " << outputVal << std::endl;
std::cout << "Error: " << error << std::endl;
}
double guess(double x0, double x1)
{
//Calculating outputValue
outputVal = activationFunction(x0 * weights[0] + x1 * weights[1]+biasValue);
return outputVal;
}
};
int main()
{
perceptron* p = new perceptron();
for (auto i = 0; i < 1800; i++)
{
p->train(1, 1, 1);
p->train(0, 1, 0);
p->train(1, 0, 0);
p->train(0, 0, 0);
}
println("-------------------------------------------------------");
delay(2);
p->train(1, 1, 1);
END;
}
最佳答案
我看到一些问题:
tanh()
。如果使用它,则必须确保正确计算梯度。但是您可以用double activationFunction(double sum)
{
return sum > 0;
}
如果sum> 0,则返回1,否则返回0。
biasValue
,因为感知器需要从您的训练数据中学习其值(value)。您可以使用biasValue += error * learningRate;
这些变化将使感知器学习“与”门。
关于c++ - 用C++实现的Perceptron不能按预期进行训练。 (AND逻辑门示例),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/58291940/