{up, down}`lua_parse lua_func`을 사용하여 속도 그래프가 표시되지 않습니다.

{up, down}`lua_parse lua_func`을 사용하여 속도 그래프가 표시되지 않습니다.

이 내 꺼야 conkyrc:

conky.config = {
    use_xft = true, -- use xft?
    font = 'DejaVuSans:size=9', -- font name
    xftalpha = 1,
    uppercase = false, -- all text in uppercase?
    pad_percents = 0,
    text_buffer_size = 2048,
    override_utf8_locale = true, -- Force UTF8? note that UTF8 support required XFT
    use_spacer = 'none', -- Add spaces to keep things from moving about?  This only affects certain objects.

    update_interval = 1, -- Update interval in seconds
    double_buffer = true, -- Use double buffering (reduces flicker, may not work for everyone)
    total_run_times = 0, -- This is the number of times Conky will update before quitting. Set to zero to run forever.

    -- Create own window instead of using desktop (required in nautilus)
    own_window = true,
    own_window_class = 'Conky',
    own_window_transparent = true,
    own_window_argb_visual = true,
    own_window_argb_value = 255,
    own_window_type = 'desktop', -- transparency seems to work without this line
    own_window_hints = 'undecorated,sticky,below,skip_taskbar,skip_pager',

    -- Minimum size of text area
    minimum_height = 50,
    minimum_width = 210,

    draw_shades = false, -- draw shades?
    draw_outline = false, -- draw outlines?
    draw_borders = false, -- draw borders around text?
    draw_graph_borders = false, -- draw borders around graphs
    stippled_borders = 0, -- stripled borders?

    imlib_cache_size = 0, -- Imlib2 image cache size, in bytes. Increase this value if you use $image lots. Set to 0 to disable the image cache.

    -- Gap between borders of screen and text. Same thing as passing -x at command line
    gap_x = 90,
    gap_y = 5,

    alignment = 'middle_right', -- alignment on {y_axis}_{x_axis}

    cpu_avg_samples = 2, -- number of cpu samples to average. set to 1 to disable averaging
    net_avg_samples = 2, -- number of net samples to average. set to 1 to disable averaging

    no_buffers = true, -- Subtract file system buffers from used memory?

    default_color = 'e0e0e0',
    default_shade_color = '000000',
    default_outline_color = '000000',

    temperature_unit = 'celsius',

    color1 = 'ff55ff', -- heading's color
    color2 = 'ffffff', -- normal text's color

    lua_load = '.conky/netdevs.lua',
};

conky.text = [[
...
${color1}NET: ${hr 2}${color2}${lua_parse conky_show_netdevs}
...
]]

이것은 .config/netdevs.lua:

-- conky_show_netdevs : template for network
-- usage : ${lua_parse conky_show_netdevs}

prev_result = ""

function conky_show_netdevs()
    updates = tonumber(conky_parse("${updates}"))
    interval = 10
    timer = (updates % interval)

    if timer == 0 or prev_result == "" then
        local netdevs_handle = io.popen("ip -j link show up | jq -r '.[] | select(.operstate == \"UP\" and .ifname != \"lo\") | .ifname'")
        local result = ""

        for netdev in netdevs_handle:lines() do
            result = result .. "\nIP (${color1}" .. netdev .. "${color2}): ${alignr}${addr " .. netdev .. "}\n" ..
                     "${color2}Up: ${color2}${upspeed " .. netdev .. "}/s${color1}${alignr}${upspeedgraph " .. netdev .. " 10,170}\n" ..
                     "${color2}Down: ${color2}${downspeed " .. netdev .. "}/s${color1}${alignr}${downspeedgraph " .. netdev .. " 10,170}\n" ..
                     "${color2}Total Down: ${color2}${totaldown " .. netdev .. "}${alignr}Total Up: ${totalup " .. netdev .. "}\n"
        end

        netdevs_handle:close()

        if result ~= "" then
            prev_result = result
        else
            prev_result = "\n"
        end
    end

    return prev_result
end

함수 출력에 반환된 s와 s를 제외하고는 모든 것이 잘 작동합니다 upspeedgraph.downspeedgraphconky_show_netdevs()

다음은 내가 볼 수 있는 차트 이미지입니다(이미지 마지막 부분의 작은 선, "UP" 및 "DOWN" 텍스트가 나타나는 줄에 있음).

콘키 창


내가 아는 한, 이 문제는 lua 함수가 다시 로드될 때마다 내용을 conky 구문 분석하여 그래프가 다시 로드될 수 있기 때문에 발생하는 것 같습니다. 그래서 conky의 업데이트 간격을 10초로 늘려보았습니다. 하지만 여전히 운이 좋지 않습니다 :(

답변1

안타깝게도 lua_parse매 업데이트 주기마다 실행되므로 매번 새로운 빈 그래프가 생성됩니다. 처음에 구성의 네트워크 부분을 한 번만 생성하려는 경우 .conkyrc파일이 단순한 lua 파일이므로 lua 코드를 넣을 수 있다는 점을 활용할 수 있습니다 .

이를 사용하여 구성 문자열을 생성하는 개정 함수를 호출하고 이를 변수에 연결합니다 conky.text. (예전에는 Lua에서 전역적으로 액세스할 수 있었지만 더 이상 가능하지 않은 것 같습니다.)

그래서 .conkyrc종료

conky.text = [[
...
${color1}NET: ${hr 2}${color2}
]]
require 'netdevs'
conky.text = conky.text .. conky_show_netdevs()

Lua를 편집하여 conky 호출을 제거하고 구성으로 돌아갑니다.

-- conky_show_netdevs : template for network
function conky_show_netdevs()
   local netdevs_handle = io.popen(...)
   local result = ""
   for netdev in netdevs_handle:lines() do
      result = result ...
   netdevs_handle:close()
   return result
end

관련 정보