首页 > 解决方案 > 如何将 2 个不同 JTextField 中的 2 个元素添加到一个 JList

问题描述

如何将来自不同 JTextField 的元素添加到一个列表。我试图将元素放在字符串中并将它们添加到列表中,但那不起作用。

标签: java

解决方案


您必须将字符串添加到备份JList. 这是一个简短的示例代码,JTextField每当您在文本字段中按 ENTER 时,都会将 current 的值附加到列表中:

import javax.swing.DefaultListModel;
import javax.swing.JFrame;
import javax.swing.JList;
import javax.swing.JScrollPane;
import javax.swing.JTextField;

import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.WindowAdapter;
import java.awt.event.WindowEvent;
import java.awt.BorderLayout;

public final class Example extends JFrame {
   public Example() {
      setLayout(new BorderLayout());

      // Create a list model and populate it with two initial items.
      final DefaultListModel<String> model = new DefaultListModel<String>();
      model.addElement("Initial 1");
      model.addElement("Initial 2");

      // Create a JList (wrapped into a JScrollPane) from the model
      add(new JScrollPane(new JList<String>(model)), BorderLayout.CENTER);

      // Create a JTextField at the top of the frame.
      // Whenever you click ENTER in that field, the current string gets
      // appended to the list model and will thus show up in the JList.
      final JTextField field1 = new JTextField("Field 1");
      add(field1, BorderLayout.NORTH);
      field1.addActionListener(new ActionListener() {
            public void actionPerformed(ActionEvent e) {
               System.out.println("Append " + field1.getText());
               model.addElement(field1.getText());
            }
         });

      // Create a JTextField at the bottom of the frame.
      // Whenever you click ENTER in that field, the current string gets
      // appended to the list model and will thus show up in the JList.
      final JTextField field2 = new JTextField("Field 2");
      add(field2, BorderLayout.SOUTH);
      field2.addActionListener(new ActionListener() {
            public void actionPerformed(ActionEvent e) {
               System.out.println("Append " + field2.getText());
               model.addElement(field2.getText());
            }
         });
   }
   public static void main(String[] args) {
      final JFrame frame = new Example();
      frame.addWindowListener(new WindowAdapter() {
            public void windowClosing(WindowEvent e) { System.exit(1); }
         });
      frame.pack();
      frame.setVisible(true);
   }
}

推荐阅读