1

我正在使用 vips 库来处理一些图像,特别是它的 Lua 绑定、lua-vips,并且我正在尝试找到一种在图像边缘进行羽毛效果的方法。

这是我第一次尝试使用库来执行此类任务,并且我一直在查看此可用功能列表,但仍然不知道如何使用。它不是复杂的形状,只是一个基本的矩形图像,其顶部和底部边缘应该与背景平滑融合(我目前正在使用vips_composite()的另一个图像)。

假设存在“feather_edges”方法,它将类似于:

local bg = vips.Image.new_from_file("foo.png")
local img = vips.Image.new_from_file("bar.png") --smaller than `bg`
img = img:feather_edges(6) --imagine a 6px feather
bg:composite(img, 'over')

但是,指定应该羽化图像的哪些部分仍然会很好。关于如何做的任何想法?

4

2 回答 2

1

正如 jcupitt 所说,我们需要从图像中提取 alpha 波段,对其进行模糊处理,再次将其加入并将其与背景合成,但按原样使用该函数,会在前景图像周围留下一个细黑边框。

为了克服这个问题,我们需要复制图像,根据sigma参数调整大小,从缩小的副本中提取 alpha 波段,将其模糊,并用它替换原始图像的 alpha 波段。像这样,原始图像的边框将被 alpha 的透明部分完全覆盖。

local function featherEdges(img, sigma)
    local copy = img:copy()
        :resize(1, { vscale = (img:height() - sigma * 2) / img:height() })
        :embed(0, sigma, img:width(), img:height())
    local alpha = copy
        :extract_band(copy:bands() - 1)
        :gaussblur(sigma)
    return img
        :extract_band(0, { n = img:bands() - 1 })
        :bandjoin(alpha)
end
于 2019-03-11T20:31:13.340 回答
1

您需要将 alpha 从顶部图像中拉出,用黑色边框遮住边缘,模糊 alpha 以使边缘羽化,重新附加,然后进行合成。

就像是:

#!/usr/bin/luajit

vips = require 'vips'

function feather_edges(image, sigma)
    -- split to alpha + image data 
    local alpha = image:extract_band(image:bands() - 1)
    local image = image:extract_band(0, {n = image:bands() - 1})

    -- we need to place a black border on the alpha we can then feather into,
    -- and scale this border with sigma
    local margin = sigma * 2
    alpha = alpha
        :crop(margin, margin,
            image:width() - 2 * margin, image:height() - 2 * margin)
        :embed(margin, margin, image:width(), image:height())
        :gaussblur(sigma)

    -- and reattach
    return image:bandjoin(alpha)
end

bg = vips.Image.new_from_file(arg[1], {access = "sequential"})
fg = vips.Image.new_from_file(arg[2], {access = "sequential"})
fg = feather_edges(fg, 10)
out = bg:composite(fg, "over", {x = 100, y = 100})
out:write_to_file(arg[3])
于 2019-03-09T12:50:09.330 回答