我有一个这样的数组:
{
1, 2, 3, 4,
5, 6, 7, 8,
9,10,11,12,
13,14,15,16
}
我需要以之字形的方式迭代它,比如
1,2,3,4, 8,7,6,5, 9...
这很容易,但是开销空间很小,所以我需要尽可能节省时间每一个额外的周期都很重要。
这就是我现在所拥有的:
#define send_colors_zigzag(io, colorz, width, height) do { \
for(int8_t y = 0, uu=0, a=1; y < (height); y++, uu+=width, a *= -1) { \
uint8_t uup = uu + (a < 0 ? width : 0); \
for(uint8_t x = 0; x < (width); x++) { \
uint8_t pos = uup + a*x; \
const color_t clr = (colorz)[pos]; \
send_one_color(io_pack(io), clr); \
} \
} \
} while(0)
send_one_color
是一个为各个位扩展成循环的宏,我不想在这个宏中重复它两次(需要保持它的小)。我有理由把它作为一个宏,
io
和io_pack
是一些pin别名的向导,不能用常规函数来实现。我相信它循环正确,但速度不够快(所以不能使用)。
我正在研究一个8位的16MHz微型机。
有关信息,此版本有效(但大的内部宏重复两次,我要避免):
#define send_colors_zigzag(io, colorz, width, height) do { \
int8_t x; \
for(int8_t y = 0; y < (height); y++) { \
for(x = 0; x < (width); x++) { \
send_one_color(io_pack(io), (colorz)[y*width + x]); \
} \
y++; \
for(x = width-1; x >=0; x--) { \
send_one_color(io_pack(io), (colorz)[y*width + x]); \
} \
} \
} while(0)
最佳答案
这里有一种方法,可以尽可能避免使用算法,特别是在内部循环中。
color_t* p = (colorz);
for (int8_t y = 0; y < (height); y++) {
int8_t inc = y & 1 ? -1 : 1;
if (y) {
p += (width) + inc;
}
for (int8_t x = 0; x < (width); x++) {
send_one_color(io_pack(io), *p);
p += inc;
}
}
如果
height
是偶数,或者您不介意未定义的行为(因为p
指向colorz
的末尾之外),则可以使用此变体保存几个周期:color_t* p = (colorz);
for (int8_t y = 0; y < (height); y++) {
int8_t inc = y & 1 ? -1 : 1;
for (int8_t x = 0; x < (width); x++) {
send_one_color(io_pack(io), *p);
p += inc;
}
p += (width) - inc;
}