All Downloads are FREE. Search and download functionalities are using the official Maven repository.

javafx.animation.Animation Maven / Gradle / Ivy

The newest version!
/*
 * Copyright (c) 2010, 2013, Oracle and/or its affiliates. All rights reserved.
 * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
 *
 * This code is free software; you can redistribute it and/or modify it
 * under the terms of the GNU General Public License version 2 only, as
 * published by the Free Software Foundation.  Oracle designates this
 * particular file as subject to the "Classpath" exception as provided
 * by Oracle in the LICENSE file that accompanied this code.
 *
 * This code is distributed in the hope that it will be useful, but WITHOUT
 * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
 * FITNESS FOR A PARTICULAR PURPOSE.  See the GNU General Public License
 * version 2 for more details (a copy is included in the LICENSE file that
 * accompanied this code).
 *
 * You should have received a copy of the GNU General Public License version
 * 2 along with this work; if not, write to the Free Software Foundation,
 * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
 *
 * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
 * or visit www.oracle.com if you need additional information or have any
 * questions.
 */

package javafx.animation;

import java.util.HashMap;

import com.sun.javafx.tk.Toolkit;
import javafx.beans.property.BooleanProperty;
import javafx.beans.property.DoubleProperty;
import javafx.beans.property.DoublePropertyBase;
import javafx.beans.property.IntegerProperty;
import javafx.beans.property.IntegerPropertyBase;
import javafx.beans.property.ObjectProperty;
import javafx.beans.property.ObjectPropertyBase;
import javafx.beans.property.ReadOnlyDoubleProperty;
import javafx.beans.property.ReadOnlyDoublePropertyBase;
import javafx.beans.property.ReadOnlyObjectProperty;
import javafx.beans.property.ReadOnlyObjectPropertyBase;
import javafx.beans.property.SimpleBooleanProperty;
import javafx.beans.property.SimpleObjectProperty;
import javafx.collections.FXCollections;
import javafx.collections.ObservableMap;
import javafx.event.ActionEvent;
import javafx.event.EventHandler;
import javafx.util.Duration;
import com.sun.javafx.animation.TickCalculation;
import com.sun.scenario.animation.AbstractMasterTimer;
import com.sun.scenario.animation.shared.ClipEnvelope;
import com.sun.scenario.animation.shared.PulseReceiver;

import static com.sun.javafx.animation.TickCalculation.*;

