I have a code sample with JTextField
s. When a user does not enter the details in some JTextField
, and then clicks the \"Register\" button, I want the u
Create an Array of error messages:
String[] errors =
{
"First Name is missing",
"Middle Name is missing",
...
};
Then in your looping code you can just reference the Array for the appropriate message. You might want to use a JTextArea since you could have multiple message:
if (check[i] == 0)
{
textArea.append( errors[i] );
}
You could even simplify your code by create an Array of text fields then your looping code would be something like:
for (int i = 0; i < textFields.length; i++)
{
JTextField textField = textFields[i];
String text = textField.getText();
int length = text.length();
if (length == 0)
{
textArea.append( ... );
}
}
Look to create loops/reusable code. It makes maintenance easier if you ever need to add another text field to test.
Here is a simple example. instead of iterating over the length of the inputs, iterate over the fields themselves. If one is empty paint it red and append its corresponding message to the list of messages. Then display that list on a label.
public class Main {
public static void main(String[] args) {
JTextField fName = new JTextField();
fName.setName("First Name");
JTextField lName = new JTextField();
lName.setName("last Name");
JTextField address = new JTextField();
address.setName("Address");
JTextField[] fields = new JTextField[] {fName, lName, address};
StringBuilder sb = new StringBuilder("<html>");
for (JTextField field : fields) {
if (field.getText().isEmpty()){
field.setBackground(Color.RED);
sb.append("<p>").append("You haven't entered " + field.getName());
}
}
JLabel label = new JLabel(sb.toString());
}
}