在SWT-Widgets上自动生成ID

时间:2012-12-05 10:29:46

标签: java swt eclipse-rcp gui-testing ui-testing

有没有办法在SWT-Widgets上自动生成ID,因此UI-Tests可以引用它们?我知道我可以使用seData手动设置id,但我想以一种通用的方式为现有应用程序实现此功能。

1 个答案:

答案 0 :(得分:8)

您可以使用Display.getCurrent().getShells();Widget.setData();以递归方式为应用中的所有shell分配ID。

设置ID

Shell []shells = Display.getCurrent().getShells();

for(Shell obj : shells) {
    setIds(obj);
}

您可以使用方法Display.getCurrent().getShells();访问应用程序中所有活动(未处置)的Shell。您可以遍历每个Shell的所有子项,并使用方法Control为每个Widget.setData();分配一个ID。

private Integer count = 0;

private void setIds(Composite c) {
    Control[] children = c.getChildren();
    for(int j = 0 ; j < children.length; j++) {
        if(children[j] instanceof Composite) {
            setIds((Composite) children[j]);
        } else {
            children[j].setData(count);
            System.out.println(children[j].toString());
            System.out.println(" '-> ID: " + children[j].getData());
            ++count;
        }
    }
}

如果ControlComposite,它可能在复合内部有控件,这就是我在我的示例中使用递归解决方案的原因。


按ID查找控件

现在,如果你想在你的一个shell中找到一个Control,我建议采用类似的,递归的方法:

public Control findControlById(Integer id) {
    Shell[] shells = Display.getCurrent().getShells();

    for(Shell e : shells) {
        Control foundControl = findControl(e, id);
        if(foundControl != null) {
            return foundControl;
        }
    }
    return null;
}

private Control findControl(Composite c, Integer id) {
    Control[] children = c.getChildren();
    for(Control e : children) {
        if(e instanceof Composite) {
            Control found = findControl((Composite) e, id);
            if(found != null) {
                return found;
            }
        } else {
            int value = id.intValue();
            int objValue = ((Integer)e.getData()).intValue();

            if(value == objValue)
                return e;
        }
    }
    return null;
}

使用方法findControlById(),您可以通过它的ID轻松找到Control

    Control foundControl = findControlById(12);
    System.out.println(foundControl.toString());

<强>链接