Last active
December 16, 2015 12:08
-
-
Save jewelsea/5431977 to your computer and use it in GitHub Desktop.
Simulates reading a thermostat every couple of seconds and updating a label with the current temperature value.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import javafx.animation.*; | |
import javafx.application.Application; | |
import javafx.beans.binding.Bindings; | |
import javafx.beans.property.*; | |
import javafx.event.*; | |
import javafx.scene.*; | |
import javafx.scene.control.*; | |
import javafx.scene.layout.VBox; | |
import javafx.stage.Stage; | |
import javafx.util.Duration; | |
import java.util.Random; | |
public class ThermostatApp extends Application { | |
@Override public void start(final Stage stage) throws Exception { | |
final Thermostat thermostat = new Thermostat(); | |
final TemperatureLabel temperatureLabel = new TemperatureLabel(thermostat); | |
VBox layout = new VBox(10); | |
layout.getChildren().addAll(temperatureLabel); | |
layout.setStyle("-fx-background-color: cornsilk; -fx-padding: 20; -fx-font-size: 20;"); | |
stage.setScene(new Scene(layout)); | |
stage.show(); | |
} | |
public static void main(String[] args) throws Exception { | |
launch(args); | |
} | |
} | |
class TemperatureLabel extends Label { | |
public TemperatureLabel(final Thermostat thermostat) { | |
textProperty().bind( | |
Bindings.format( | |
"%3d \u00B0F", | |
thermostat.temperatureProperty() | |
) | |
); | |
} | |
} | |
class Thermostat { | |
private static final Duration PROBE_FREQUENCY = Duration.seconds(2); | |
private final ReadOnlyIntegerWrapper temperature; | |
private final TemperatureProbe probe; | |
private final Timeline timeline; | |
public ReadOnlyIntegerProperty temperatureProperty() { | |
return temperature.getReadOnlyProperty(); | |
} | |
public Thermostat() { | |
probe = new TemperatureProbe(); | |
temperature = new ReadOnlyIntegerWrapper(probe.readTemperature()); | |
timeline = new Timeline( | |
new KeyFrame( | |
Duration.ZERO, | |
new EventHandler<ActionEvent>() { | |
@Override public void handle(ActionEvent actionEvent) { | |
temperature.set(probe.readTemperature()); | |
} | |
} | |
), | |
new KeyFrame( | |
PROBE_FREQUENCY | |
) | |
); | |
timeline.setCycleCount(Timeline.INDEFINITE); | |
timeline.play(); | |
} | |
} | |
class TemperatureProbe { | |
private static final Random random = new Random(); | |
public int readTemperature() { | |
return 72 + random.nextInt(6); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Answer to the StackOverflow question: How to update the label box every 2 seconds in java fx?