There's a section of my program where the user should have the ability to edit an amount of time. There will be a default amount of time already set but the user should be able to edit it if need be (00:00:00) Would a single line JTextArea with limitations on what characters can be entered (only numbers obviously) and some kind of filter to not allow the colons to be edited be the way to go? Or is there something more simple?
JTextArea Filters and/or Inputs of time (00:00:00) Java
584 Views Asked by Oscar F At
3
There are 3 best solutions below
1

You can use JSpinner to achieve this. I hope the below piece of would help.
JFrame frame = new JFrame("Date Picker");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
JSpinner timeSpinner = new JSpinner( new SpinnerDateModel());
JSpinner.DateEditor timeEditor = new JSpinner.DateEditor(timeSpinner, "HH:mm:ss");
timeSpinner.setEditor(timeEditor);
timeSpinner.setValue(new Date());
frame.add(timeSpinner);
frame.setVisible(true);
frame.pack();
3

I think you'll want to use a JFormattedTextField. I've written a simple example. Just run it, type something into the box, and hit tab to change focus (and thus update the label).
import java.awt.*;
import java.awt.event.*;
import java.text.*;
import java.util.*;
import javax.swing.*;
import javax.swing.event.*;
import javax.swing.text.*;
public class MyPanel extends JPanel implements DocumentListener {
private JFormattedTextField ftf;
private JLabel output;
private DateFormat myFormat;
public MyPanel() {
this.setFocusable(true);
myFormat = DateFormat.getTimeInstance(DateFormat.MEDIUM);
ftf = new JFormattedTextField(myFormat);
ftf.setValue(new Date());
this.add(ftf);
output = new JLabel("--:--:--");
this.add(output);
ftf.getDocument().addDocumentListener(this);
}
public void update() {
// get the time
Date date = (Date)ftf.getValue();
// display it
output.setText(myFormat.format(date));
}
public void changedUpdate(DocumentEvent e) { update(); }
public void insertUpdate(DocumentEvent e) { update(); }
public void removeUpdate(DocumentEvent e) { update(); }
public static void main(String[] args) {
JFrame frame = new JFrame();
frame.setSize(640, 480);
frame.add(new MyPanel());
frame.setVisible(true);
}
}
So, dealing with duration is a lot different, as many of the normal "validation" process can be discarded (for example, you don't really care about the hours, as the user might need to put 100 hours, for example)...
So, based on this time field example, I stripped back the API and re-built it (it really need an over haul any way ;))
So I ended up with this duration field...
At it's heart, it's nothing more than a series of fields with
DocumentFilter
s,DocumentListener
s, some key bindings and general automation to make it "look" like a single field...And the abstract parent class...
The abstraction is for my benifit, from here I can build a
TimeField
as well :)