Załóżmy, że chcę zaimplementować następujący kod w pythonieCzy można wektoryzować funkcję, która ma dostęp do różnych elementów w tablicy numpy?
Ta funkcja pobiera obraz jako tablicę jednowymiarową i iteruje po poszczególnych elementach tablicy (pikselach w obrazie wejściowym), która wpływa na tablicę wyników, która jest również obraz reprezentowany jako jeden wymiarowej macierzy
przykład: jednego piksela obrazu wejściowego, (czerwony) wpływa 8 otaczające piksele (pomarańczowy)
wdrożenia podstawowego w C jest
/* C version
* Given an input image create an
* output image that is shaped by individual pixels
* of the input image
*/
int image[width * height]; //image retrieved elsewhere
int output [width * height]; //output image
int y = 0, x = 0;
for(y = 1; y < height-1 ; ++ y) {
for(x = 1; x < width-1; ++ x) {
if (image[y * width + x] > condition) {
/* pixel affects the surrounding 8 pixels in the output image */
output[(y-1) * width + x - 1]++; /* upper left */
output[(y-1) * width + x ]++; /* above */
output[(y-1) * width + x + 1]++; /* upper right */
output[y * width + x + 1 ]++; /* right */
output[y * width + x - 1 ]++; /* left */
output[(y+1) * width + x - 1]++; /* lower left */
output[(y+1) * width + x ]++; /* below */
output[(y+1) * width + x + 1]++; /* lower right */
}
}
}
naiwne podejście w Pythonie byłoby użyć dokładnie tego samego pierwiastka mądry dostępu, jak pokazano poniżej
#Python version
input = blah # formed elsewhere
output = np.zeros(width * height)
for y in xrange(1, height-1):
for x in xrange(1, width-1):
if input[y * width + x] > condition:
output[(y-1) * width + x - 1]+= 1; # upper left
output[(y-1) * width + x ]+= 1; # above
output[(y-1) * width + x + 1]+= 1; # upper right
output[y * width + x + 1 ]+= 1; # right
output[y * width + x - 1 ]+= 1; # left
output[(y+1) * width + x - 1]+= 1; # lower left
output[(y+1) * width + x ]+= 1; # below
output[(y+1) * width + x + 1]+= 1; # lower right
tam jest lepszym sposobem wdrożenia to? Czy można wektoryzować tę funkcję?