java衍生作用_java-如何从AffineTransform衍生的形状对象中“...

您可以使用AffineTransform.transform(Point2D, Point2D)变换多边形上的单个点.

如果您不使用旋转变换来移动船,而是将船的位置保持在一个(x,y)位置,那么事情就简单得多.您可以在move()中移动飞船的位置,而不是尝试平移多边形.然后,当您想给船上油漆时,例如做:

// Optionally copying the Graphics so the

// transform doesn't affect later painting.

Graphics2D temp = (Graphics2D) g2d.create();

temp.translate(ship.locX, ship.locY);

temp.rotate(ship.angle);

temp.draw(ship);

要基于速度移动点,可以执行以下操作来找到运动向量:

double velX = speed * Math.cos(angle);

double velY = speed * Math.sin(angle);

locX += timeElapsed * velX;

locY += timeElapsed * velY;

这实质上是从极坐标到笛卡尔坐标的转换. x和y速度是三角形的边,其斜边为速度,已知角度为角度:

/|

/ |

/ |

/ |

speed / |

/ |

/ |velY

/ angle |

/)_______|

velX

对于您的评论:

Are you saying that, unlike my initial move function, just to make ship hold a single point, and thus I would only translate that instead?

或多或少,是的.您仍然需要有一个多边形来保持船的形状,但是多边形上的点将相对于(0,0).

假设以下定义:

>多边形上的每个(x,y)点都是pi. (换句话说,p0,p1,p2和p3中的一个.)

>平移的(x,y)坐标为T

然后,在转换Graphics2D之后,每个pi坐标在面板上变为piT.因此,如果您的多边形点是相对于(0,0)定义的,则平移到飞船的(locX,locY)会将多边形移动到相对于(locX,locY)的位置.

然后,将多边形的尖端定义为(0,0)可能是最简单的,这样在平移之后,船的尖端就是船的位置:

// Your original points:

int xPoints[] = {800, 780, 800, 820};

int yPoints[] = {400, 460, 440, 460};

// Become these points relative to (0,0):

int xPoints[] = {0, -20, 0, 20};

int yPoints[] = {0, 60, 40, 60};

和例如在同一个地方开船,您将其位置初始化为(800,400).

我又想了一下,意识到旋转有点复杂,因为您可能不想绕着尖端旋转船.您可能想绕船的中心旋转船.

因此,这里有一个MCVE演示了如何进行所有这些操作.

NCtPx.png

package mcve.game;

import javax.swing.*;

import java.awt.event.*;

import java.awt.geom.*;

import java.awt.Polygon;

import java.awt.RenderingHints;

import java.awt.Graphics;

import java.awt.Graphics2D;

import java.awt.Color;

import java.awt.Dimension;

import java.awt.Rectangle;

import java.awt.Insets;

import java.awt.Toolkit;

import java.awt.GraphicsConfiguration;

import java.util.Set;

import java.util.HashSet;

import java.util.List;

import java.util.ArrayList;

public class MovementExample implements ActionListener {

public static void main(String[] args) {

SwingUtilities.invokeLater(MovementExample::new);

}

final int fps = 60;

final int period = 1000 / fps;

final JFrame frame;

final GamePanel panel;

final Controls controls;

final Ship ship;

final List bullets = new ArrayList<>();

MovementExample() {

frame = new JFrame("Movement Example");

Dimension size = getMaximumWindowSize(frame);

size.width /= 2;

size.height /= 2;

frame.setPreferredSize(size);

panel = new GamePanel();

frame.setContentPane(panel);

frame.pack();

frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

frame.setLocationRelativeTo(null);

frame.setVisible(true);

controls = new Controls();

ship = new Ship(panel.getWidth() / 2,

panel.getHeight() / 2);

new Timer(period, this).start();

}

@Override

public void actionPerformed(ActionEvent e) {

double secondsElapsed = 1.0 / fps;

ship.update(secondsElapsed);

bullets.forEach(b -> b.update(secondsElapsed));

Rectangle bounds = panel.getBounds();

bullets.removeIf(b -> !bounds.contains(b.locX, b.locY));

panel.repaint();

}

class GamePanel extends JPanel {

GamePanel() {

setBackground(Color.WHITE);

}

@Override

protected void paintComponent(Graphics g) {

super.paintComponent(g);

Graphics2D g2 = (Graphics2D) g.create();

g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,

RenderingHints.VALUE_ANTIALIAS_ON);

if (ship != null) {

ship.draw(g2);

}

bullets.forEach(b -> b.draw(g2));

g2.dispose();

}

}

