问题
I just start using the new JavaFX 8 control DatePicker
. In DatePicker User Experience Documentation, it is stated that it has couple of cool features that I would like to have in my GUI application:
- I want to change the format from
mm/dd/yyyy
todd/mm/yyyy
. - I would like to restrict the date that can be selected. The user can only select from today until the same day of next year.
- Display Hijri dates besides the original ones:
How to implement these features? The JavaDoc doesn't say much about them.
回答1:
Here is the full implementation:
import java.net.URL;
import java.time.LocalDate;
import java.time.chrono.HijrahChronology;
import java.time.format.DateTimeFormatter;
import java.util.ResourceBundle;
import javafx.application.Platform;
import javafx.fxml.FXML;
import javafx.fxml.Initializable;
import javafx.scene.control.DateCell;
import javafx.scene.control.DatePicker;
import javafx.scene.control.Label;
import javafx.scene.input.MouseEvent;
import javafx.util.Callback;
import javafx.util.StringConverter;
/**
*
* @author Fouad
*/
public class FXMLDocumentController implements Initializable
{
@FXML
private DatePicker dpDate;
@Override
public void initialize(URL url, ResourceBundle rb)
{
dpDate.setValue(LocalDate.now());
dpDate.setChronology(HijrahChronology.INSTANCE);
Callback<DatePicker, DateCell> dayCellFactory = dp -> new DateCell()
{
@Override
public void updateItem(LocalDate item, boolean empty)
{
super.updateItem(item, empty);
if(item.isBefore(LocalDate.now()) || item.isAfter(LocalDate.now().plusYears(1)))
{
setStyle("-fx-background-color: #ffc0cb;");
Platform.runLater(() -> setDisable(true));
/* When Hijri Dates are shown, setDisable() doesn't work. Here is a workaround */
//addEventFilter(MouseEvent.MOUSE_CLICKED, e -> e.consume());
}
}
};
StringConverter<LocalDate> converter = new StringConverter<LocalDate>()
{
final DateTimeFormatter dateFormatter = DateTimeFormatter.ofPattern("dd/MM/yyyy");
@Override
public String toString(LocalDate date)
{
if(date != null) return dateFormatter.format(date);
else return "";
}
@Override
public LocalDate fromString(String string)
{
if(string != null && !string.isEmpty())
{
LocalDate date = LocalDate.parse(string, dateFormatter);
if(date.isBefore(LocalDate.now()) || date.isAfter(LocalDate.now().plusYears(1)))
{
return dpDate.getValue();
}
else return date;
}
else return null;
}
};
dpDate.setDayCellFactory(dayCellFactory);
dpDate.setConverter(converter);
dpDate.setPromptText("dd/MM/yyyy");
}
}
来源:https://stackoverflow.com/questions/22940371/javafx-8-datepicker-features