#android #kotlin #libgdx #fragment
#Android #kotlin #libgdx #фрагмент
Вопрос:
Я использую libGDX внутри проекта Android в качестве фрагмента с kotlin, и он работает нормально.
То, что я пытаюсь сделать, это вызвать метод части проекта libgdx из части Android (MainActivity) проекта.
Так, например, если пользователь нажимает на кнопку, созданную частью Android, объект в игре переместится.
Прежде всего, это структура проекта:
MainActivity:
package com.krytasoft.androidwithlibgdx
import android.content.Intent
import androidx.appcompat.app.AppCompatActivity
import android.os.Bundle
import android.widget.Button
//import android.support.v4.app.Fragment throws unresolved error.without this compiles fine and works but shows type mismatch error.
import com.badlogic.gdx.backends.android.AndroidFragmentApplication
import com.krytasoft.gdxandroid.AndroidGameFragment
class MainActivity : AppCompatActivity(), AndroidFragmentApplication.Callbacks {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_main)
val libgdxGameFragment:AndroidGameFragment = AndroidGameFragment()
val button = findViewById<Button>(R.id.openFlexBoxTestButton)
val moveRightButton = findViewById<Button>(R.id.moveRightButton)
//never mind if this supportFragmentManager... shows type mismatch error.Its working. this line puts libgdx into fragment.fragment is similar to component in react.
supportFragmentManager.beginTransaction().replace(R.id.fragment_container, libgdxGameFragment, AndroidGameFragment::class.java.simpleName).commit()
button.setOnClickListener{
val intent = Intent(this, FlexBoxTestActivity::class.java)
startActivity(intent)
}
moveRightButton.setOnClickListener {
libgdxGameFragment.moveRight()
}
}
override fun exit() {
}
}
Здесь, в MainActivity, обратите внимание на moveRightButton.Его вызывающая moveRight()
функция из фрагмента.
Класс AndroidFragment:
package com.krytasoft.gdxandroid
import android.content.Intent
import android.os.Bundle
import android.view.LayoutInflater
import android.view.View
import android.view.ViewGroup
import com.badlogic.gdx.backends.android.AndroidApplicationConfiguration
import com.badlogic.gdx.backends.android.AndroidFragmentApplication
import com.krytasoft.mygdxgame.core.MyGdxGame
class AndroidGameFragment : AndroidFragmentApplication() {
override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? {
super.onCreateView(inflater, container, savedInstanceState)
val config = AndroidApplicationConfiguration()
return initializeForView(MyGdxGame(), config)
}
override fun startActivity(intent: Intent?) {
TODO("not implemented") //To change body of created functions use File | Settings | File Templates.
}
fun moveRight(){
MyGdxGame().moveRight()
}
}
MyGDX Game:
package com.krytasoft.mygdxgame.core
import com.badlogic.gdx.ApplicationAdapter
import com.badlogic.gdx.Gdx
import com.badlogic.gdx.graphics.GL20
import com.badlogic.gdx.graphics.Texture
import com.badlogic.gdx.graphics.g2d.Sprite
import com.badlogic.gdx.graphics.g2d.SpriteBatch
class MyGdxGame : ApplicationAdapter() {
lateinit var batch: SpriteBatch
lateinit var img: Texture
lateinit var sprite:Sprite
override fun create() {
batch = SpriteBatch()
img = Texture("badlogic.jpg")
sprite = Sprite(img)
println("create done from libgdx")
}
override fun render() {
Gdx.gl.glClearColor(1f, 0f, 0f, 1f)
Gdx.gl.glClear(GL20.GL_COLOR_BUFFER_BIT)
batch.begin()
batch.draw(sprite, 50f, 50f)
batch.end()
}
override fun dispose() {
batch.dispose()
img.dispose()
}
fun moveRight(){
sprite.x =50f; // throws lateinit var sprite is uninitialzied error.
}
}
Итак, чего я ожидаю, так это того, что после нажатия кнопки переместить вправо, в конечном итоге, вызовите fun moveRight в mylibgdxgame и измените положение спрайта.
kotlin.UninitializedPropertyAccessException: lateinit property sprite has not been initialized
несмотря на то, что он инициализирован.Но по какой-то причине его не видно.
Я загрузил свой проект на github: https://github.com/lastpeony/libgdx-in-android-kotlin
Ответ №1:
Вызывайте create()
метод перед использованием MyGdxGame
экземпляра. Также используйте один экземпляр MyGdxGame
для всего фрагмента.
class AndroidGameFragment : AndroidFragmentApplication() {
val myGdxGame = MyGdxGame()
override fun onCreateView(inflater: LayoutInflater, container: ViewGroup?, savedInstanceState: Bundle?): View? {
super.onCreateView(inflater, container, savedInstanceState)
val config = AndroidApplicationConfiguration()
myGdxGame.create()
return initializeForView(myGdxGame, config)
}
fun moveRight(){
myGdxGame .moveRight()
}
}
Комментарии:
1. пакет sprite выдает ошибку: java.lang. Исключение NullPointerException: попытка вызвать метод интерфейса ‘int com.badlogic.gdx.Graphics.getWidth()’ для нулевой ссылки на объект в com.badlogic.gdx.graphics.g2d.SpriteBatch. <инициализация>(SpriteBatch.java:108) в com.badlogic.gdx.graphics.g2d.SpriteBatch. <инициализация>(SpriteBatch.java:80) на com.krytasoft.mygdxgame.core. MyGdxGame.create(MyGdxGame.kt:17) на com.krytasoft.gdxandroid. AndroidGameFragment.onCreateView(AndroidGameFragment.kt:21)
2. @lastpeony4 Это другая проблема. Я полагаю, вам нужно создать новый вопрос для этого.
3. Я не думаю, что для этого нужен новый вопрос. Основная проблема заключается в обмене данными между Android project и libgdx.
4.
Gdx.graphics
являетсяnull
. Итак, у вас возникли некоторые проблемы с инициализацией / конфигурацией библиотеки. Я не могу вам с этим помочь.