abstract class AbstractGameObject {

double maxSpeed;

double rotationAngle;

double locX;

double locY;

double velX;

double velY;

AbstractGameObject(double initialX, double initialY) {

locX = initialX;

locY = initialY;

}

abstract void update(double secondsElapsed);

abstract void draw(Graphics2D g2);

}

class Ship extends AbstractGameObject {

Polygon shape;

double rotationRate;

Ship(double initialX, double initialY) {

super(initialX, initialY);

maxSpeed = 128; // pixels/second

rotationAngle = Math.PI * 3 / 2;

rotationRate = (2 * Math.PI) / 2; // radians/second

int xPoints[] = {0, -20, 0, 20};

int yPoints[] = {0, 60, 40, 60};

shape = new Polygon(xPoints, yPoints, 4);

}

Point2D.Double getTip() {

Point2D.Double center = getCenter();

// The tip is at (0,0) and it's already centered

// on the x-axis origin, so the distance from the

// tip to the center is just center.y.

double distance = center.y;

// Then find the location of the tip, relative

// to the center.

double tipX = distance * Math.cos(rotationAngle);

double tipY = distance * Math.sin(rotationAngle);

// Now find the actual location of the center.

center.x += locX;

center.y += locY;

// And return the actual location of the tip, relative

// to the actual location of the center.

return new Point2D.Double(tipX + center.x, tipY + center.y);

}

Point2D.Double getCenter() {

// Returns the center point of the ship,

// relative to (0,0).

Point2D.Double center = new Point2D.Double();

for (int i = 0; i < shape.npoints; ++i) {

center.x += shape.xpoints[i];

center.y += shape.ypoints[i];

}

center.x /= shape.npoints;

center.y /= shape.npoints;

return center;

}

@Override

void update(double secondsElapsed) {

// See my answer here: https://stackoverflow.com/a/43692434/2891664

// for a discussion of why this logic is the way it is.

double speed = 0;

if (controls.isUpHeld()) {

speed += maxSpeed;

}

if (controls.isDownHeld()) {

speed -= maxSpeed;

}

velX = speed * Math.cos(rotationAngle);

velY = speed * Math.sin(rotationAngle);

locX += secondsElapsed * velX;

locY += secondsElapsed * velY;

double rotation = 0;

if (controls.isLeftHeld()) {

rotation -= rotationRate;

}

if (controls.isRightHeld()) {

rotation += rotationRate;

}

rotationAngle += secondsElapsed * rotation;

// Cap the angle so it can never e.g. get so

// large that it loses precision.

if (rotationAngle > 2 * Math.PI) {

rotationAngle -= 2 * Math.PI;

}

if (controls.isFireHeld()) {

Point2D.Double tipLoc = getTip();

Bullet bullet = new Bullet(tipLoc.x, tipLoc.y, rotationAngle);

bullets.add(bullet);

}

}

@Override

void draw(Graphics2D g2) {

Graphics2D copy = (Graphics2D) g2.create();

copy.setColor(Color.RED);

// Translate to the ship's location.

copy.translate(locX, locY);

// Rotate the ship around its center.

Point2D.Double center = getCenter();

// The PI/2 offset is necessary because the

// polygon points are defined with the ship

// already vertical, i.e. at an angle of -PI/2.

copy.rotate(rotationAngle + (Math.PI / 2), center.x, center.y);

copy.fill(shape);

}

}

