我刚刚想到,使用Lambdas可能会在原生Java中构建类似SwingBuilder的东西 - 但似乎这是可能的,现在就已经完成了。
是否有任何理由无法完成,或者已经完成了?
我意识到这与SwingBuilder like GUI syntax for Java?类似,但我希望将Lambdas添加到混合中。 SwingBuilder主要是基于Lambdas构建的,这在Java 8之前是不可能的。它还使用了一些动态编程,显然不能使用它所以它不会是AS干净,但是我认为这是可能的......
答案 0 :(得分:1)
首先,我们必须确定我们想要解决的问题。最大的问题是创建简单的事件绑定,这需要在以前的Java版本中使用内部类。在大多数情况下,对于单方法侦听器接口,可以使用lambda表达式替换它,对于多方法接口,您需要适配器,如this或that Q& A中所述,但这有只做一次。
另一个问题是初始化代码的结构。原则上,命令式代码工作正常,但是如果要修改要添加到容器的组件的某些属性,则必须更改container.add(new ComponentType());
以引入新的局部变量以供随后的陈述。此外,添加到容器本身需要将其保存在变量中。虽然Java允许用大括号限制局部变量的范围,但结果仍然是笨拙的。
这是最好的起点。如果我们使用,例如
public class SwingBuilder {
public static <T> T build(T instance, Consumer<T> prepare) {
prepare.accept(instance);
return instance;
}
public static <T extends Container> T build(
T instance, Consumer<T> prepare, Component... ch) {
return build(build(instance, prepare), ch);
}
public static <T extends Container> T build(T instance, Component... ch) {
for(Component c: ch) instance.add(c);
return instance;
}
}
这些简单的通用方法已经非常强大,因为它们可以组合在一起。使用import static
,使用网站可能看起来像
JFrame frame = build(new JFrame("Example"),
f -> {
f.getContentPane().setLayout(
new BoxLayout(f.getContentPane(), BoxLayout.LINE_AXIS));
f.setResizable(false);
f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
},
build(new JLabel("\u263A"), l -> l.setFont(l.getFont().deriveFont(36f))),
Box.createHorizontalStrut(16),
build(new JPanel(new GridLayout(0, 1, 0, 5)),
new JLabel("Hello World"),
build(new JButton("Close"), b -> {
b.addActionListener(ev -> System.exit(0));
})
)
);
frame.pack();
frame.setVisible(true);
与Groovy相比,我们仍然必须使用变量来表示方法调用的目标以更改属性,但在实现name ->
时,可以使用类型推断将这些变量声明为Consumer
这么简单通过lambda表达式。此外,变量的范围自动限制为初始化的持续时间。
使用此起点,您可以为常用组件和/或常用属性添加专用方法,以及为多方法侦听器提供已经提到的工厂方法。 E.g。
public static JFrame frame(String title, Consumer<WindowEvent> closingAction,
Consumer<? super JFrame> prepare, Component... contents) {
JFrame f = new JFrame(title);
if(closingAction!=null) f.addWindowListener(new WindowAdapter() {
@Override public void windowClosing(WindowEvent e) {
closingAction.accept(e);
}
});
if(prepare!=null) prepare.accept(f);
final Container target = f.getContentPane();
if(contents.length==1) target.add(contents[0], BorderLayout.CENTER);
else {
target.setLayout(new BoxLayout(target, BoxLayout.PAGE_AXIS));
for(Component c: contents) target.add(c);
}
return f;
}
但我认为,情况很清楚。