1

我正在编写一个将停靠栏放在屏幕右侧的应用程序,如下所示:

图片

我可以使用 保留屏幕侧面的空间_NET_WM_STRUT_PARTIAL,这样最大化的窗口就不会与停靠栏重叠。

在图像中,您可以看到有一个顶部面板。问题是码头将与面板重叠。有没有办法找出面板的大小,或者让面板缩小到码头的开放空间?

顺便说一句,我正在使用 Xlib。

4

2 回答 2

3

我想您必须跟踪所有出现的顶级窗口以及它们是否具有 _NET_WM_STRUT_PARTIAL 以便自己计算工作区,减去您自己的窗口。您可以查看 libwnck 代码以了解如何跟踪所有顶层,并查看窗口管理器如何计算 _NET_WORKAREA,以了解如何做到这一点。然后重做这项工作,但减去你自己的支柱。这样做的一个问题是,如果每个面板都这样做,就会出现一个无限循环,它们都在彼此周围工作。但是您也许可以假设人们只有一个不执行此操作的默认桌面面板,以及您的。

另一种选择可能是让您的面板窗口始终保持全屏高度,但如果您上方有任何窗口,请将您绘制的内容(和偏移事件处理)向下偏移一点。问题是很难跟踪窗口如何与您重叠。XVisibilityEvent 有点帮助,但不会告诉您顶部的窗口何时移动。此外,如果说全屏电影最终覆盖了整个面板,您必须确保不要中断。我想用这种方法你可能最终还是会扫描面板的所有顶层,就像第一种方法一样。

于 2010-10-23T20:03:44.720 回答
0

通过使用Havoc P给出的良好提示,我能够制定这段代码,它返回顶部对接面板的高度:

#include <X11/Xlib.h>
#include <X11/Xatom.h>
#include <limits.h>
#include <stdlib.h>
#include <stdio.h>

static Display* display;

// looks for the maximum "docking height" of all children of this window
static int top_panel_height(Window window)
{
    int height = 0;     // maximum height
    Window w;
    Window* children;
    unsigned int n_children;

    XQueryTree(display, window, &w, &w, &children, &n_children);

    // looks for each one of the children
    int i;
    for(i=0; i<n_children; i++)
    {
        // this is the property we're looking for
        Atom strut = XInternAtom(display, "_NET_WM_STRUT_PARTIAL", 
                False);
        Atom type_return;
        int actual_type;
        unsigned long nitems, bytes;
        unsigned char* data = NULL;

        // load window attributes (we only want to know about the
        //                         windows where y = 0)
        XWindowAttributes xwa;
        XGetWindowAttributes(display, window, &xwa);

        // load the property _NET_WM_STRUT_PARTIAL
        int s = XGetWindowProperty(display, window, strut, 0, LONG_MAX, 
                False, 
                XA_CARDINAL, &type_return, &actual_type,
                &nitems, &bytes, (unsigned char**)&data);
        if(s == Success)
        {
            Atom *state = (Atom *) data;
            // state[2] contains the "dock height"
            if(xwa.y == 0 && nitems > 0 && state[2])
                if(state[2] > height)
                    height = state[2];
        }

        // recursively, traverse the tree of all children of children
        int children_max_height = top_panel_height(children[i]);
        if(children_max_height > height)
            height = children_max_height;
    }

    return height;
}


int main()
{
    display = XOpenDisplay(NULL);
    Window root = RootWindow(display, DefaultScreen(display));

    printf("%d\n", top_panel_height(root));

    return 0;
}

它可能不漂亮,但它有效:-)

于 2010-10-25T22:15:16.937 回答