Какова цель функции активации в нейронных сетях?


17

Говорят, что функции активации в нейронных сетях помогают ввести нелинейность .

  • Что это значит?
  • Что означает нелинейность в этом контексте?
  • Как помогает введение этой нелинейности ?
  • Существуют ли другие цели активации функций ?

Ответы:


13

Почти все функциональные возможности, предоставляемые нелинейными функциями активации, даны другими ответами. Позвольте мне подвести их итог:

  • Во-первых, что означает нелинейность? Это означает что-то (функция в данном случае), которое не является линейным по отношению к данной переменной / переменным, т.е. `f(c1.x1+c2.x2...cn.xn+b)!=c1.f(x1)+c2.f(x2)...cn.f(xn)+b.
  • Что означает нелинейность в этом контексте? Это означает, что нейронная сеть может успешно аппроксимировать функции (до определенной ошибки, пользователем), которая не следует линейности, или она может успешно предсказать класс функции, которая разделена границей решения, которая не является линейной.e
  • Почему это помогает? Я не думаю, что вы можете найти какой-либо феномен физического мира, который прямо следует линейности. Таким образом, вам нужна нелинейная функция, которая может аппроксимировать нелинейное явление. Также хорошей интуицией была бы любая граница решения или функция, представляющая собой линейную комбинацию полиномиальных комбинаций входных объектов (поэтому в конечном итоге нелинейная).
  • Цели активации функции? В дополнение к введению нелинейности каждая функция активации имеет свои особенности.

Сигмоид 1(1+e(w1x1...wnxn+b))

Это одна из наиболее распространенных функций активации, которая монотонно увеличивается везде. Это обычно используется в конечном выходном узле, так как он сдавливает значения между 0 и 1 (если выходной сигнал должен быть 0или 1). Таким образом, считается, что значение выше 0,5, 1а значение меньше 0,5 0, хотя 0.5может быть установлен другой порог (не ). Его главное преимущество заключается в том, что его дифференциация проста и использует уже рассчитанные значения, и предположительно нейроны подковообразных крабов имеют эту функцию активации в своих нейронах.

Tanh e(w1x1...wnxn+b)e(w1x1...wnxn+b))(e(w1x1...wnxn+b)+e(w1x1...wnxn+b)

Это имеет преимущество перед функцией активации сигмоида, так как имеет тенденцию центрировать выход в 0, что имеет эффект лучшего обучения на последующих слоях (действует как нормализатор характеристик). Хорошее объяснение здесь . Отрицательные и положительные выходные значения могут рассматриваться как 0и 1соответственно. Используется в основном в RNN.

Функция активации Re-Lu - это еще одна очень распространенная простая нелинейная (линейная в положительном диапазоне и отрицательном диапазоне независимо друг от друга) функция активации, которая имеет преимущество в устранении проблемы исчезающего градиента, с которой сталкиваются два вышеупомянутых, т.е. градиент имеет тенденцию к0как х стремится к + бесконечности или-бесконечности. Вот ответ о мощности аппроксимации Ре-Лу, несмотря на ее кажущуюся линейность. У ReLu есть недостаток в том, что у них есть мертвые нейроны, что приводит к увеличению NN.

Также вы можете создавать свои собственные функции активации в зависимости от вашей специализированной проблемы. У вас может быть квадратичная функция активации, которая будет намного лучше приближать квадратичные функции. Но тогда вам нужно спроектировать функцию стоимости, которая должна быть несколько выпуклой по своей природе, чтобы вы могли оптимизировать ее, используя дифференциалы первого порядка, и NN фактически сходится к достойному результату. Это основная причина, по которой используются стандартные функции активации. Но я верю, что при наличии надлежащих математических инструментов существует огромный потенциал для новых и эксцентричных функций активации.

For example, say you are trying to approximate a single variable quadratic function say a.x2+c. This will be best approximated by a quadratic activation w1.x2+b wherew1 and b will be the trainable parameters. But designing a loss function which follows the conventional first order derivative method (gradient descent) can be quite tough for non-monotically increasing function.

For Mathematicians: In the sigmoid activation function (1/(1+e(w1x1...wnxn+b)) we see that e(w1x1...wnxn+b) is always < 1. By binomial expansion, or by reverse calculation of the infinite GP series we get sigmoid(y)1+y+y2.....y=e(w1x1...wnxn+b)ye(w1x1...wnxn+b) thus each power of y can be thought of as a multiplication of several decaying exponentials based on a feature x, for eaxmple y2=e2(w1x1)e2(w2x2)e2(w3x3)......e2(b). Thus each feature has a say in the scaling of the graph of y2.

Another way of thinking would be to expand the exponentials according to Taylor Series: введите описание изображения здесь

So we get a very complex combination, with all the possible polynomial combinations of input variables present. I believe if a Neural Network is structured correctly the NN can fine tune the these polynomial combinations by just modifying the connection weights and selecting polynomial terms maximum useful, and rejecting terms by subtracting output of 2 nodes weighted properly.

The tanh activation can work in the same way since output of |tanh|<1. I am not sure how Re-Lu's work though, but due to itsrigid structure and probelm of dead neurons werequire larger networks with ReLu's for good approximation.

But for a formal mathematical proof one has to look at the Universal Approximation Theorem.

For non-mathematicians some better insights visit these links:

Activation Functions by Andrew Ng - for more formal and scientific answer

How does neural network classifier classify from just drawing a decision plane?

Differentiable activation function A visual proof that neural nets can compute any function


3
I would argue that ReLU is actually more common in NNs today than sigmoid :)
Andreas Storvik Strauman

@AndreasStorvikStrauman и вы совершенно правы ... Но у сигмовидной кишки есть ребенок по имени softmax :)
DuttaA

7

If you only had linear layers in a neural network, all the layers would essentially collapse to one linear layer, and, therefore, a "deep" neural network architecture effectively wouldn't be deep anymore but just a linear classifier.

y=f(W1W2W3x)=f(Wx)

where W corresponds to the matrix that represents the network weights and biases for one layer, and f() to the activation function.

Now, with the introduction of a non-linear activation unit after every linear transformation, this won't happen anymore.

y=f1(W1f2(W2f3(W3x)))

Each layer can now build up on the results of the preceding non-linear layer which essentially leads to a complex non-linear function that is able to approximate every possible function with the right weighting and enough depth/width.


5

Let's first talk about linearity. Linearity means the map (a function), f:VW, used is a linear map, that is, it satisfies the following two conditions

  1. f(x+y)=f(x)+f(y),x,yV
  2. f(cx)=cf(x),cR

You should be familiar with this definition if you have studied linear algebra in the past.

However, it's more important to think of linearity in terms of linear separability of data, which means the data can be separated into different classes by drawing a line (or hyperplane, if more than two dimensions), which represents a linear decision boundary, through the data. If we cannot do that, then the data is not linearly separable. Often times, data from a more complex (and thus more relevant) problem setting is not linearly separable, so it is in our interest to model these.

To model nonlinear decision boundaries of data, we can utilize a neural network that introduces non-linearity. Neural networks classify data that is not linearly separable by transforming data using some nonlinear function (or our activation function), so the resulting transformed points become linearly separable.

Different activation functions are used for different problem setting contexts. You can read more about that in the book Deep Learning (Adaptive Computation and Machine Learning series).

For an example of non linearly separable data, see the XOR data set.

введите описание изображения здесь

Can you draw a single line to separate the two classes?


4

Consider a very simple neural network, with just 2 layers, where the first has 2 neurons and the last 1 neuron, and the input size is 2. The inputs are x1 and x1.

The weights of the first layer are w11,w12,w21 and w22. We do not have activations, so the outputs of the neurons in the first layer are

o1=w11x1+w12x2o2=w21x1+w22x2

Let's calculate the output of the last layer with weights z1 and z2

out=z1o1+z2o2

Just substitute o1 and o2 and you will get:

out=z1(w11x1+w12x2)+z2(w21x1+w22x2)

or

out=(z1w11+z2w21)x1+(z2w22+z1w12)x2

And look at this! If we create NN just with one layer with weights z1w11+z2w21 and z2w22+z1w12 it will be equivalent to our 2 layers NN.

The conclusion: without nonlinearity, the computational power of a multilayer NN is equal to 1-layer NN.

Also, you can think of the sigmoid function as differentiable IF the statement that gives a probability. And adding new layers can create new, more complex combinations of IF statements. For example, the first layer combines features and gives probabilities that there are eyes, tail, and ears on the picture, the second combines new, more complex features from the last layer and gives probability that there is a cat.

For more information: Hacker's guide to Neural Networks.


3

First Degree Linear Polynomials

Non-linearity is not the correct mathematical term. Those that use it probably intend to refer to a first degree polynomial relationship between input and output, the kind of relationship that would be graphed as a straight line, a flat plane, or a higher degree surface with no curvature.

To model relations more complex than y = a1x1 + a2x2 + ... + b, more than just those two terms of a Taylor series approximation is needed.

Tune-able Functions with Non-zero Curvature

Artificial networks such as the multi-layer perceptron and its variants are matrices of functions with non-zero curvature that, when taken collectively as a circuit, can be tuned with attenuation grids to approximate more complex functions of non-zero curvature. These more complex functions generally have multiple inputs (independent variables).

The attenuation grids are simply matrix-vector products, the matrix being the parameters that are tuned to create a circuit that approximates the more complex curved, multivariate function with simpler curved functions.

Oriented with the multi-dimensional signal entering at the left and the result appearing on the right (left-to-right causality), as in the electrical engineering convention, the vertical columns are called layers of activations, mostly for historical reasons. They are actually arrays of simple curved functions. The most commonly used activations today are these.

  • ReLU
  • Leaky ReLU
  • ELU
  • Threshold (binary step)
  • Logistic

The identity function is sometimes used to pass through signals untouched for various structural convenience reasons.

These are less used but were in vogue at one point or another. They are still used but have lost popularity because they place additional overhead on back propagation computations and tend to lose in contests for speed and accuracy.

  • Softmax
  • Sigmoid
  • TanH
  • ArcTan

The more complex of these can be parametrized and all of them can be perturbed with pseudo-random noise to improve reliability.

Why Bother With All of That?

Artificial networks are not necessary for tuning well developed classes of relationships between input and desired output. For instance, these are easily optimized using well developed optimization techniques.

  • Higher degree polynomials — Often directly solvable using techniques derived directly from linear algebra
  • Periodic functions — Can be treated with Fourier methods
  • Curve fitting — converges well using the Levenberg–Marquardt algorithm, a damped least-squares approach

For these, approaches developed long before the advent of artificial networks can often arrive at an optimal solution with less computational overhead and more precision and reliability.

Where artificial networks excel is in the acquisition of functions about which the practitioner is largely ignorant or the tuning of the parameters of known functions for which specific convergence methods have not yet been devised.

Multi-layer perceptrons (ANNs) tune the parameters (attenuation matrix) during training. Tuning is directed by gradient descent or one of its variants to produce a digital approximation of an analog circuit that models the unknown functions. The gradient descent is driven by some criteria toward which circuit behavior is driven by comparing outputs with that criteria. The criteria can be any of these.

  • Matching labels (the desired output values corresponding to the training example inputs)
  • The need to pass information through narrow signal paths and reconstruct from that limited information
  • Another criteria inherent in the network
  • Another criteria arising from a signal source from outside the network

In Summary

In summary, activation functions provide the building blocks that can be used repeatedly in two dimensions of the network structure so that, combined with an attenuation matrix to vary the weight of signaling from layer to layer, is known to be able to approximate an arbitrary and complex function.

Deeper Network Excitement

The post-millenial excitement about deeper networks is because the patterns in two distinct classes of complex inputs have been successfully identified and put into use within larger business, consumer, and scientific markets.

  1. Heterogeneous and semantically complex structures
  2. Media files and streams (images, video, audio)

Но вопрос был о цели активации, а не об использовании ANN
DuttaA

@DuttaA, ваш комментарий был точным. Спасибо. В ответе было только одно предложение, которое прямо отвечало на вопрос, и связь с остальной частью этого ответа была не очень хорошо выражена. Я существенно отредактировал это.
FauChristian

Это на самом деле лучший ответ, должен иметь больше голосов и должен быть принятым ответом.
DuttaA

2

Нет смысла для функции активации в искусственной сети, так же, как нет цели 3 для факторов числа 21. Многослойные персептроны и рекуррентные нейронные сети были определены как матрица ячеек, каждая из которых содержит одну , Удалите функции активации, и все, что осталось - это серия бесполезных умножений матриц. Уберите 3 из 21, и в результате получится не менее эффективный 21, но совершенно другое число 7.

Функции активации не помогают вводить нелинейность, они являются единственными компонентами прямого распространения в сети, которые не соответствуют полиномиальной форме первой степени. Если бы тысяча слоев имела функцию активацииaИкс, где a является константой, параметры и активации тысяч слоев могут быть сведены к единому точечному произведению, и никакая функция не может быть смоделирована глубокой сетью, кроме тех, которые сводятся к aИкс,

Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.