Reputation: 20596
Is there any other way to call openOptionsMenu after activity is displayed without using something like this:
new Handler().postDelayed(new Runnable() { public void run() { openOptionsMenu(); } }, 1000);
EDIT: I would appreciate example like this:
public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // Now I guess something like Window.Callback.onAttachedToWindow(...) should be done? }
Upvotes: 10
Views: 8163
Reputation: 223
My solution
//Open menu manually from code
Timer timing = new Timer();
timing.schedule(new TimerTask() {
/**
* {@inheritDoc}
*/
@Override
public void run() {
runOnUiThread(new Runnable() {
@Override
public void run() {
openOptionsMenu();
}
});
}
}, 1000);
Upvotes: -1
Reputation: 118742
I looked at Activity
again, and it has had the method onAttachedToWindow, inherited from Window.Callback, since API level 5. If you are using this level, then you simply have to override this method in your Activity
.
@Override
public void onAttachedToWindow() {
super.onAttachedToWindow();
openOptionsMenu();
}
If you are using a version prior to 5, then you have to override the onAttachedToWindow method in View instead. This is very easy if your View
is created in code. If it is created in XMl, then it isn't that much harder - you should find the instructions here helpful.
Upvotes: 21