libgdx和unity
这篇文章是libgdx和Kotlin文章的后续文章。
我已经决定开发一个简单的2D平台程序的原型(沿着我的早期文章中的Star Assault进行介绍),但是我一直在使用和学习Kotlin,而不是Java。
对于本教程,该项目应处于上一篇文章的初始状态。 一个简单的libGdx Java项目变成了Kotlin项目。 我们将在主要的Game.kt
文件(以前为Nemo.kt
进行干扰。
初始状态的项目源可以在这里找到。
Kotlin不需要文件名与类名相同,甚至不需要与声明的包等效的目录结构中。
事不宜迟,这是代码的第一个更改。
主要类别已从Nemo
更改为Game
,因为我们将使用名称Nemo作为角色。
因此, Nemo.kt
> Game.kt
。
...// imports omitted
class Game : ApplicationAdapter() {internal lateinit var batch: SpriteBatchinternal lateinit var img: Textureinternal lateinit var nemo: Nemooverride fun create() {batch = SpriteBatch()img = Texture("images/nemo_01.png")nemo = Nemo()}override fun render() {Gdx.gl.glClearColor(0f, 0f, 0f, 1f)Gdx.gl.glClear(GL20.GL_COLOR_BUFFER_BIT)batch.begin()batch.draw(img, nemo.position.x, nemo.position.y)batch.end()}data class Nemo(val position: Vector2 = Vector2(0f, 0f))
}
突出显示的行显示更改。
- #05 –声明类型为
Nemo
的属性nemo
并将其标记为延迟初始化。 - #09 –为纹理加载不同的gif(在github上查看项目)
- #10 –实例化
Nemo
类。 这等效于javanew Nemo();
- #21 –此行创建一个具有一个属性的数据类,即libGdx中类型为Vector2的位置,并且在初始化时将其默认为Vector2(0f,0f)的情况下默认将其设置为new。
数据类是一个数据容器类,其中包含生成的getters
, setters
如果属性为var
而不是val
, equals
, hashCode
和toString
。 请注意该属性的val
限定符,这意味着该位置是final
且不可变。 这意味着,一旦将向量分配给它,就无法对其进行修改。 向量的值可以修改 。 除非另有要求,否则最好使所有内容保持不变,并且Kotlin旨在将这种模式用作默认模式。
这是以下内容的简写:
public class Nemo {// val is the equivalent of final private final Vector2 position;// constructor with argumentpublic Nemo(Vector2 position) {this.position = position;}// default constructorpublic Nemo() {this.position = new Vector2(0f, 0f);}// getterpublic Vector2 getPosition() {return position;}@Overridepublic boolean equals(Object o) {if (this == o) return true;if (o == null || getClass() != o.getClass()) return false;Nemo nemo = (Nemo) o;return position != null ? position.equals(nemo.position) : nemo.position == null;}@Overridepublic int hashCode() {return position != null ? position.hashCode() : 0;}@Overridepublic String toString() {return "Nemo{" +"position=" + position +'}';}
}
整个类被嵌套在该类中的一行替换。 分号也不需要标记指令的结尾。
data class Nemo(val position: Vector2 = Vector2(0f, 0f))
- #17 –该指令在Nemo保持的位置绘制先前加载的纹理。 等效的Java代码为:
batch.draw(img, nemo.getPosition().getX(), nemo.getPosition().getY());
在Kotlin中,我们不需要指定getter或setter,我们对属性使用点表示法。 所有这些都由编译器负责,并推断出访问器方法。
nemo.getPosition().getX()
变成
nemo.position.x
尝试运行项目,以便我们可以看到结果:
现在就这样。 确保您查阅有关类的Kotlin文档,以了解有关它们的更多信息。
在下一部分中,我们将把Nemo变成动画和可移动的角色。
- 在此处获取源代码
翻译自: https://www.javacodegeeks.com/2016/02/libgdx-kotlin-classes-2d-platformer-prototyping.html
libgdx和unity