class Bullet extends AbstractGameObject {

Ellipse2D.Double shape = new Ellipse2D.Double();

Bullet(double initialX, double initialY, double initialRotation) {

super(initialX, initialY);

maxSpeed = 512;

rotationAngle = initialRotation;

velX = maxSpeed * Math.cos(rotationAngle);

velY = maxSpeed * Math.sin(rotationAngle);

double radius = 3;

shape.setFrame(-radius, -radius, 2 * radius, 2 * radius);

}

@Override

void update(double secondsElapsed) {

locX += secondsElapsed * velX;

locY += secondsElapsed * velY;

}

@Override

void draw(Graphics2D g2) {

Graphics2D copy = (Graphics2D) g2.create();

copy.setColor(Color.BLACK);

copy.translate(locX, locY);

copy.fill(shape);

}

}

// See https://docs.oracle.com/javase/tutorial/uiswing/misc/keybinding.html

class Controls {

final Set keysHeld = new HashSet<>();

Controls() {

bind(KeyEvent.VK_A, "left");

bind(KeyEvent.VK_D, "right");

bind(KeyEvent.VK_W, "up");

bind(KeyEvent.VK_S, "down");

bind(KeyEvent.VK_SPACE, "fire");

}

boolean isLeftHeld() { return keysHeld.contains(KeyEvent.VK_A); }

boolean isRightHeld() { return keysHeld.contains(KeyEvent.VK_D); }

boolean isUpHeld() { return keysHeld.contains(KeyEvent.VK_W); }

boolean isDownHeld() { return keysHeld.contains(KeyEvent.VK_S); }

boolean isFireHeld() { return keysHeld.contains(KeyEvent.VK_SPACE); }

void bind(int keyCode, String name) {

bind(keyCode, name, true);

bind(keyCode, name, false);

}

void bind(int keyCode, String name, boolean isOnRelease) {

KeyStroke stroke = KeyStroke.getKeyStroke(keyCode, 0, isOnRelease);

name += isOnRelease ? ".released" : ".pressed";

panel.getInputMap(JComponent.WHEN_IN_FOCUSED_WINDOW)

.put(stroke, name);

panel.getActionMap()

.put(name, new AbstractAction() {

@Override

public void actionPerformed(ActionEvent e) {

if (isOnRelease) {

keysHeld.remove(keyCode);

} else {

keysHeld.add(keyCode);

}

}

});

}

}

// This returns the usable size of the display which

// the JFrame resides in, as described here:

// http://docs.oracle.com/javase/8/docs/api/java/awt/GraphicsEnvironment.html#getMaximumWindowBounds--

static Dimension getMaximumWindowSize(JFrame frame) {

GraphicsConfiguration config = frame.getGraphicsConfiguration();

Dimension size = config.getBounds().getSize();

Insets insets = Toolkit.getDefaultToolkit().getScreenInsets(config);

size.width -= insets.left + insets.right;

size.height -= insets.top + insets.bottom;

return size;

}

}

还有其他方法可以计算出船的顶端,但是我在MCVE中做到的方式是:

>获取相对于(0,0)的船的中心点.

>获取从中心点到尖端的距离.尖端在(0,0),因此这只是中心的y坐标.

>然后计算尖端相对于中心的(x,y)位置.速度和速度与上图非常相似,但是斜边是船的中心与船头之间的距离.

>将中心平移为相对于船的位置.

>将尖端的位置(相对于中心)转换为相对于船的位置.

也可以使用AffineTransform完成所有操作,类似于您在问题代码中所做的操作,但是您需要在每次更新时进行设置.像这样:

AffineTransform transform = new AffineTransform();

@Override

void update(double secondsElapsed) {

...

// Clear the previous translation and rotation.

transform.setToIdentity();

// Set to current.

transform.translate(locX, locY);

Point2D.Double center = getCenter();

transform.rotate(rotationAngle + (Math.PI / 2), center.x, center.y);

if (controls.isFireHeld()) {

Point2D.Double tip = new Point2D.Double(0, 0);

transform.transform(tip, tip);

Bullet bullet = new Bullet(tip.x, tip.y, rotationAngle);

bullets.add(bullet);

}

}

