Accessing SQLite database in Unity with a coroutine

廉价感情. 提交于 2020-01-15 06:40:09

问题


I've created a menu in Unity which is populated by results from an SQLite DB. However when I create the menu, the whole game freezes for a moment while it queries the DB.

To fix this, I'm trying to separate the creation of the menu and the populating of it with data (i.e. the menu will just say "loading" until the query is complete).

I have been trying to use a yield-return co-routine to do this but the game is still freezing. Below I have some pseudo-code illustrating what I am doing...

void createMenu () {

    // code to create menu... 

    StartCoroutine(getData());

}

IEnumerator getData () {

    List<string> sqlResults = Database.query("SELECT * FROM table");

    yield return null;

    updateMenu();

}

void updateMenu() {

   // replaces "loading" strings with sql data results 

}

Am I going about this the wrong way, or am I using a coroutine incorrectly?


回答1:


It looks like the database operation is blocking the main thread. Run it in a new Thread with the ThreadPool.QueueUserWorkItem function. When it's done, use UnityThread.executeInUpdate function from this post to call the updateMenu() function. You need to get the UnityThread class from this post in order to use this solution.

void Awake()
{
    UnityThread.initUnityThread();
}

void runQuery(string query)
{
    ThreadPool.QueueUserWorkItem(RunInNewThread, query);
}

private void RunInNewThread(object a)
{
    string query = (string)a;
    List<string> sqlResults = Database.query(query);


    //We are in another Thread. Use executeInUpdate to run in Unity main Thread
    UnityThread.executeInUpdate(() =>
    {
        updateMenu();
    });
}

USAGE:

runQuery("SELECT * FROM table");



回答2:


Yes putting this code in a coroutine as you have will not change anything. Unity is single threaded, however you can start a separate thread to do some work as long as their are no calls to any Unity functions executed in that thread.

Try this:

IEnumerator getData () {

    List<string> sqlResults;

    var thread = new System.Threading.Thread(() => {
        sqlResults = Database.query("SELECT * FROM table");
    };

    thread.Start();

    while(thread.IsAlive){
        yield return null;
    }

    updateMenu();
}



回答3:


So the problem here is that you are synchronizing with the server and not asyncying and which will make you wait for the connection or query (if it gives you something wrong or its a wrong query you'll wait till the timeout of httprequest or db request). Try to use async functions instead of enumerator or than a enumator with async fucntion call which will let you being on the menu while it is retrieving the information.



来源:https://stackoverflow.com/questions/46487872/accessing-sqlite-database-in-unity-with-a-coroutine

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!