/**
 * The class {@code Animation} provides the core functionality of all animations
 * used in the JavaFX runtime.
 * 

* An animation can run in a loop by setting {@link #cycleCount}. To make an * animation run back and forth while looping, set the {@link #autoReverse} * -flag. *

* Call {@link #play()} or {@link #playFromStart()} to play an {@code Animation} * . The {@code Animation} progresses in the direction and speed specified by * {@link #rate}, and stops when its duration is elapsed. An {@code Animation} * with indefinite duration (a {@link #cycleCount} of {@link #INDEFINITE}) runs * repeatedly until the {@link #stop()} method is explicitly called, which will * stop the running {@code Animation} and reset its play head to the initial * position. *

* An {@code Animation} can be paused by calling {@link #pause()}, and the next * {@link #play()} call will resume the {@code Animation} from where it was * paused. *

* An {@code Animation}'s play head can be randomly positioned, whether it is * running or not. If the {@code Animation} is running, the play head jumps to * the specified position immediately and continues playing from new position. * If the {@code Animation} is not running, the next {@link #play()} will start * the {@code Animation} from the specified position. *

* Inverting the value of {@link #rate} toggles the play direction. * * @see Timeline * @see Transition * * @since JavaFX 2.0 */ public abstract class Animation { static { AnimationAccessorImpl.DEFAULT = new AnimationAccessorImpl(); } /** * Used to specify an animation that repeats indefinitely, until the * {@code stop()} method is called. */ public static final int INDEFINITE = -1; /** * The possible states for {@link Animation#statusProperty status}. * @since JavaFX 2.0 */ public static enum Status { /** * The paused state. */ PAUSED, /** * The running state. */ RUNNING, /** * The stopped state. */ STOPPED } private static final double EPSILON = 1e-12; /* These four fields and associated methods were moved here from AnimationPulseReceiver when that class was removed. They could probably be integrated much cleaner into Animation, but to make sure the change was made without introducing regressions, this code was moved pretty much verbatim. */ private long startTime; private long pauseTime; private boolean paused = false; private final AbstractMasterTimer timer; private long now() { return TickCalculation.fromNano(timer.nanos()); } void startReceiver(long delay) { paused = false; startTime = now() + delay; timer.addPulseReceiver(pulseReceiver); } void pauseReceiver() { if (!paused) { pauseTime = now(); paused = true; timer.removePulseReceiver(pulseReceiver); } } void resumeReceiver() { if (paused) { final long deltaTime = now() - pauseTime; startTime += deltaTime; paused = false; timer.addPulseReceiver(pulseReceiver); } } // package private only for the sake of testing final PulseReceiver pulseReceiver = new PulseReceiver() { @Override public void timePulse(long now) { final long elapsedTime = now - startTime; if (elapsedTime < 0) { return; } impl_timePulse(elapsedTime); } }; private class CurrentRateProperty extends ReadOnlyDoublePropertyBase { private double value; @Override public Object getBean() { return Animation.this; } @Override public String getName() { return "currentRate"; } @Override public double get() { return value; } private void set(double value) { this.value = value; fireValueChangedEvent(); } } private class AnimationReadOnlyProperty extends ReadOnlyObjectPropertyBase { private final String name; private T value; private AnimationReadOnlyProperty(String name, T value) { this.name = name; this.value = value; } @Override public Object getBean() { return Animation.this; } @Override public String getName() { return name; } @Override public T get() { return value; } private void set(T value) { this.value = value; fireValueChangedEvent(); } } /** * The parent of this {@code Animation}. If this animation has not been * added to another animation, such as {@link ParallelTransition} and * {@link SequentialTransition}, then parent will be null. * * @defaultValue null */ Animation parent = null; /* Package-private for testing purposes */ ClipEnvelope clipEnvelope; private boolean lastPlayedFinished = false; private boolean lastPlayedForward = true; /** * Defines the direction/speed at which the {@code Animation} is expected to * be played. *

* The absolute value of {@code rate} indicates the speed which the * {@code Animation} is to be played, while the sign of {@code rate} * indicates the direction. A positive value of {@code rate} indicates * forward play, a negative value indicates backward play and {@code 0.0} to * stop a running {@code Animation}. *

* Rate {@code 1.0} is normal play, {@code 2.0} is 2 time normal, * {@code -1.0} is backwards, etc... * *

* Inverting the rate of a running {@code Animation} will cause the * {@code Animation} to reverse direction in place and play back over the * portion of the {@code Animation} that has already elapsed. * * @defaultValue 1.0 */ private DoubleProperty rate; private static final double DEFAULT_RATE = 1.0; public final void setRate(double value) { if ((rate != null) || (Math.abs(value - DEFAULT_RATE) > EPSILON)) { rateProperty().set(value); } } public final double getRate() { return (rate == null)? DEFAULT_RATE : rate.get(); } public final DoubleProperty rateProperty() { if (rate == null) { rate = new DoublePropertyBase(DEFAULT_RATE) { @Override public void invalidated() { final double newRate = getRate(); if (isRunningEmbedded()) { if (isBound()) { unbind(); } set(oldRate); throw new IllegalArgumentException("Cannot set rate of embedded animation while running."); } else { if (Math.abs(newRate) < EPSILON) { if (getStatus() == Status.RUNNING) { lastPlayedForward = (Math.abs(getCurrentRate() - oldRate) < EPSILON); } setCurrentRate(0.0); pauseReceiver(); } else { if (getStatus() == Status.RUNNING) { final double currentRate = getCurrentRate(); if (Math.abs(currentRate) < EPSILON) { setCurrentRate(lastPlayedForward ? newRate : -newRate); resumeReceiver(); } else { final boolean playingForward = Math.abs(currentRate - oldRate) < EPSILON; setCurrentRate(playingForward ? newRate : -newRate); } } oldRate = newRate; } clipEnvelope.setRate(newRate); } } @Override public Object getBean() { return Animation.this; } @Override public String getName() { return "rate"; } }; } return rate; } private boolean isRunningEmbedded() { if (parent == null) { return false; } return parent.getStatus() != Status.STOPPED || parent.isRunningEmbedded(); } private double oldRate = 1.0; /** * Read-only variable to indicate current direction/speed at which the * {@code Animation} is being played. *

* {@code currentRate} is not necessary equal to {@code rate}. * {@code currentRate} is set to {@code 0.0} when animation is paused or * stopped. {@code currentRate} may also point to different direction during * reverse cycles when {@code autoReverse} is {@code true} * * @defaultValue 0.0 */ private ReadOnlyDoubleProperty currentRate; private static final double DEFAULT_CURRENT_RATE = 0.0; private void setCurrentRate(double value) { if ((currentRate != null) || (Math.abs(value - DEFAULT_CURRENT_RATE) > EPSILON)) { ((CurrentRateProperty)currentRateProperty()).set(value); } } public final double getCurrentRate() { return (currentRate == null)? DEFAULT_CURRENT_RATE : currentRate.get(); } public final ReadOnlyDoubleProperty currentRateProperty() { if (currentRate == null) { currentRate = new CurrentRateProperty(); } return currentRate; } /** * Read-only variable to indicate the duration of one cycle of this * {@code Animation}: the time it takes to play from time 0 to the * end of the Animation (at the default {@code rate} of * 1.0). * * @defaultValue 0ms */ private ReadOnlyObjectProperty cycleDuration; private static final Duration DEFAULT_CYCLE_DURATION = Duration.ZERO; protected final void setCycleDuration(Duration value) { if ((cycleDuration != null) || (!DEFAULT_CYCLE_DURATION.equals(value))) { if (value.lessThan(Duration.ZERO)) { throw new IllegalArgumentException("Cycle duration cannot be negative"); } ((AnimationReadOnlyProperty)cycleDurationProperty()).set(value); updateTotalDuration(); } } public final Duration getCycleDuration() { return (cycleDuration == null)? DEFAULT_CYCLE_DURATION : cycleDuration.get(); } public final ReadOnlyObjectProperty cycleDurationProperty() { if (cycleDuration == null) { cycleDuration = new AnimationReadOnlyProperty("cycleDuration", DEFAULT_CYCLE_DURATION); } return cycleDuration; } /** * Read-only variable to indicate the total duration of this * {@code Animation}, including repeats. A {@code Animation} with a {@code cycleCount} * of {@code Animation.INDEFINITE} will have a {@code totalDuration} of * {@code Duration.INDEFINITE}. * *

* This is set to cycleDuration * cycleCount. * * @defaultValue 0ms */ private ReadOnlyObjectProperty totalDuration; private static final Duration DEFAULT_TOTAL_DURATION = Duration.ZERO; public final Duration getTotalDuration() { return (totalDuration == null)? DEFAULT_TOTAL_DURATION : totalDuration.get(); } public final ReadOnlyObjectProperty totalDurationProperty() { if (totalDuration == null) { totalDuration = new AnimationReadOnlyProperty("totalDuration", DEFAULT_TOTAL_DURATION); } return totalDuration; } private void updateTotalDuration() { // Implementing the bind eagerly, because cycleCount and // cycleDuration should not change that often final int cycleCount = getCycleCount(); final Duration cycleDuration = getCycleDuration(); final Duration newTotalDuration = Duration.ZERO.equals(cycleDuration) ? Duration.ZERO : (cycleCount == Animation.INDEFINITE) ? Duration.INDEFINITE : (cycleCount <= 1) ? cycleDuration : cycleDuration .multiply(cycleCount); if ((totalDuration != null) || (!DEFAULT_TOTAL_DURATION.equals(newTotalDuration))) { ((AnimationReadOnlyProperty)totalDurationProperty()).set(newTotalDuration); } if (newTotalDuration.lessThan(getCurrentTime())) { jumpTo(newTotalDuration); } } /** * Defines the {@code Animation}'s play head position. * * @defaultValue 0ms */ private CurrentTimeProperty currentTime; private long currentTicks; private class CurrentTimeProperty extends ReadOnlyObjectPropertyBase { @Override public Object getBean() { return Animation.this; } @Override public String getName() { return "currentTime"; } @Override public Duration get() { return getCurrentTime(); } @Override public void fireValueChangedEvent() { super.fireValueChangedEvent(); } } public final Duration getCurrentTime() { return TickCalculation.toDuration(currentTicks); } public final ReadOnlyObjectProperty currentTimeProperty() { if (currentTime == null) { currentTime = new CurrentTimeProperty(); } return currentTime; } /** * Delays the start of an animation. * * Cannot be negative. Setting to a negative number will result in {@link IllegalArgumentException}. * * @defaultValue 0ms */ private ObjectProperty delay; private static final Duration DEFAULT_DELAY = Duration.ZERO; public final void setDelay(Duration value) { if ((delay != null) || (!DEFAULT_DELAY.equals(value))) { delayProperty().set(value); } } public final Duration getDelay() { return (delay == null)? DEFAULT_DELAY : delay.get(); } public final ObjectProperty delayProperty() { if (delay == null) { delay = new ObjectPropertyBase(DEFAULT_DELAY) { @Override public Object getBean() { return Animation.this; } @Override public String getName() { return "delay"; } @Override protected void invalidated() { final Duration newDuration = get(); if (newDuration.lessThan(Duration.ZERO)) { if (isBound()) { unbind(); } set(Duration.ZERO); throw new IllegalArgumentException("Cannot set delay to negative value. Setting to Duration.ZERO"); } } }; } return delay; } /** * Defines the number of cycles in this animation. The {@code cycleCount} * may be {@code INDEFINITE} for animations that repeat indefinitely, but * must otherwise be > 0. *

* It is not possible to change the {@code cycleCount} of a running * {@code Animation}. If the value of {@code cycleCount} is changed for a * running {@code Animation}, the animation has to be stopped and started again to pick * up the new value. * * @defaultValue 1.0 * */ private IntegerProperty cycleCount; private static final int DEFAULT_CYCLE_COUNT = 1; public final void setCycleCount(int value) { if ((cycleCount != null) || (value != DEFAULT_CYCLE_COUNT)) { cycleCountProperty().set(value); } } public final int getCycleCount() { return (cycleCount == null)? DEFAULT_CYCLE_COUNT : cycleCount.get(); } public final IntegerProperty cycleCountProperty() { if (cycleCount == null) { cycleCount = new IntegerPropertyBase(DEFAULT_CYCLE_COUNT) { @Override public void invalidated() { updateTotalDuration(); } @Override public Object getBean() { return Animation.this; } @Override public String getName() { return "cycleCount"; } }; } return cycleCount; } /** * Defines whether this * {@code Animation} reverses direction on alternating cycles. If * {@code true}, the * {@code Animation} will proceed forward on the first cycle, * then reverses on the second cycle, and so on. Otherwise, animation will * loop such that each cycle proceeds forward from the start. * * It is not possible to change the {@code autoReverse} flag of a running * {@code Animation}. If the value of {@code autoReverse} is changed for a * running {@code Animation}, the animation has to be stopped and started again to pick * up the new value. * * @defaultValue false */ private BooleanProperty autoReverse; private static final boolean DEFAULT_AUTO_REVERSE = false; public final void setAutoReverse(boolean value) { if ((autoReverse != null) || (value != DEFAULT_AUTO_REVERSE)) { autoReverseProperty().set(value); } } public final boolean isAutoReverse() { return (autoReverse == null)? DEFAULT_AUTO_REVERSE : autoReverse.get(); } public final BooleanProperty autoReverseProperty() { if (autoReverse == null) { autoReverse = new SimpleBooleanProperty(this, "autoReverse", DEFAULT_AUTO_REVERSE); } return autoReverse; } /** * The status of the {@code Animation}. * * In {@code Animation} can be in one of three states: * {@link Status#STOPPED}, {@link Status#PAUSED} or {@link Status#RUNNING}. */ private ReadOnlyObjectProperty status; private static final Status DEFAULT_STATUS = Status.STOPPED; protected final void setStatus(Status value) { if ((status != null) || (!DEFAULT_STATUS.equals(value))) { ((AnimationReadOnlyProperty)statusProperty()).set(value); } } public final Status getStatus() { return (status == null)? DEFAULT_STATUS : status.get(); } public final ReadOnlyObjectProperty statusProperty() { if (status == null) { status = new AnimationReadOnlyProperty("status", Status.STOPPED); } return status; } private final double targetFramerate; private final int resolution; private long lastPulse; /** * The target framerate is the maximum framerate at which this {@code Animation} * will run, in frames per second. This can be used, for example, to keep * particularly complex {@code Animations} from over-consuming system resources. * By default, an {@code Animation}'s framerate is not explicitly limited, meaning * the {@code Animation} will run at an optimal framerate for the underlying platform. * * @return the target framerate */ public final double getTargetFramerate() { return targetFramerate; } /** * The action to be executed at the conclusion of this {@code Animation}. * * @defaultValue null */ private ObjectProperty> onFinished; private static final EventHandler DEFAULT_ON_FINISHED = null; public final void setOnFinished(EventHandler value) { if ((onFinished != null) || (value != null /* DEFAULT_ON_FINISHED */)) { onFinishedProperty().set(value); } } public final EventHandler getOnFinished() { return (onFinished == null)? DEFAULT_ON_FINISHED : onFinished.get(); } public final ObjectProperty> onFinishedProperty() { if (onFinished == null) { onFinished = new SimpleObjectProperty>(this, "onFinished", DEFAULT_ON_FINISHED); } return onFinished; } private final ObservableMap cuePoints = FXCollections .observableMap(new HashMap(0)); /** * The cue points can be * used to mark important positions of the {@code Animation}. Once a cue * point was defined, it can be used as an argument of * {@link #jumpTo(String) jumpTo()} and {@link #playFrom(String) playFrom()} * to move to the associated position quickly. *

* Every {@code Animation} has two predefined cue points {@code "start"} and * {@code "end"}, which are set at the start respectively the end of the * {@code Animation}. The predefined cuepoints do not appear in the map, * attempts to override them have no effect. *

* Another option to define a cue point in a {@code Animation} is to set the * {@link KeyFrame#name} property of a {@link KeyFrame}. * * @return {@link javafx.collections.ObservableMap} of cue points */ public final ObservableMap getCuePoints() { return cuePoints; } /** * Jumps to a given position in this {@code Animation}. * * If the given time is less than {@link Duration#ZERO}, this method will * jump to the start of the animation. If the given time is larger than the * duration of this {@code Animation}, this method will jump to the end. * * @param time * the new position * @throws NullPointerException * if {@code time} is {@code null} * @throws IllegalArgumentException * if {@code time} is {@link Duration#UNKNOWN} * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void jumpTo(Duration time) { if (time == null) { throw new NullPointerException("Time needs to be specified."); } if (time.isUnknown()) { throw new IllegalArgumentException("The time is invalid"); } if (parent != null) { throw new IllegalStateException("Cannot jump when embedded in another animation"); } lastPlayedFinished = false; final Duration totalDuration = getTotalDuration(); time = time.lessThan(Duration.ZERO) ? Duration.ZERO : time .greaterThan(totalDuration) ? totalDuration : time; final long ticks = fromDuration(time); if (getStatus() == Status.STOPPED) { syncClipEnvelope(); } clipEnvelope.jumpTo(ticks); } /** * Jumps to a predefined position in this {@code Animation}. This method * looks for an entry in cue points and jumps to the associated * position, if it finds one. *

* If the cue point is behind the end of this {@code Animation}, calling * {@code jumpTo} will result in a jump to the end. If the cue point has a * negative {@link javafx.util.Duration} it will result in a jump to the * beginning. If the cue point has a value of * {@link javafx.util.Duration#UNKNOWN} calling {@code jumpTo} will have no * effect for this cue point. *

* There are two predefined cue points {@code "start"} and {@code "end"} * which are defined to be at the start respectively the end of this * {@code Animation}. * * @param cuePoint * the name of the cue point * @throws NullPointerException * if {@code cuePoint} is {@code null} * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} * @see #getCuePoints() */ public void jumpTo(String cuePoint) { if (cuePoint == null) { throw new NullPointerException("CuePoint needs to be specified"); } if ("start".equalsIgnoreCase(cuePoint)) { jumpTo(Duration.ZERO); } else if ("end".equalsIgnoreCase(cuePoint)) { jumpTo(getTotalDuration()); } else { final Duration target = getCuePoints().get(cuePoint); if (target != null) { jumpTo(target); } } } /** * A convenience method to play this {@code Animation} from a predefined * position. The position has to be predefined in cue points. * Calling this method is equivalent to * *

     * 
     * animation.jumpTo(cuePoint);
     * animation.play();
     * 
     * 
* * Note that unlike {@link #playFromStart()} calling this method will not * change the playing direction of this {@code Animation}. * * @param cuePoint * name of the cue point * @throws NullPointerException * if {@code cuePoint} is {@code null} * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} * @see #getCuePoints() */ public void playFrom(String cuePoint) { jumpTo(cuePoint); play(); } /** * A convenience method to play this {@code Animation} from a specific * position. Calling this method is equivalent to * *
     * 
     * animation.jumpTo(time);
     * animation.play();
     * 
     * 
* * Note that unlike {@link #playFromStart()} calling this method will not * change the playing direction of this {@code Animation}. * * @param time * position where to play from * @throws NullPointerException * if {@code time} is {@code null} * @throws IllegalArgumentException * if {@code time} is {@link Duration#UNKNOWN} * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void playFrom(Duration time) { jumpTo(time); play(); } /** * Plays {@code Animation} from current position in the direction indicated * by {@code rate}. If the {@code Animation} is running, it has no effect. *

* When {@code rate} > 0 (forward play), if an {@code Animation} is already * positioned at the end, the first cycle will not be played, it is * considered to have already finished. This also applies to a backward ( * {@code rate} < 0) cycle if an {@code Animation} is positioned at the beginning. * However, if the {@code Animation} has {@code cycleCount} > 1, following * cycle(s) will be played as usual. *

* When the {@code Animation} reaches the end, the {@code Animation} is stopped and * the play head remains at the end. *

* To play an {@code Animation} backwards from the end:
* * animation.setRate(negative rate);
* animation.jumpTo(overall duration of animation);
* animation.play();
*
*

* Note:

    *
  • {@code play()} is an asynchronous call, the {@code Animation} may not * start immediately.
* * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void play() { play(true); } private void play(boolean forceSync) { if (parent != null) { throw new IllegalStateException("Cannot start when embedded in another animation"); } switch (getStatus()) { case STOPPED: if (impl_startable(forceSync)) { final double rate = getRate(); if (lastPlayedFinished) { jumpTo((rate < 0)? getTotalDuration() : Duration.ZERO); } lastPlayedFinished = false; impl_start(forceSync); startReceiver(TickCalculation.fromDuration(getDelay())); if (Math.abs(rate) < EPSILON) { pauseReceiver(); } else { } } else { final EventHandler handler = getOnFinished(); if (handler != null) { handler.handle(new ActionEvent(this, null)); } } break; case PAUSED: impl_resume(); if (Math.abs(getRate()) >= EPSILON) { resumeReceiver(); } break; } } /** * Plays an {@code Animation} from initial position in forward direction. *

* It is equivalent to *

* * animation.stop();
* animation.setRate = setRate(Math.abs(animation.getRate()));
* animation.jumpTo(Duration.ZERO);
* animation.play();
*
* *

* Note:

    *
  • {@code playFromStart()} is an asynchronous call, {@code Animation} may * not start immediately.
*

* * @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void playFromStart() { stop(); setRate(Math.abs(getRate())); jumpTo(Duration.ZERO); play(true); } /** * Stops the animation and resets the play head to its initial position. If * the animation is not currently running, this method has no effect. *

* Note:

    *
  • {@code stop()} is an asynchronous call, the {@code Animation} may not stop * immediately.
* @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void stop() { if (parent != null) { throw new IllegalStateException("Cannot stop when embedded in another animation"); } if (getStatus() != Status.STOPPED) { clipEnvelope.abortCurrentPulse(); impl_stop(); jumpTo(Duration.ZERO); } } /** * Pauses the animation. If the animation is not currently running, this * method has no effect. *

* Note:

    *
  • {@code pause()} is an asynchronous call, the {@code Animation} may not pause * immediately.
* @throws IllegalStateException * if embedded in another animation, * such as {@link SequentialTransition} or {@link ParallelTransition} */ public void pause() { if (parent != null) { throw new IllegalStateException("Cannot pause when embedded in another animation"); } if (getStatus() == Status.RUNNING) { clipEnvelope.abortCurrentPulse(); pauseReceiver(); impl_pause(); } } /** * The constructor of {@code Animation}. * * This constructor allows to define a target framerate. * * @param targetFramerate * The custom target frame rate for this {@code Animation} * @see #getTargetFramerate() */ protected Animation(double targetFramerate) { this.targetFramerate = targetFramerate; this.resolution = (int) Math.max(1, Math.round(TickCalculation.TICKS_PER_SECOND / targetFramerate)); this.clipEnvelope = ClipEnvelope.create(this); this.timer = Toolkit.getToolkit().getMasterTimer(); } /** * The constructor of {@code Animation}. */ protected Animation() { this.resolution = 1; this.targetFramerate = TickCalculation.TICKS_PER_SECOND / Toolkit.getToolkit().getMasterTimer().getDefaultResolution(); this.clipEnvelope = ClipEnvelope.create(this); this.timer = Toolkit.getToolkit().getMasterTimer(); } // These constructors are only for testing purposes Animation(AbstractMasterTimer timer) { this.resolution = 1; this.targetFramerate = TickCalculation.TICKS_PER_SECOND / timer.getDefaultResolution(); this.clipEnvelope = ClipEnvelope.create(this); this.timer = timer; } // These constructors are only for testing purposes Animation(AbstractMasterTimer timer, ClipEnvelope clipEnvelope, int resolution) { this.resolution = resolution; this.targetFramerate = TickCalculation.TICKS_PER_SECOND / resolution; this.clipEnvelope = clipEnvelope; this.timer = timer; } boolean impl_startable(boolean forceSync) { return (fromDuration(getCycleDuration()) > 0L) || (!forceSync && clipEnvelope.wasSynched()); } void impl_sync(boolean forceSync) { if (forceSync || !clipEnvelope.wasSynched()) { syncClipEnvelope(); } } private void syncClipEnvelope() { final int publicCycleCount = getCycleCount(); final int internalCycleCount = (publicCycleCount <= 0) && (publicCycleCount != INDEFINITE) ? 1 : publicCycleCount; clipEnvelope = clipEnvelope.setCycleCount(internalCycleCount); clipEnvelope.setCycleDuration(getCycleDuration()); clipEnvelope.setAutoReverse(isAutoReverse()); } void impl_start(boolean forceSync) { impl_sync(forceSync); setStatus(Status.RUNNING); clipEnvelope.start(); setCurrentRate(clipEnvelope.getCurrentRate()); lastPulse = 0; } void impl_pause() { final double currentRate = getCurrentRate(); if (Math.abs(currentRate) >= EPSILON) { lastPlayedForward = Math.abs(getCurrentRate() - getRate()) < EPSILON; } setCurrentRate(0.0); setStatus(Status.PAUSED); } void impl_resume() { setStatus(Status.RUNNING); setCurrentRate(lastPlayedForward ? getRate() : -getRate()); } void impl_stop() { if (!paused) { timer.removePulseReceiver(pulseReceiver); } setStatus(Status.STOPPED); setCurrentRate(0.0); } void impl_timePulse(long elapsedTime) { if (resolution == 1) { // fullspeed clipEnvelope.timePulse(elapsedTime); } else if (elapsedTime - lastPulse >= resolution) { lastPulse = (elapsedTime / resolution) * resolution; clipEnvelope.timePulse(elapsedTime); } } abstract void impl_playTo(long currentTicks, long cycleTicks); abstract void impl_jumpTo(long currentTicks, long cycleTicks, boolean forceJump); void impl_setCurrentTicks(long ticks) { currentTicks = ticks; if (currentTime != null) { currentTime.fireValueChangedEvent(); } } void impl_setCurrentRate(double currentRate) { // if (getStatus() == Status.RUNNING) { setCurrentRate(currentRate); // } } final void impl_finished() { lastPlayedFinished = true; impl_stop(); final EventHandler handler = getOnFinished(); if (handler != null) { try { handler.handle(new ActionEvent(this, null)); } catch (Exception ex) { ex.printStackTrace(); } } } }




© 2015 - 2024 Weber Informatics LLC | Privacy Policy