您仍然可以通过这种方式使用变换来进行计算,但最终不会因依赖于移动而产生任何怪异. (在问题代码中,例如,船舶仅沿y轴移动.明显的侧向移动是由于一系列旋转串联所致.)

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/393306.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

初学者设计数据库_面向初学者的完整数据库设计课程

初学者设计数据库This database design course will give you a deeper grasp of database design. Caleb Curry teaches the equivalent of an entire college course during this eight hour video.本数据库设计课程将使您更深入地了解数据库设计。 在这8个小时的视频中&…

Qt QTcpSocket使用总结

socket的连接是异步的&#xff0c;所以必须等连接建立完成才能使用&#xff0c;所以分别加入waitForConnected()和waitForBytesWritten()后调试通过1&#xff09;只有使用waitForConnected()后,QTcpSocket才真正尝试连接服务器&#xff0c;并返回是否连接的结果2&#xff09;避…

[bzoj1303][CQOI2009]中位数图

来自FallDream的博客&#xff0c;未经允许&#xff0c;请勿转载&#xff0c;谢谢。 给定一个n个数排列&#xff0c;求有多少段长度为奇数的区间&#xff0c;中位数是b. n<100000 时间限制0.1s 我一开始没看到排列&#xff0c;想着怎么还能O(n)做的啊&#xff1f;&#xff1f…

falsk 请求没有返回值报错

线上报警 5xx 错误&#xff0c;查看日志发现报这个错&#xff0c; TypeError: The view function did not return a valid response. The function either returned None or ended without a return statement. 这个方法没有有效的返回结果 页面报这个错误 Internal Server Err…

java的iterator接口_java Iterator接口和LIstIterator接口分析_java_脚本之家

java Iterator接口和LIstIterator接口分析目录1.Iterator接口2.ListIterator3.Iterator和ListIterator的区别正文在继续看ArrayList源码之前&#xff0c;先了解Iterator接口和ListIterator接口&#xff0c;下篇文章详细讲解ArrayList是如何实现它们的。我们知道&#xff0c;接…

leetcode468. 验证IP地址

编写一个函数来验证输入的字符串是否是有效的 IPv4 或 IPv6 地址。 IPv4 地址由十进制数和点来表示&#xff0c;每个地址包含4个十进制数&#xff0c;其范围为 0 - 255&#xff0c; 用(".")分割。比如&#xff0c;172.16.254.1&#xff1b; 同时&#xff0c;IPv4 地…

播客#45:迪伦·以色列

On todays episode, I interview Dylan Israel. Dylan is a software engineer, a YouTuber, and the creator of several programming courses.在今天的一集中&#xff0c;我采访了迪伦以色列。 迪伦(Dylan)是一位软件工程师&#xff0c;一名YouTuber&#xff0c;并且是几门编…

PHPstorm快捷键

当前文件搜索类&#xff1a;ctrln 全文检索文件&#xff1a;ctrlshiftn 收起侧边栏&#xff1a;alt1&#xff08;自定义&#xff09; 个人学习记录&#xff0c;持续更新中。。。 转载于:https://www.cnblogs.com/zaijiang/p/7806260.html

JS基础_强制类型转换-Number

https://www.cnblogs.com/ZHOUVIP/p/7225267.html转载于:https://www.cnblogs.com/robinunix/p/11011188.html

JavaScript变量和作用域

JavaScript有两种变量&#xff0c;全局变量和局部变量 如果在任何函数定义之外声明了一个变量&#xff0c;则该变量是全局变量&#xff0c;且该变量的值在整个持续范围内都可以访问和修改 如果在函数定义内声明来了一个变量&#xff0c;则该变量为局部变量。每次执行该函数时都…

python 微信bot_使用Python创建Twitter Bot

