我有一個非常簡單的Java動畫任務。我需要創建一個基本的「財富之輪小程序」。基本上顯示的是一個輪子和一個按鈕。當按下該按鈕時,我希望它選擇一個隨機的度數(例如在720-3600的範圍內)並旋轉許多度數的輪子。然後,我將使用一些邏輯將該學位數轉換爲貨幣價值。我的問題是在動畫中,如何讓圖像以恆定的速度旋轉x度?有沒有擺動功能?非常感謝您的幫助,除此之外,我現在不需要了解關於Java動畫的其他任何信息。Java動畫:旋轉圖像
4
A
回答
5
我打算假設您瞭解如何旋轉圖像一次。如果你不這樣做,你可以通過快速的谷歌搜索找到。
你需要的是一個爲你旋轉它的後臺進程。它的工作原理是這樣的:
/**
* Warning - this class is UNSYNCHRONIZED!
*/
public class RotatableImage {
Image image;
float currentDegrees;
public RotateableImage(Image image) {
this.image = image;
this.currentDegrees = 0.0f;
this.remainingDegrees = 0.0f;
}
public void paintOn(Graphics g) {
//put your code to rotate the image once in here, using current degrees as your rotation
}
public void spin(float additionalDegrees) {
setSpin(currentDegrees + additionalDegrees);
}
public void setSpin(float newDegrees) {
currentDegrees += additionalDegrees;
while(currentDegrees < 0f) currentDegrees += 360f;
while(currentDegrees >= 360f) currentDegrees -= 360f;
}
}
public class ImageSpinner implements Runnable {
RotateableImage image;
final float totalDegrees;
float degrees;
float speed; // in degrees per second
public ImageSpinner(RotatableImage image, float degrees, float speed) {
this.image = image;
this.degrees = degrees;
this.totalDegrees = degrees;
this.speed = speed;
}
public void run() {
// assume about 40 frames per second, and that the it doesn't matter if it isn't exact
int fps = 40;
while(Math.abs(degrees) > Math.abs(speed/fps)) { // how close is the degrees to 0?
float degreesToRotate = speed/fps;
image.spin(degreesToRotate);
degrees -= degreesToRotate;
/* sleep will always wait at least 1000/fps before recalcing
but you have no guarantee that it won't take forever! If you absolutely
require better timing, this isn't the solution for you */
try { Thread.sleep(1000/fps); } catch(InterruptedException e) { /* swallow */ }
}
image.setSpin(totalDegrees); // this might need to be 360 - totalDegrees, not sure
}
}
+0
這看起來真棒,我曾經在SO得到最好的答案之一見。我只是有點困惑這部分實現以及如何,以及你的意思是旋轉一次圖像? – 2011-02-19 06:16:45
相關問題
- 1. 圖像旋轉動畫
- 2. 圖像旋轉/動畫
- 3. 用動畫旋轉圖像?
- 4. 旋轉圖像。動畫列表還是動畫旋轉? (Android)
- 5. Java旋轉動畫
- 6. 用動畫旋轉圖像位圖android
- 7. Java - 圖像旋轉
- 8. Java旋轉圖像
- 9. Java:旋轉圖像
- 10. Java圖像旋轉
- 11. Python的Tkinter的旋轉圖像動畫
- 12. 如何讓圖像旋轉(動畫)
- 13. 旋轉圖像同時動畫
- 14. 將圖像旋轉爲動畫
- 15. 在Swift中動畫旋轉圖像
- 16. 動畫圖像,使其旋轉一圈
- 17. 如何動畫和旋轉圖像?
- 18. HTML5畫布旋轉圖像
- 19. HTML5畫布圖像旋轉
- 20. HTML5旋轉畫布圖像
- 21. 動畫旋轉視圖IOS
- 22. 在java中手動旋轉圖像?
- 23. 旋轉動畫
- 24. 旋轉動畫
- 25. 旋轉圖像x度? - Java
- 26. 在java中旋轉圖像
- 27. 在java中旋轉圖像
- 28. 在Java中旋轉圖像?
- 29. 在Java中旋轉圖像
- 30. Java旋轉圖像功能
也http://stackoverflow.com/questions/3420651 – trashgod 2011-02-19 03:29:51