用于conky运行的Lua脚本没有错误,但没有绘制任何内容

时间:2018-09-16 11:54:53

标签: lua cairo conky

我对lua并不陌生,并试图通过为conky创建脚本来进一步了解lua。在我的示例中,我试图将cairo功能封装到可以添加到画布的 Canvas对象可绘制对象(即文本对象)中。

当我尝试将 cairo_surface cairo 对象存储在表中时,我无法再使用它们。即使没有发生错误(没有消息,段错误或泄漏),在第二个示例中也没有显示文本。

此示例有效:

Canvas = {
    init = function (w)
        local cs = cairo_xlib_surface_create(w.display,w.drawable,w.visual,w.width,w.height)
        local cr = cairo_create(cs)
        return cr, cs
    end,

    destroy = function (cr, cs)
        cairo_destroy(cr)
        cairo_surface_destroy(cs)
    end
}

function conky_main ()
    if conky_window == nil then
        return
    else
        local cr, cs = Canvas.init(conky_window)
        local tx = Text:new{text="Hello World!"}
        tx:draw(cr)
        Canvas.destroy(cr, cs)
    end
end

此示例不起作用:

Canvas = {
    init = function (w) -- returns table instead of 2 variables
        return {
            cs = cairo_xlib_surface_create(w.display,w.drawable,w.visual,w.width,w.height),
            cr = cairo_create(cs)
        }
    end,

    destroy = function (cnv)
        cairo_destroy(cnv.cr)
        cairo_surface_destroy(cnv.cs)
    end
}

function conky_main ()
    if conky_window == nil then
        return
    else
        local cnv = Canvas.init(conky_window)
        local tx = Text:new{text="Hello World!"}
        tx:draw(cnv.cr) -- access table member instead of variable
        Canvas.destroy(cnv)
    end
end

1 个答案:

答案 0 :(得分:2)

return {
    cs = cairo_xlib_surface_create(w.display,w.drawable,w.visual,w.width,w.height),
    cr = cairo_create(cs)
}

在Lua表构造函数中,无法访问正在构造的表的其他字段。
表达式cs中的cr = cairo_create(cs)引用(全局)变量cs而不是表字段cs
解决方法:引入局部变量cs并在创建表之前对其进行初始化。

local cs = cairo_xlib_surface_create(w.display,w.drawable,w.visual,w.width,w.height)
return { cs = cs, cr = cairo_create(cs) }