Пользовательская метка JavaFX? - PullRequest
1 голос
/ 10 января 2020

Я пытаюсь создать пользовательский тип метки, который будет включать функцию «исчезновения». Это для отображения сообщений, которые будут мигать, а затем будут скрыты.

Я использую Eclipse, SceneBuilder и Javafx. Я не уверен, как это сделать или если это возможно, но это то, что у меня так далеко:

import javafx.scene.control.Label;
import java.text.DecimalFormat;
import java.util.Timer;
import java.util.TimerTask;

import javax.swing.JLabel;


public class TimedMessage extends Label {

    private int countBy;
    private final String SUCCESS_COL = "#0bbf41";
    private final String FAIL_COL = "red";

    private int counter;

    private Timer messageTimer;

    public TimedMessage(int countBy) {
        this.countBy = countBy;
    }

    public void showMessage(boolean success, String message) {
        //function to show message
        /*
         *  To use: showMessage(false, "error"); or showMessage(true, "nice");
         *  Need:
         *  import javafx.scene.control.Label;
         *  import java.text.DecimalFormat;
         *  import java.util.Timer;
         *  import java.util.TimerTask;
         */

        this.setVisible(true); //show message label
        this.setOpacity(1); //set initial opacity to 1
        this.setText(message); //set the message's text
        if (success) {
            this.setStyle("-fx-text-fill: "+SUCCESS_COL);//set green
        }else {
            this.setStyle("-fx-text-fill: "+FAIL_COL);//set red
        }

        // Create new Timer
        messageTimer = new Timer();
        counter = 0; //should start from 0; do not change this value

        //messageTimer.scheduleAtFixedRate(messageTask, 5, 5);
         messageTimer.scheduleAtFixedRate(
                  new TimerTask() {
                      //timer task
                      private DecimalFormat deciFormat = new DecimalFormat("0.00");
                      public void run() {
                          if (counter >100){
                              //Stop timer
                              messageTimer.cancel();
                              messageTimer.purge();
                              this.setVisible(false); //hide message
                              this.setOpacity(1); //set initial opacity to 1
                              return;
                          }else {
                              double opacity = Double.valueOf(deciFormat.format((1.0 - counter/100.0))); //set opacity value
                              this.setOpacity(opacity); //set the opacity to the correct value
                              counter+=3;
                          }
                      }
                  }, countBy*100, countBy); //delay value, speed value

    }
}

Что, очевидно, не работает.

И вот что Сначала я начал работать с грязным кодом в одном файле (так, версия 1, из которой я пытаюсь вытащить код, в новый «объект», который я могу использовать в нескольких классах):

import javafx.scene.control.Label;
import java.text.DecimalFormat;
import java.util.Timer;
import java.util.TimerTask;

import java.io.IOException;
import java.sql.SQLException;

import javafx.fxml.FXML;
import javafx.scene.control.Button;
import javafx.scene.control.PasswordField;
import javafx.scene.control.TextField;
import javafx.scene.input.KeyCode;
import javafx.scene.input.KeyEvent;
import javafx.stage.Window;
import javafx.scene.control.Alert;
import javafx.scene.control.Alert.AlertType;

public class PrimaryController {
...
    @FXML
    private Label messageLabel;


    private int counter;
    private Timer messageTimer;
    private void showMessage(boolean success, String message) {
        //function to show message
        /*
         *  To use: showMessage(false, "error"); or showMessage(true, "nice");
         *  Need:
         *  import javafx.scene.control.Label;
         *  import java.text.DecimalFormat;
         *  import java.util.Timer;
         *  import java.util.TimerTask;
         */

        messageLabel.setVisible(true); //show message label
        messageLabel.setOpacity(1); //set initial opacity to 1
        messageLabel.setText(message); //set the message's text
        if (success) {
            messageLabel.setStyle("-fx-text-fill: #0bbf41");//set green
        }else {
            messageLabel.setStyle("-fx-text-fill: red");//set red
        }
        // Create new Timer
        messageTimer = new Timer();
        counter = 0; //should start from 0; do not change this value
        //messageTimer.scheduleAtFixedRate(messageTask, 5, 5);
         messageTimer.scheduleAtFixedRate(
                  new TimerTask() {
                      //timer task
                      private DecimalFormat deciFormat = new DecimalFormat("0.00");
                      public void run() {
                          if (counter >100){
                              //Stop timer
                              messageTimer.cancel();
                              messageTimer.purge();
                              messageLabel.setVisible(false); //hide message
                              messageLabel.setOpacity(1); //set initial opacity to 1
                              return;
                          }else {
                              double opacity = Double.valueOf(deciFormat.format((1.0 - counter/100.0))); //set opacity value
                              messageLabel.setOpacity(opacity); //set the opacity to the correct value
                              counter+=3;
                          }
                      }
                  }, 300, 4); //delay value, speed value

    }

    ...
    @FXML
    void logInOnClick() throws IOException, SQLException {
        ...
        if (userName.getText().isEmpty()) {
            showMessage(false, "error in adsadsasdasdadsdasasd");
            //showAlert(Alert.AlertType.ERROR, owner, "Form Error!","Please enter your email id");
            return;
        }
}

}

Любой совет или помощь будет принята с благодарностью, спасибо.

1 Ответ

4 голосов
/ 10 января 2020

Попробуйте использовать FadeTransition. Пример приложения ниже. Приложение занимает три секунды до go с прозрачностью от 1 до 0.

import javafx.animation.FadeTransition;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
import javafx.util.Duration;

/**
 * @author rstein
 */
public class App extends Application {
    @Override
    public void start(final Stage primaryStage) {
        Label label = new Label("Label");

        FadeTransition ft = new FadeTransition(Duration.millis(3000), label);
        ft.setFromValue(1.0);
        ft.setToValue(0);
        ft.setCycleCount(1);
        ft.play();

        VBox root = new VBox(label);
        Scene scene = new Scene(root, 300, 200);

        primaryStage.setTitle(this.getClass().getSimpleName());
        primaryStage.setScene(scene);
        primaryStage.show();
    }


    /**
     * @param args the command line arguments
     */
    public static void main(final String[] args) {
        Application.launch(args);
    }
}
...