vips-如何实现边缘羽化效果

时间:2019-03-08 18:03:38

标签: lua vips

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

这是我第一次尝试执行此类任务的库,而我一直在寻找可用的list of functions,但仍然不知道如何实现。它不是复杂的形状,只是一个基本的矩形图像,其顶部和底部边缘应与背景平滑融合(我目前正在使用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')

但是,最好指定图像的哪些部分应进行羽化。有关如何执行操作的任何想法?

2 个答案:

答案 0 :(得分: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])

答案 1 :(得分:1)

正如jcupitt所说,我们需要从图像中拉出Alpha波段,对其进行模糊处理,再次将其加入并与背景进行合成,但是按原样使用该功能,在前景图像周围留下了黑色细边框。 / p>

要解决这个问题,我们需要复制图像,根据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