用Java设计编写登录窗口,该应用程序维护一张记录合法用户名和密码的列表;只有合法的用户才能通过登录程序;需要实现:1)最多尝试3次;2)登录成功退出登录窗口;3)用户名或密码为空时,提示信息;4)用户名或密码错误时,清空密码,并将用户名选中; 5)居中显示窗口
时间: 2023-11-30 15:02:19 浏览: 73
好的,这是一个比较基础的Java GUI项目,需要用到Swing组件和基本的Java语法知识。
首先,需要创建一个JFrame窗口,使用setLayout(null)方法取消默认布局,使用setBounds方法设置窗口大小和位置,使用setDefaultCloseOperation方法设置关闭窗口时的操作。
然后,需要在窗口中添加JLabel、JTextField、JPasswordField和JButton等组件,并使用setBounds方法设置它们的位置和大小,使用setForeground和setFont方法设置它们的颜色和字体,使用addActionListener方法为按钮添加事件监听器。
接下来,需要创建一个合法的用户名和密码列表,使用HashMap或者其他数据结构来存储。在事件监听器中,需要获取用户输入的用户名和密码,判断它们是否为空,如果为空则弹出提示框;如果不为空,则判断它们是否匹配列表中的用户名和密码,如果匹配则退出登录窗口,否则清空密码并将用户名选中。
最后,使用setLocationRelativeTo(null)方法将窗口居中显示。
下面是示例代码:
```java
import java.awt.Color;
import java.awt.Font;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.HashMap;
import javax.swing.*;
public class LoginWindow extends JFrame {
private JLabel usernameLabel, passwordLabel, messageLabel;
private JTextField usernameField;
private JPasswordField passwordField;
private JButton loginButton;
private HashMap<String, String> validUsers;
public LoginWindow() {
super("Login");
setSize(300, 200);
setLayout(null);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
validUsers = new HashMap<>();
validUsers.put("user1", "pass1");
validUsers.put("user2", "pass2");
validUsers.put("user3", "pass3");
usernameLabel = new JLabel("Username:");
usernameLabel.setBounds(30, 30, 80, 25);
add(usernameLabel);
usernameField = new JTextField();
usernameField.setBounds(110, 30, 160, 25);
add(usernameField);
passwordLabel = new JLabel("Password:");
passwordLabel.setBounds(30, 60, 80, 25);
add(passwordLabel);
passwordField = new JPasswordField();
passwordField.setBounds(110, 60, 160, 25);
add(passwordField);
loginButton = new JButton("Login");
loginButton.setBounds(110, 100, 80, 25);
loginButton.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
String username = usernameField.getText();
String password = new String(passwordField.getPassword());
if (username.isEmpty() || password.isEmpty()) {
messageLabel.setText("Username or password cannot be empty.");
} else if (validUsers.containsKey(username) && validUsers.get(username).equals(password)) {
dispose();
} else {
messageLabel.setText("Invalid username or password.");
passwordField.setText("");
usernameField.requestFocus();
usernameField.selectAll();
}
}
});
add(loginButton);
messageLabel = new JLabel("");
messageLabel.setForeground(Color.RED);
messageLabel.setFont(new Font("Arial", Font.PLAIN, 12));
messageLabel.setBounds(30, 140, 240, 25);
add(messageLabel);
setLocationRelativeTo(null);
setVisible(true);
}
public static void main(String[] args) {
new LoginWindow();
}
}
```
阅读全文