我创建了两个VerticalPanel(mainVP,subVP)和一个TextBox(box).TextBox(box)被添加到mainVP以及subVP但是我只在这里添加mainVP到RootPanel如果我知道我的应用程序什么也看不见虽然我已经将TextBox(框)添加到VerticalPanel(mainVP),它被添加到主Rootpanel。
VerticalPanel mainVP=new VerticalPanel();
VerticalPanel subVP=new VerticalPanel();
TextBox box=new TextBox();
mainVP.add(box); //Textbox added to VerticalPanel
subVP.add(box);
RootPanel.get().add(mainVP);//mainVP contains TextBox
有人可以解释一下上面的代码是如何在内部工作的吗?
答案 0 :(得分:3)
您的小组subVP
未添加到任何内容中,当box
添加到subVP
时,它将从mainVP
中删除。小部件一次只能是一个位置。
-
(为发布的评论添加更多细节)
这是小部件如何工作的基本假设的一部分 - 它不是"戳"它可以放在几个地方的页面上,而是代表一个或多个DOM元素,并将它们包装起来以便于使用和重用。每个小部件都会公开一些您可以监听的事件处理程序,以及更改小部件外观的方法。
想象一下,如果页面上有两个按钮,你需要他们做同样的事情。在查看页面时,显然有两个按钮,虽然它们看起来相同并且导致相同的动作,但它们并不是同一个东西。
考虑按钮在内部的工作方式 - 假设它检查鼠标是否悬停,如果是,则显示工具提示或更改颜色。如果在两个地方渲染相同的小部件,现在两者都会得到此更改。
从API方面:Widget
有一个方法getParent()
,它返回父窗口小部件。如果您可以一次将小部件添加到多个位置,则getParent()
将无法执行,或者需要返回列表。
Panel同样有indexOf
,但是如果你可以将一个小部件添加到多个父级,那么你也可以多次将同一个小部件添加到同一个父级 - indexOf
返回?
最后,实现这一目标。来自Panel.add
的Javadoc:
/**
* Adds a child widget.
*
* <p>
* <b>How to Override this Method</b>
* </p>
* <p>
* There are several important things that must take place in the correct
* order to properly add or insert a Widget to a Panel. Not all of these steps
* will be relevant to every Panel, but all of the steps must be considered.
* <ol>
* <li><b>Validate:</b> Perform any sanity checks to ensure the Panel can
* accept a new Widget. Examples: checking for a valid index on insertion;
* checking that the Panel is not full if there is a max capacity.</li>
* <li><b>Adjust for Reinsertion:</b> Some Panels need to handle the case
* where the Widget is already a child of this Panel. Example: when performing
* a reinsert, the index might need to be adjusted to account for the Widget's
* removal. See {@link ComplexPanel#adjustIndex(Widget, int)}.</li>
* <li><b>Detach Child:</b> Remove the Widget from its existing parent, if
* any. Most Panels will simply call {@link Widget#removeFromParent()} on the
* Widget.</li>
* <li><b>Logical Attach:</b> Any state variables of the Panel should be
* updated to reflect the addition of the new Widget. Example: the Widget is
* added to the Panel's {@link WidgetCollection} at the appropriate index.</li>
* <li><b>Physical Attach:</b> The Widget's Element must be physically
* attached to the Panel's Element, either directly or indirectly.</li>
* <li><b>Adopt:</b> Call {@link #adopt(Widget)} to finalize the add as the
* very last step.</li>
* </ol>
* </p>
*
* @param child the widget to be added
* @throws UnsupportedOperationException if this method is not supported (most
* often this means that a specific overload must be called)
* @see HasWidgets#add(Widget)
*/
public void add(Widget child)
最后,GWT中大多数面板使用的默认实现基本上都是这个(ComplexPanel.add
):
// Detach new child.
child.removeFromParent();
// Logical attach.
getChildren().add(child);
// Physical attach.
DOM.appendChild(container, child.getElement());
// Adopt.
adopt(child);
还有其他一些实现,但它们大部分归结为此,符合Panel
中列出的准则。