التعرف على الأنماط

تُستخدم الشبكات العصبية في تطبيقات مثل التعرف على الوجه.

تستخدم هذه التطبيقات التعرف على الأنماط .

يمكن إجراء هذا النوع من التصنيف باستخدام Perceptron .

تصنيف النمط

تخيل خط مضيق (رسم بياني خطي) في مساحة ذات نقاط س ص متناثرة.

كيف يمكنك تصنيف النقاط فوق وتحت الخط؟

يمكن تدريب المدرك على التعرف على النقاط الموجودة فوق الخط ، دون معرفة صيغة الخط.

بيرسبترون

غالبًا ما يستخدم Perceptron لتصنيف البيانات إلى جزأين.

يُعرف Perceptron أيضًا باسم المصنف الثنائي الخطي.


كيفية برمجة Perceptron

لمعرفة المزيد حول كيفية برمجة Perceptron ، سننشئ برنامج JavaScript بسيطًا للغاية من شأنه:

  1. إنشاء رسام بسيط
  2. قم بإنشاء 500 نقطة xy عشوائية
  3. ديلاي النقاط xy
  4. إنشاء وظيفة خط: f (x)
  5. اعرض الخط
  6. احسب الإجابات المطلوبة
  7. Display the desired answers

Create a Simple Plotter

Use the simple plotter object described in the AI Plotter Chapter.

Example

const plotter = new XYPlotter("myCanvas");
plotter.transformXY();

const xMax = plotter.xMax;
const yMax = plotter.yMax;
const xMin = plotter.xMin;
const yMin = plotter.yMin;

Create Random X Y Points

Create as many xy points as wanted.

Let the x values be random, between 0 and maximum.

Let the y values be random, between 0 and maximum.

Display the points in the plotter:

Example

const numPoints = 500;
const xPoints = [];
const yPoints = [];
for (let i = 0; i < numPoints; i++) {
  xPoints[i] = Math.random() * xMax;
  yPoints[i] = Math.random() * yMax;
}


Create a Line Function

Display the line in the plotter:

Example

function f(x) {
  return x * 1.2 + 50;
}


Compute Desired Answers

Compute the desired answers based on the line function:

y = x * 1.2 + 50.

The desired answer is 1 if y is over the line and 0 if y is under the line.

Store the desired answers in an array (desired[]).

Example

let desired = [];
for (let i = 0; i < numPoints; i++) {
  desired[i] = 0;
  if (yPoints[i] > f(xPoints[i])) {desired[i] = 1;}
}

Display the Desired Answers

For each point, if desired[i] = 1 display a blue point, else display a black point.

Example

for (let i = 0; i < numPoints; i++) {
  let color = "blue";
  if (desired[i]) color = "black";
  plotter.plotPoint(xPoints[i], yPoints[i], color);
}


How to Train a Perceptron

In the next chapters, you will learn more about how to Train the Perceptron