- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我想要完成的事情:
制作最终会在 video.mp4(或任何其他扩展名)中协调的 JavaFX 动画
一种方法:
在动画播放期间,将 30fps(或 60fps)导出为静止图像(即 png 图像)。之后使用一些工具处理图像并创建视频。
那么如何创建 JavaFX 窗口的框架呢?
最佳答案
免责声明
以下解决方案仅作为概念证明提供,不附带解释,不支持评论,不保证它会为您工作,不保证它会没有错误(它可能有一些小错误),并且没有 promise 它将适用于任何目的。
解决方案策略
Create a Scene which is not displayed in a window containing your animation. Don't play() the animation, but repeatedly call jumpTo(...) on the animation to create each frame, snapshot the result, and write to a file.
package com.example.mjpeg;
import javafx.animation.Animation;
import javafx.animation.TranslateTransition;
import javafx.application.Application;
import javafx.geometry.Insets;
import javafx.geometry.Pos;
import javafx.scene.Parent;
import javafx.scene.Scene;
import javafx.scene.layout.Pane;
import javafx.scene.layout.StackPane;
import javafx.scene.layout.VBox;
import javafx.scene.paint.Color;
import javafx.scene.shape.Circle;
import javafx.stage.Stage;
import javafx.util.Duration;
import java.nio.file.Files;
public class MjpegCaptureAndPlayApp extends Application {
final private double W = 100, H = 100;
private MjpegPlayer player;
@Override
public void start(Stage stage) throws Exception {
String movieFile = Files.createTempFile("mjpeg-capture", "mjpeg").toString();
CaptureAnimation captureAnimation = createCaptureAnimation();
MjpegCapture mjpegCapture = new MjpegCapture(
movieFile,
captureAnimation.root(),
captureAnimation.animation()
);
mjpegCapture.capture();
player = new MjpegPlayer(movieFile);
StackPane viewer = new StackPane(player.getViewer());
viewer.setPrefSize(W, H);
VBox layout = new VBox(20);
layout.setStyle("-fx-background-color: cornsilk;");
layout.setPadding(new Insets(10));
layout.setAlignment(Pos.CENTER);
layout.getChildren().setAll(
viewer,
player.getControls()
);
stage.setScene(new Scene(layout));
stage.show();
player.getTimeline().playFromStart();
}
@Override
public void stop() throws Exception {
if (player != null) {
player.dispose();
}
}
record CaptureAnimation(Parent root, Animation animation) {}
private CaptureAnimation createCaptureAnimation() {
Pane root = new Pane();
root.setMinSize(Pane.USE_PREF_SIZE, Pane.USE_PREF_SIZE);
root.setPrefSize(W, H);
root.setMaxSize(Pane.USE_PREF_SIZE, Pane.USE_PREF_SIZE);
Circle circle = new Circle(W / 10, Color.PURPLE);
root.getChildren().add(circle);
TranslateTransition translateTransition = new TranslateTransition(
Duration.seconds(5),
circle
);
translateTransition.setFromX(0);
translateTransition.setToX(W);
translateTransition.setFromY(H/2);
translateTransition.setToY(H/2);
translateTransition.setAutoReverse(true);
translateTransition.setCycleCount(2);
// move to start pos.
circle.setTranslateX(0);
circle.setTranslateY(H/2);
return new CaptureAnimation(root, translateTransition);
}
public static void main(String[] args) {
launch(args);
}
}
MjpegCapture.java
package com.example.mjpeg;
import javafx.animation.Animation;
import javafx.embed.swing.SwingFXUtils;
import javafx.scene.Parent;
import javafx.scene.Scene;
import javafx.scene.SnapshotParameters;
import javafx.scene.image.WritableImage;
import javafx.util.Duration;
import javax.imageio.ImageIO;
import java.awt.*;
import java.awt.image.BufferedImage;
import java.io.ByteArrayOutputStream;
import java.io.IOException;
public class MjpegCapture {
private final Duration SECS_PER_FRAME = Duration.seconds(1.0 / 24);
private final String videoFilename;
private final Parent root;
private final Animation animation;
public MjpegCapture(String videoFilename, Parent root, Animation animation) {
this.videoFilename = videoFilename;
this.root = root;
this.animation = animation;
}
public void capture() throws IOException {
VideoStreamOutput videoStreamOutput = new VideoStreamOutput(videoFilename);
animation.playFromStart();
Duration curPos = Duration.ZERO;
SnapshotParameters snapshotParameters = new SnapshotParameters();
// transparent fill not supported by jpeg I believe so not enabled.
//snapshotParameters.setFill(Color.TRANSPARENT);
Scene scene = new Scene(root);
// force a layout pass so that we can measure the height and width of the root node.
scene.snapshot(null);
int w = (int) scene.getWidth();
int h = (int) scene.getHeight();
WritableImage fxImage = new WritableImage(w, h);
boolean complete;
ByteArrayOutputStream outputBuffer = new ByteArrayOutputStream();
do {
animation.jumpTo(curPos);
root.snapshot(snapshotParameters, fxImage);
// Get buffered image:
// uses ugly, inefficient workaround from:
// https://stackoverflow.com/a/19605733/1155209
BufferedImage image = SwingFXUtils.fromFXImage(fxImage, null);
// Remove alpha-channel from buffered image:
BufferedImage imageRGB = new BufferedImage(
image.getWidth(),
image.getHeight(),
BufferedImage.OPAQUE);
Graphics2D graphics = imageRGB.createGraphics();
graphics.drawImage(image, 0, 0, null);
ImageIO.write(imageRGB, "jpg", outputBuffer);
videoStreamOutput.writeNextFrame(outputBuffer.toByteArray());
outputBuffer.reset();
complete = curPos.greaterThanOrEqualTo(animation.getTotalDuration());
if (curPos.add(SECS_PER_FRAME).greaterThan(animation.getTotalDuration())) {
curPos = animation.getTotalDuration();
} else {
curPos = curPos.add(SECS_PER_FRAME);
}
} while(!complete);
videoStreamOutput.close();
}
}
MjpegPlayer.java
package com.example.mjpeg;
import javafx.animation.KeyFrame;
import javafx.animation.Timeline;
import javafx.geometry.Pos;
import javafx.scene.control.Button;
import javafx.scene.image.Image;
import javafx.scene.image.ImageView;
import javafx.scene.layout.HBox;
import javafx.util.Duration;
import java.io.ByteArrayInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.util.Arrays;
public class MjpegPlayer {
private final String videoFilename;
private final Timeline timeline;
private final ImageView viewer = new ImageView();
private final HBox controls;
private VideoStream videoStream;
public MjpegPlayer(String filename) throws FileNotFoundException {
videoFilename = filename;
videoStream = new VideoStream(filename);
timeline = createTimeline(viewer);
controls = createControls(timeline);
}
private Timeline createTimeline(ImageView viewer) {
final Timeline timeline = new Timeline();
final byte[] buf = new byte[15000];
timeline.getKeyFrames().setAll(
new KeyFrame(Duration.ZERO, event -> {
try {
int len = videoStream.readNextFrame(buf);
if (len == -1) {
timeline.stop();
return;
}
viewer.setImage(
new Image(
new ByteArrayInputStream(
Arrays.copyOf(buf, len)
)
)
);
} catch (Exception e) {
e.printStackTrace();
}
}),
new KeyFrame(Duration.seconds(1.0 / 24))
);
timeline.setCycleCount(Timeline.INDEFINITE);
return timeline;
}
private HBox createControls(final Timeline timeline) {
Button play = new Button("Play");
play.setOnAction(event -> timeline.play());
Button pause = new Button("Pause");
pause.setOnAction(event -> timeline.pause());
Button restart = new Button("Restart");
restart.setOnAction(event -> {
try {
timeline.stop();
videoStream = new VideoStream(videoFilename);
timeline.playFromStart();
} catch (Exception e) {
e.printStackTrace();
}
});
HBox controls = new HBox(10);
controls.setAlignment(Pos.CENTER);
controls.getChildren().setAll(
play,
pause,
restart
);
return controls;
}
public void dispose() throws IOException {
videoStream.close();
}
public String getVideoFilename() {
return videoFilename;
}
public Timeline getTimeline() {
return timeline;
}
public ImageView getViewer() {
return viewer;
}
public HBox getControls() {
return controls;
}
}
视频流.java
package com.example.mjpeg;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
class VideoStream {
private final FileInputStream fis; //video file
VideoStream(String filename) throws FileNotFoundException {
fis = new FileInputStream(filename);
}
int readNextFrame(byte[] frame) throws Exception {
int length;
String lengthAsString;
byte[] lengthAsBytes = new byte[5];
//read current frame length
fis.read(lengthAsBytes, 0, 5);
//transform lengthAsBytes to integer
lengthAsString = new String(lengthAsBytes);
try {
length = Integer.parseInt(lengthAsString);
} catch (Exception e) {
return -1;
}
return (fis.read(frame, 0, length));
}
void close() throws IOException {
fis.close();
}
}
视频流输出.java
package com.example.mjpeg;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
import java.nio.charset.StandardCharsets;
class VideoStreamOutput {
private FileOutputStream fos; //video file
private int frameNum; //current frame nb
public VideoStreamOutput(String filename) throws FileNotFoundException {
fos = new FileOutputStream(filename);
frameNum = 0;
}
public void writeNextFrame(byte[] frame) throws IOException {
frameNum++;
String lengthAsString = String.format("%05d", frame.length);
byte[] lengthAsBytes = lengthAsString.getBytes(StandardCharsets.US_ASCII);
fos.write(lengthAsBytes);
fos.write(frame);
System.out.println(frameNum + ": " + lengthAsString);
}
public void close() throws IOException {
fos.flush();
fos.close();
}
}
模块信息.java
module com.example.mjpeg {
requires javafx.controls;
requires javafx.swing;
requires java.desktop;
exports com.example.mjpeg;
}
关于java - 有没有办法将 JavaFX 动画导出到图像帧?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/70152779/
我不知道这是不是问这种问题的最佳地点, 我看到一些 JavaFX伙计们,重新标记 一些问题通过替换 javafx来自 javafx-2并采用新的 javafx-8 .它被弃用了还是什么? 编辑 : 不
错误本身: Error:java: invalid flag: --add-modules=javafx.fxml,javafx.graphics,javafx.controls,javafx.bas
这个想法是让一个应用程序在每个显示器上显示两个不同的窗口(阶段),该应用程序应该知道计算机有多少个显示器及其分辨率。 javafx有可能吗? 最佳答案 对于当前版本的 JavaFX (2.2),您可以
我正在将我的项目从 javafx 1.3 转换为 javafx 2.1。但我对 javafx.lang 有疑问包裹。 最佳答案 JavaFX 1.3 lang 包内容被拆分并移至下一个位置: 时长变为
当我尝试将标签添加到 gridpane 中时,如第二张图片所示,它不起作用。我已经尝试了很多东西,比如添加 CSS,但它仍然无法正常工作。为什么第 113 和 114 行不起作用? (opcje.se
我有一个JavaFX ContextMenu分配给滚动面板的鼠标右键单击。它会打开,但在滚动 Pane 外部单击时不会关闭。我可以在滚动 Pane 中添加另一个鼠标事件以将其隐藏,但这只能解决1个问题
我有一个tableview,其中附有一个可观察到的自定义类对象的列表(类类型:SalesInvoiceNetSale)。该表中的所有数据都可以正常显示。可观察列表中的最后一项是总计行(类类型:Sale
关闭。这个问题需要更多 focused .它目前不接受答案。 想改进这个问题?更新问题,使其仅关注一个问题 editing this post . 2年前关闭。 Improve this questi
我想知道如何在JavaFX中绘制半圆。我尝试使用Shape和QuadCurve,但无法制作出完美的半圆。 这是我要绘制的图片: 最佳答案 您链接的图片实际上是一个半圆环。您可以通过绘制嵌套的2条圆弧和
就目前而言,这个问题不适合我们的问答形式。我们希望答案得到事实、引用或专业知识的支持,但这个问题可能会引起辩论、争论、投票或扩展讨论。如果您觉得这个问题可以改进并可能重新打开,visit the he
我正在寻找 JavaFX 支持的图像类型(最新)列表,例如PNG、JPEG、TIFF。不同的搜索引擎没有帮助......知道从哪里开始吗? 更特别的是,我对 16 位灰度图像(不同格式)和罕见的受支持
我希望在 javafx 中让标签每 0.1 秒闪烁一次。文本显示在后台运行的 ImageView gif 的顶部。我将如何去做,或者您对最佳方法有什么建议? 谢谢 最佳答案 @fabian 的解决方案
我需要测试所选项目的值以调用不同的方法,因此我编写了添加侦听器的代码,但是该代码生成语法错误 @FXML private JFXComboBox cmbComp; cmbComp.valuePrope
我正在 Javafx 中编写一个非常简单的应用程序,其中舞台上有一个带有文本框的按钮作为一个场景。现在,我想要的行为是,当我单击按钮时,我可以使用另一个按钮加载另一个场景和舞台上的一个文本框,然后删除
编辑:如果用户单击“删除”以删除 ListView 中的项目,我会弹出一个警告框。它有效,但我希望它能超越原来的舞台。它出现在我的第一台显示器上。有什么方法可以设置警报显示时的位置吗? 请注意,“所有
我想使用 JavaFX 编写一个笔画绘图应用程序。我有一个压敏绘图板,如果能够读取笔的压力和倾斜值,那就太好了。 JavaFX 有一个 API 可以处理鼠标、触摸和滑动输入,但似乎没有任何东西可以产生
我在 JavaFX 中使用条形图和折线图。当我使两个图表大小相同并将它们放在同一位置时,它们完美地相互重叠。我如何使折线图显示在条形图的顶部。 目前我已将它们的不透明度设置为 0.7,这样它们“看起来
此问题与 this 相关。现在我想为字段值等于某个值的行着色。 @FXML private TableView tv_mm_view; @FXML private Ta
我有一个程序,可以生成高度图(0-255 的整数的 2D 数组),并使用 Shape3D“Box”对象为每个“像素”构建 3D View ,其高度与其在高度图中的值成比例。这会创建一个看起来很酷的四四
我想为 JavaFX 创建上下文菜单。这是我测试过的代码。但是由于某种原因,当我右键单击树节点时没有上下文菜单。你能帮我找出我的错误吗。 import java.util.Arrays; import
我是一名优秀的程序员,十分优秀!