Использование LibGDX внутри проекта Android в качестве фрагмента: как вызвать метод libgdx из части Android? - PullRequest
3 голосов
/ 06 апреля 2019

Я использую libGDX внутри проекта Android в качестве фрагмента, все с kotlin и все работает нормально.

Что я пытаюсь сделать, это вызов метода части проекта libgdx из части андроида (MainActivity)проекта.

Так, например, если пользователь нажимает на кнопку, созданную частью андроида, объект в игре будет двигаться.

Прежде всего, это структура проекта:

enter image description here

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:

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 Ответ

1 голос
/ 06 апреля 2019

Вызовите метод 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()
    }
}
...