我正在尝试实现一个颜色转换Func
,它输出到3个独立的缓冲区。 rgb_to_ycocg
函数具有4x8位通道交错缓冲区(BGRA)和3个输出缓冲区(Y,Co和Cg),每个缓冲区为16位值。目前,我正在使用这段代码:
void rgb_to_ycocg(const uint8_t *pSrc, int32_t srcStep, int16_t *pDst[3], int32_t dstStep[3], int width, int height)
{
Buffer<uint8_t> inRgb((uint8_t *)pSrc, 4, width, height);
Buffer<int16_t> outY(pDst[0], width, height);
Buffer<int16_t> outCo(pDst[1], width, height);
Buffer<int16_t> outCg(pDst[2], width, height);
Var x, y, c;
Func calcY, calcCo, calcCg, inRgb16;
inRgb16(c, x, y) = cast<int16_t>(inRgb(c, x, y));
calcY(x, y) = (inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1)) + ((inRgb16(1, x, y) - (inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1))) >> 1);
calcCo(x, y) = inRgb16(2, x, y) - inRgb16(0, x, y);
calcCg(x, y) = inRgb16(1, x, y) - (inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1));
Pipeline p =Pipeline({calcY, calcCo, calcCg});
p.vectorize(x, 16).parallel(y);
p.realize({ outY, outCo, outCg });
}
问题是,与参考实现(c中的循环基本)相比,我的性能很差。我知道我需要尝试更好的调度,但我认为我在输入/输出缓冲区方面做错了。我已经看过这些教程并试图想出一种输出到多个缓冲区的方法。使用Pipeline
是我能找到的唯一方法。我会更好地制作3 Func
并分别召唤它们吗?这是Pipeline
类的正确用法吗?
答案 0 :(得分:2)
这里最大的问题是,每次要转换单个图像时,您都要制作和编译代码。那真的很慢。使用ImageParams代替Buffers,定义一次Pipeline,然后多次实现。
二阶效应是我认为你实际上想要一个元组而不是一个管道。一个Tuple Func在同一个内部循环中计算它的所有值,它将重用来自inRgb等的负载。暂时忽略重新编译问题,试试:
void rgb_to_ycocg(const uint8_t *pSrc, int32_t srcStep, int16_t *pDst[3], int32_t dstStep[3], int width, int height)
{
Buffer<uint8_t> inRgb((uint8_t *)pSrc, 4, width, height);
Buffer<int16_t> outY(pDst[0], width, height);
Buffer<int16_t> outCo(pDst[1], width, height);
Buffer<int16_t> outCg(pDst[2], width, height);
Var x, y, c;
Func calcY, calcCo, calcCg, inRgb16;
inRgb16(c, x, y) = cast<int16_t>(inRgb(c, x, y));
out(x, y) = {
inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1)) + ((inRgb16(1, x, y) - (inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1))) >> 1),
inRgb16(2, x, y) - inRgb16(0, x, y),
inRgb16(1, x, y) - (inRgb16(0, x, y) + ((inRgb16(2, x, y) - inRgb16(0, x, y)) >> 1))
};
out.vectorize(x, 16).parallel(y);
out.realize({ outY, outCo, outCg });
}