WhiplashOne
WhiplashOne

Reputation: 321

How to save a result in android?

I'm a rookie in android programming. I have a small problem. When I click a ImageView, I make that ImageView invisible and set a Button to visible. My problem is that how do you save this? For eg, I click the ImageView, Button shows up and ImageView disappears. And I exit the app and enter back into that same activity and I want that Button to remain there. How do I go about doing that?

Thanks!

Upvotes: 0

Views: 130

Answers (3)

Akbari Dipali
Akbari Dipali

Reputation: 2173

you can store the state in shared preference when you leave your app onPause() or on the click event and can get result back on onCreate() method from that preferences

To store data in shared preference(in OnPause() or on the click event):

SharedPreferences prefs = getSharedPreferences("yourPrefName", MODE_PRIVATE);            
SharedPreferences.Editor editor = prefs.edit();
// save values
editor.putBoolean("isButtonVisible", true);
editor.commit();

To get data from sharedPrefs(in onCreate()):

 SharedPreferences prefs = getSharedPreferences("yourPrefName", MODE_PRIVATE);
 boolean btnstatus = prefs.getBoolean(Constants.IS_LOGIN, false);
 if (btnstatus) {
       //put the code to show button and hide imageview
 }

Upvotes: 0

Mr.Me
Mr.Me

Reputation: 9276

Use SharedPreferences. here is a good tutorial on how to use them. example

But basically you are good to go by adding this code to your Activity

private boolean isVisible;
@Override
public void onCreate(Bundle myBundle){
          super.onCreate(myBundle);
 isVisible = getPreferences(MODE_PRIVATE).getBoolean("visible", true);
  .... your code
  if (isVisible){
    // show ImageView
 } else {
        //don't
 }
}
}
public void onPause(){
       if(isFinishing()){
         getPreferences(MODE_PRIVATE)
        .edit().
        putBoolean("visible", isVisible).commit();
 }
}

Upvotes: 2

sat
sat

Reputation: 41076

Use a shared preference to save the state, i.e. say in your case a boolean value to indicate whether imageview was visible or not when you exit the app.
When you launch the app, use this value and accordingly perform the action.

For usage of shared preference,
How to use SharedPreferences in Android to store, fetch and edit values

Upvotes: 0

Related Questions