Я пытался написать функцию Spatial_batchnorm_forward, используемую в сверточной нейронной сети. В этой функции я хотел повторно использовать функцию patchnorm_foward, которая реализована для ввода в форме (N, D) в полностью подключенной сети.
Ниже приведена правильная реализация.
def spatial_batchnorm_forward(x, gamma, beta, bn_param):
"""Computes the forward pass for spatial batch normalization.
"""
out, cache = None, None
N, C, H, W = x.shape
x_ = x.reshape(-1, C)
out_, cache = batchnorm_forward(x_, gamma, beta, bn_param)
out = out_.reshape(N, C, H, W)
return out, cache
Этот код может работать, а это значит, что размеры совпадают. Но результат немного отличается от приведенного выше.
Мне интересно, что здесь происходит.
Очень ценю ваше терпение и помощь!!!
Думаю, проблема возникает в функции изменения формы, поэтому я прочитал документ.
numpy.reshape(a, newshape, order='C')[source]
Gives a new shape to an array without changing its data.
Parameters
aarray_like
Array to be reshaped.
newshapeint or tuple of ints
The new shape should be compatible with the original shape. If an integer, then the result will be a 1-D array of that length. One shape dimension can be -1. In this case, the value is inferred from the length of the array and remaining dimensions.
order{‘C’, ‘F’, ‘A’}, optional
Read the elements of a using this index order, and place the elements into the reshaped array using this index order. ‘C’ means to read / write the elements using C-like index order, with the last axis index changing fastest, back to the first axis index changing slowest. ‘F’ means to read / write the elements using Fortran-like index order, with the first index changing fastest, and the last index changing slowest. Note that the ‘C’ and ‘F’ options take no account of the memory layout of the underlying array, and only refer to the order of indexing. ‘A’ means to read / write the elements in Fortran-like index order if a is Fortran contiguous in memory, C-like order otherwise.
Returns
reshaped_arrayndarray
This will be a new view object if possible; otherwise, it will be a copy. Note there is no guarantee of the memory layout (C- or Fortran- contiguous) of the returned array.
Но я до сих пор не могу понять, что здесь происходит.
Я пытался написать функцию Spatial_batchnorm_forward, используемую в сверточной нейронной сети. В этой функции я хотел повторно использовать функцию patchnorm_foward, которая реализована для ввода в форме (N, D) в полностью подключенной сети. Ниже приведена правильная реализация. [code]def spatial_batchnorm_forward(x, gamma, beta, bn_param): """Computes the forward pass for spatial batch normalization. """ out, cache = None, None
N, C, H, W = x.shape x_ = x.transpose(0,2,3,1).reshape(N*H*W, C) out_, cache = batchnorm_forward(x_, gamma, beta, bn_param) out = out_.reshape(N, H, W, C).transpose(0,3,1,2)
return out, cache [/code] Но сначала я написал так: [code]def spatial_batchnorm_forward(x, gamma, beta, bn_param): """Computes the forward pass for spatial batch normalization. """ out, cache = None, None
N, C, H, W = x.shape x_ = x.reshape(-1, C) out_, cache = batchnorm_forward(x_, gamma, beta, bn_param) out = out_.reshape(N, C, H, W)
return out, cache [/code] Этот код может работать, а это значит, что размеры совпадают. Но результат немного отличается от приведенного выше. Мне интересно, что здесь происходит. Очень ценю ваше терпение и помощь!!! Думаю, проблема возникает в функции изменения формы, поэтому я прочитал документ. [code]numpy.reshape(a, newshape, order='C')[source] Gives a new shape to an array without changing its data.
Parameters aarray_like Array to be reshaped.
newshapeint or tuple of ints The new shape should be compatible with the original shape. If an integer, then the result will be a 1-D array of that length. One shape dimension can be -1. In this case, the value is inferred from the length of the array and remaining dimensions.
order{‘C’, ‘F’, ‘A’}, optional Read the elements of a using this index order, and place the elements into the reshaped array using this index order. ‘C’ means to read / write the elements using C-like index order, with the last axis index changing fastest, back to the first axis index changing slowest. ‘F’ means to read / write the elements using Fortran-like index order, with the first index changing fastest, and the last index changing slowest. Note that the ‘C’ and ‘F’ options take no account of the memory layout of the underlying array, and only refer to the order of indexing. ‘A’ means to read / write the elements in Fortran-like index order if a is Fortran contiguous in memory, C-like order otherwise.
Returns reshaped_arrayndarray This will be a new view object if possible; otherwise, it will be a copy. Note there is no guarantee of the memory layout (C- or Fortran- contiguous) of the returned array. [/code] Но я до сих пор не могу понять, что здесь происходит.
Я использую PyTorch для реализации сети классификации для распознавания действий на основе скелетов. Модель состоит из трех сверточных слоев и двух полносвязных слоев. Эта базовая модель дала мне точность около 70% в наборе данных NTU-RGB+D. Я хотел...
Первоначальный вопрос касался именно реализации TensorFlow. Однако ответы касаются реализаций в целом. Этот общий ответ также является правильным ответом для TensorFlow.
При использовании пакетной нормализации и исключения в TensorFlow (в...
Я создаю веб-сайт (мой академический проект), на который пользователь может загружать файлы своей программы (.cs,.PHP,.java), затем сеть компилирует программу и автоматически определяет временную и пространственную сложность. Возможно ли это? Как мы...
У меня есть произвольная сеть узлов. Эта сеть может выглядеть примерно так:
Узлы этой сети имеют пространственное положение, поэтому их нельзя перемещать или реорганизовывать. Каждый узел имеет координату x, координату y и уникальный...