Skip to content Skip to sidebar Skip to footer

How To Handle Variables Shared Between Ui Thread And Another Thread In Android?

I am trying to develop an audio processing related app in android. I have one thread(not the UI thread) in which I am doing an operation. I need to update the result of the operati

Solution 1:

Yes, you should synchronize to make sure that your UI thread doesn't access variables that are only partially set up by your own thread.

I suggest that you have a singleton object what contains all the variables/data etc that you need to pass between the two threads. For example, suppose you need to share a string and a double between your own thread and the UI thread. Create a class SharedData with a singleton, e.g.

classSharedData {
    public String aString;
    publicdouble aDouble;
    publicstaticSharedDataglobalInstance=newSharedData();
}

Then in your own thread where you want to set the data

synchronized(SharedData.globalInstance) {
    SharedData.globalInstance.aString = "some string";
    SharedData.aDouble = 42.0;
}

and in your UI thread

String aString;
double aDouble;
synchronized(SharedData.globalInstance) {
    aString = SharedData.globalInstance.aString;
    aDouuble = SharedData.aDouble;
}
// do something with aString and aDouble

If you do it like that, then there won't be any problems relating to partially set data being read by the UI thread.

Post a Comment for "How To Handle Variables Shared Between Ui Thread And Another Thread In Android?"