python 微信botHave you ever wantd to create a Twitter bot? In this tutorial John G. Fisher shows how to create a bot with Python that tweets images or status updates at a set interval.您是否曾经想创建一个Twitter机器人&#xff1f; 在本教程中&#xff0c;约翰…

leetcode1487. 保证文件名唯一

给你一个长度为 n 的字符串数组 names 。你将会在文件系统中创建 n 个文件夹&#xff1a;在第 i 分钟&#xff0c;新建名为 names[i] 的文件夹。 由于两个文件 不能 共享相同的文件名&#xff0c;因此如果新建文件夹使用的文件名已经被占用&#xff0c;系统会以 (k) 的形式为新…

提高redis cluster集群的安全性,增加密码验证

节点设置密码 1、修改配置文件 在配置文件里面增加密码选项&#xff0c;一定要加上masterauth&#xff0c;不然Redirected的时候会失败。 masterauth redispassword requirepass redispassword 修改后需要重启redis节点。 2、动态修改 连接redis节点进行配置设置&#xff0c;然…

java索引ref_java – 如何使用jgit库将git HEAD指向特定的ref?

我想以编程方式更新HEAD而不对非裸仓库执行checkout或rebase.我希望工作树和索引在操作后保持不变.编辑我需要更新HEAD的符号目标,而不是HEAD当前目标的提交ID.这更像是一个结账,而不是其他任何东西,除了我不能使用org.eclipse.jgit.api.CheckoutCommand因为它需要我更新路径,但…

【codeforces 103E】 Buying Sets

http://codeforces.com/problemset/problem/103/E (题目链接) 题意 给出$n$个数&#xff0c;每个数与一个集合相关联。从其中选出最小的若干个数&#xff0c;选出的数的个数与这些数相关联的集合的并集大小相等。 Solution 因为保证了有完全匹配&#xff0c;所以跑出一个完全匹…

github大学课程_GitHub基础教程:如何使用GitHub课程

github大学课程Learn the basics of GitHub in this tutorial by Tiffany Thompson. You will learn about:在Tiffany Thompson撰写的本教程中&#xff0c;学习GitHub的基础知识。 您将了解&#xff1a; creating a new repository and adding files, 创建一个新的存储库并添加…

进程间通信 (IPC) 方法总结(三)

进程间通信 &#xff08;IPC&#xff09; 方法总结&#xff08;三&#xff09; 信号量&#xff08;SEMAPHORE&#xff09; 信号量是一个计数器&#xff0c;用于多进程对共享数据的访问&#xff0c;信号量的意图在于进程间同步。 为了获得共享资源&#xff0c;进程需要执行下列操…

leetcode1277. 统计全为 1 的正方形子矩阵(dp)

给你一个 m * n 的矩阵&#xff0c;矩阵中的元素不是 0 就是 1&#xff0c;请你统计并返回其中完全由 1 组成的 正方形 子矩阵的个数。示例 1&#xff1a;输入&#xff1a;matrix [[0,1,1,1],[1,1,1,1],[0,1,1,1] ] 输出&#xff1a;15 解释&#xff1a; 边长为 1 的正方形有…

实现离线加域---Windows2008 R2 新功能系列之八

我们都知道&#xff0c;部署活动目录&#xff0c;无非搭建一台或多台DC&#xff0c;然后把其它的客户端计算机或成员服务器全部加入域&#xff0c;但在windows2008SP2以前&#xff0c;客户端加入域时&#xff0c;DC必须在线&#xff0c;而从2008R2开始我们已经可以做到让客户端…

【bzoj1263】[SCOI2006]整数划分 高精度

题目描述 从文件中读入一个正整数n&#xff08;10≤n≤31000&#xff09;。要求将n写成若干个正整数之和&#xff0c;并且使这些正整数的乘积最大。 例如&#xff0c;n13&#xff0c;则当n表示为4333&#xff08;或22333&#xff09;时&#xff0c;乘积108为最大。 输入 只有一…