我有JButton
我希望保留在JTextField
的最右边,无论我如何缩放窗口。我知道BorderLayout.EAST
,但这似乎不起作用。这是我当前的代码(userText
是我的JTextField
):
imageButton = new JButton("Attach an Image");
if(System.getProperty("os.name").equals("Mac OS X")){
imageButton.setLocation(455, 0);
imageButton.setSize(150, 30);
} else {
imageButton.setLocation(435, 0);
imageButton.setSize(150, 20);
}
imageButton.addActionListener(
//SOME FUNCTIONALITY CODE HERE
);
userText.add(imageButton);
我知道这段代码很糟糕。如果我不转售任何内容(忽略消息是什么),它会产生这个:
所以这看起来很好(对不起,我把它裁剪得有点差),但是当我转售时...
这显然不是很好看。当我将userText.add(imageButton)
变为userText.add(imageButton, BorderLayout.EAST)
时,按钮只会停留在左上角。当我尝试将其添加到JFrame
时,它只是JTextArea
右侧的一个大按钮,所以我不确定该怎么做?
那么,如何让按钮停留在JTextField
的右侧,我是否应该将按钮添加到JTextField
或者我应该添加它到其他一些组件?
根据要求,这里有一个简单但完整的例子(抱歉缩进):
public class Test extends JFrame{
private JTextField userText;
private JButton imageButton;
private JTextArea chatWindow;
public Test(){
super("Test");
userText = new JTextField();
add(userText, BorderLayout.NORTH);
imageButton = new JButton("Problem Button");
if(System.getProperty("os.name").equals("Mac OS X")){
imageButton.setLocation(455, 0);
imageButton.setSize(150, 30);
}
else{
imageButton.setLocation(435, 0);
imageButton.setSize(150, 20);
}
userText.add(imageButton);
chatWindow = new JTextArea();
setSize(600, 300);
setVisible(true);
}
public static void main(String[] args) {
Test test = new Test();
}
}
答案 0 :(得分:1)
只需使用JPanel
按钮即可。将此面板布局设置为FlowLayout并将其对齐方式设置为RIGHT。然后将其添加到框架的NORTH位置。
以下是示例代码:
import java.awt.BorderLayout;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.JTextArea;
import javax.swing.JTextField;
public class FrameTest extends JFrame {
private JTextField userText;
private JButton imageButton;
private JTextArea chatWindow;
public FrameTest() {
super("Test");
userText = new JTextField();
JPanel topPanel = new JPanel(new BorderLayout());
topPanel.add(userText, BorderLayout.CENTER);
imageButton = new JButton("Problem Button");
if (System.getProperty("os.name").equals("Mac OS X")) {
imageButton.setLocation(455, 0);
imageButton.setSize(150, 30);
}
else {
imageButton.setLocation(435, 0);
imageButton.setSize(150, 20);
}
topPanel.add(imageButton, BorderLayout.EAST);
add(topPanel, BorderLayout.NORTH);
chatWindow = new JTextArea();
setSize(600, 300);
setVisible(true);
}
public static void main(String[] args) {
FrameTest test = new FrameTest();
}
}