我正在尝试在JScrollPane中显示JTextArea,但是当我运行我的(简化)程序时,我只得到一个空框架:
import java.awt.Container;
import java.awt.Dimension;
import java.awt.event.WindowAdapter;
import java.awt.event.WindowEvent;
import javax.swing.JFrame;
import javax.swing.JScrollPane;
import javax.swing.JTextArea;
public class ScrollPaneTest extends JFrame {
private Container myCP;
private JTextArea resultsTA;
private JScrollPane scrollPane;
public ScrollPaneTest() {
setSize(500, 500);
setLocation(100, 100);
myCP = this.getContentPane();
myCP.setLayout(null);
resultsTA = new JTextArea("Blah blah");
scrollPane = new JScrollPane(resultsTA,
JScrollPane.VERTICAL_SCROLLBAR_ALWAYS,
JScrollPane.HORIZONTAL_SCROLLBAR_ALWAYS);
scrollPane.setPreferredSize(new Dimension(200, 100));
scrollPane.setLocation(100, 300);
myCP.add(scrollPane);
setVisible(true);
addWindowListener(new WindowAdapter() {
public void windowClosing(WindowEvent e) {
System.exit(0);
}
});
}
public static void main(String[] args) {
new ScrollPaneTest();
}
}
我使用null LayoutManager与我教的教科书一致。
答案 0 :(得分:7)
这将有效:
public class ScrollPaneTest extends JFrame {
private Container myCP;
private JTextArea resultsTA;
private JScrollPane scrollPane;
public ScrollPaneTest() {
setSize(500, 500);
setLocation(100, 100);
myCP = this.getContentPane();
myCP.setLayout(null);
resultsTA = new JTextArea("Blah blah");
resultsTA.setBounds(10, 10, 150, 30);
scrollPane = new JScrollPane(resultsTA,JScrollPane.VERTICAL_SCROLLBAR_ALWAYS,JScrollPane.HORIZONTAL_SCROLLBAR_ALWAYS);
scrollPane.setPreferredSize(new Dimension(200, 100));
scrollPane.setBounds(0, 0, 500, 500);
myCP.add(scrollPane);
setVisible(true);
addWindowListener(new WindowAdapter() {
public void windowClosing(WindowEvent e) {
System.exit(0);
}
});
}
public static void main(String[] args) {
new ScrollPaneTest();
}
}
如果您使用的是null布局,则必须指定边界。
修改强>
setBounds()
方法涵盖了setLocation()
方法的任务。
例如setBounds(x,y,w,h);
前2将设置该组件相对于其容器的x / y位置。 第二个(w / h)将设置该组件的大小。
换言之,: -
答案 1 :(得分:1)
我必须同意kleopatra对此问题的评论。
以下是使用布局的Harry Joy代码的变体。它在屏幕上看起来与原始GUI几乎相同,但可以调整大小。它还可以轻松适应不同的PLAF,默认字体大小等(尽管它可能在屏幕上显示不同的大小),而具有null
布局的东西则不会。
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class ScrollPaneTest extends JFrame {
private Container myCP;
private JTextArea resultsTA;
private JScrollPane scrollPane;
public ScrollPaneTest() {
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setLocation(100, 100);
myCP = this.getContentPane();
resultsTA = new JTextArea("Blah blah", 28, 43);
scrollPane = new JScrollPane(resultsTA,JScrollPane.VERTICAL_SCROLLBAR_ALWAYS,JScrollPane.HORIZONTAL_SCROLLBAR_ALWAYS);
myCP.add(scrollPane);
setVisible(true);
pack();
}
public static void main(String[] args) {
Runnable r = new Runnable() {
public void run() {
new ScrollPaneTest();
}
};
SwingUtilities.invokeLater(r);
}
}